content stringlengths 7 1.05M | fixed_cases stringlengths 1 1.28M |
|---|---|
class ApiKeyManager( object ):
def __init__( self, app ):
self.app = app
def create_api_key( self, user ):
guid = self.app.security.get_new_guid()
new_key = self.app.model.APIKeys()
new_key.user_id = user.id
new_key.key = guid
sa_session = self.app.model.context
sa_session.add( new_key )
sa_session.flush()
return guid
def get_or_create_api_key( self, user ):
# Logic Galaxy has always used - but it would appear to have a race
# condition. Worth fixing? Would kind of need a message queue to fix
# in multiple process mode.
if user.api_keys:
key = user.api_keys[0].key
else:
key = self.create_api_key( user )
return key
| class Apikeymanager(object):
def __init__(self, app):
self.app = app
def create_api_key(self, user):
guid = self.app.security.get_new_guid()
new_key = self.app.model.APIKeys()
new_key.user_id = user.id
new_key.key = guid
sa_session = self.app.model.context
sa_session.add(new_key)
sa_session.flush()
return guid
def get_or_create_api_key(self, user):
if user.api_keys:
key = user.api_keys[0].key
else:
key = self.create_api_key(user)
return key |
totalSegundos = int(input())
quantidadeHoras = totalSegundos//60//60
segundosHoras = quantidadeHoras*60*60
restante = totalSegundos - segundosHoras
quantidadeMinutos = restante//60
segundosMinutos = quantidadeMinutos*60
quantidadeSegundos = restante - segundosMinutos
print('{}:{}:{}'.format(quantidadeHoras, quantidadeMinutos, quantidadeSegundos)) | total_segundos = int(input())
quantidade_horas = totalSegundos // 60 // 60
segundos_horas = quantidadeHoras * 60 * 60
restante = totalSegundos - segundosHoras
quantidade_minutos = restante // 60
segundos_minutos = quantidadeMinutos * 60
quantidade_segundos = restante - segundosMinutos
print('{}:{}:{}'.format(quantidadeHoras, quantidadeMinutos, quantidadeSegundos)) |
class Solution:
def threeSumClosest(self, nums,target):
nums.sort()
out=0
for i in range(len(nums)-1):
j=i+1
k=len(nums)-1
while j<k:
# print(nums[i]+nums[j]+nums[k],out)
if i==0 and j==1 and k==len(nums)-1:
out=nums[i]+nums[j]+nums[k]
if nums[i]+nums[j]+nums[k]<target:
j+=1
else:
k-=1
else:
if abs(nums[i]+nums[j]+nums[k]-target)<abs(out-target):
out=nums[i]+nums[j]+nums[k]
if nums[i]+nums[j]+nums[k]<target:
j+=1
else:
k-=1
return out
d= Solution()
d=d.threeSumClosest([1,1,-1,-1,3],-1)
print(d) | class Solution:
def three_sum_closest(self, nums, target):
nums.sort()
out = 0
for i in range(len(nums) - 1):
j = i + 1
k = len(nums) - 1
while j < k:
if i == 0 and j == 1 and (k == len(nums) - 1):
out = nums[i] + nums[j] + nums[k]
if nums[i] + nums[j] + nums[k] < target:
j += 1
else:
k -= 1
else:
if abs(nums[i] + nums[j] + nums[k] - target) < abs(out - target):
out = nums[i] + nums[j] + nums[k]
if nums[i] + nums[j] + nums[k] < target:
j += 1
else:
k -= 1
return out
d = solution()
d = d.threeSumClosest([1, 1, -1, -1, 3], -1)
print(d) |
# -*- coding: utf-8 -*-
DDD_TABLE = {
'61' : 'Brasilia',
'71' : 'Salvador',
'11' : 'Sao Paulo',
'21' : 'Rio de Janeiro',
'32' : 'Juiz de Fora',
'19' : 'Campinas',
'27' : 'Vitoria',
'31' : 'Belo Horizonte'
}
def main():
ddd = input()
if ddd in DDD_TABLE:
print(DDD_TABLE[ddd])
else:
print('DDD nao cadastrado')
if __name__ == '__main__':
main() | ddd_table = {'61': 'Brasilia', '71': 'Salvador', '11': 'Sao Paulo', '21': 'Rio de Janeiro', '32': 'Juiz de Fora', '19': 'Campinas', '27': 'Vitoria', '31': 'Belo Horizonte'}
def main():
ddd = input()
if ddd in DDD_TABLE:
print(DDD_TABLE[ddd])
else:
print('DDD nao cadastrado')
if __name__ == '__main__':
main() |
with open('09.txt') as fd:
data = fd.readline().strip()
pos = 0
current = []
stack = []
in_garbage = False
garbage = 0
while pos < len(data):
c = data[pos]
pos += 1
if in_garbage:
if c == '!': pos += 1
elif c == '>': in_garbage = False
else: garbage += 1
else:
if c == '{':
child = []
current.append(child)
stack.append(current)
current = child
elif c == '<': in_garbage = True
elif c == '}':
assert len(stack) > 0, 'unbalanced parens, too many closing'
current = stack.pop()
elif c == ',': pass
else:
raise Exception('unknown char ' + c)
assert len(stack) == 0, 'unbalanced parens, too few closing'
def score(node, depth=0):
return depth + sum(score(n, depth + 1) for n in node)
print(current)
print(score(current))
print(garbage)
| with open('09.txt') as fd:
data = fd.readline().strip()
pos = 0
current = []
stack = []
in_garbage = False
garbage = 0
while pos < len(data):
c = data[pos]
pos += 1
if in_garbage:
if c == '!':
pos += 1
elif c == '>':
in_garbage = False
else:
garbage += 1
elif c == '{':
child = []
current.append(child)
stack.append(current)
current = child
elif c == '<':
in_garbage = True
elif c == '}':
assert len(stack) > 0, 'unbalanced parens, too many closing'
current = stack.pop()
elif c == ',':
pass
else:
raise exception('unknown char ' + c)
assert len(stack) == 0, 'unbalanced parens, too few closing'
def score(node, depth=0):
return depth + sum((score(n, depth + 1) for n in node))
print(current)
print(score(current))
print(garbage) |
# Use the range function to loop through a code set 6 times.
for x in range(6):
print(x)
| for x in range(6):
print(x) |
#!/bin/zsh
while True:
OldmanAge = input()
def AgetoDays(age):
result = int(age) * 365
return result
print(AgetoDays(OldmanAge))
break | while True:
oldman_age = input()
def ageto_days(age):
result = int(age) * 365
return result
print(ageto_days(OldmanAge))
break |
# -*- coding: utf-8 -*-
class Solution:
INTEGER_TO_ALPHABET = {n: chr(ord('a') + n - 1) for n in range(1, 27)}
def freqAlphabets(self, s: str) -> str:
i, result = 0, []
while i < len(s):
if i + 2 < len(s) and s[i + 2] == '#':
result.append(self.INTEGER_TO_ALPHABET[int(s[i:i + 2])])
i += 3
else:
result.append(self.INTEGER_TO_ALPHABET[int(s[i:i + 1])])
i += 1
return ''.join(result)
if __name__ == '__main__':
solution = Solution()
assert 'jkab' == solution.freqAlphabets('10#11#12')
assert 'acz' == solution.freqAlphabets('1326#')
assert 'y' == solution.freqAlphabets('25#')
assert 'abcdefghijklmnopqrstuvwxyz' == solution.freqAlphabets('12345678910#11#12#13#14#15#16#17#18#19#20#21#22#23#24#25#26#')
| class Solution:
integer_to_alphabet = {n: chr(ord('a') + n - 1) for n in range(1, 27)}
def freq_alphabets(self, s: str) -> str:
(i, result) = (0, [])
while i < len(s):
if i + 2 < len(s) and s[i + 2] == '#':
result.append(self.INTEGER_TO_ALPHABET[int(s[i:i + 2])])
i += 3
else:
result.append(self.INTEGER_TO_ALPHABET[int(s[i:i + 1])])
i += 1
return ''.join(result)
if __name__ == '__main__':
solution = solution()
assert 'jkab' == solution.freqAlphabets('10#11#12')
assert 'acz' == solution.freqAlphabets('1326#')
assert 'y' == solution.freqAlphabets('25#')
assert 'abcdefghijklmnopqrstuvwxyz' == solution.freqAlphabets('12345678910#11#12#13#14#15#16#17#18#19#20#21#22#23#24#25#26#') |
def test_get_all_offices(fineract):
offices = [office for office in fineract.get_offices()]
assert len(offices) == 3
def test_get_single_office(fineract):
office = fineract.get_offices(2)
assert office
assert office.name == 'Merida'
def test_get_all_staff(fineract):
staff = [staff for staff in fineract.get_staff()]
assert len(staff) == 3
def test_get_single_staff(fineract):
staff = fineract.get_staff(2)
assert staff
assert staff.display_name == 'M, Mary'
| def test_get_all_offices(fineract):
offices = [office for office in fineract.get_offices()]
assert len(offices) == 3
def test_get_single_office(fineract):
office = fineract.get_offices(2)
assert office
assert office.name == 'Merida'
def test_get_all_staff(fineract):
staff = [staff for staff in fineract.get_staff()]
assert len(staff) == 3
def test_get_single_staff(fineract):
staff = fineract.get_staff(2)
assert staff
assert staff.display_name == 'M, Mary' |
print("\n\t\t-----> Welcome to Matias list changer <-----\t\t\n")
listn = [1,2,3,4,5,6,7,8,9,10]
print(f"\nThis is the list without changes ===> {listn}\n")
listn[4] *= 2
listn[7] *= 2
listn[9] *= 2
print(f"\nThis is the modified list ===> {listn}\n") | print('\n\t\t-----> Welcome to Matias list changer <-----\t\t\n')
listn = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10]
print(f'\nThis is the list without changes ===> {listn}\n')
listn[4] *= 2
listn[7] *= 2
listn[9] *= 2
print(f'\nThis is the modified list ===> {listn}\n') |
class PizzaDelivery:
def __init__(self, name, price, ingredients):
self.name = name
self.price = price
self.ingredients = ingredients
self.ordered = False
def add_extra(self, ingredient, quantity, price_per_ingredient):
if self.ordered:
return f"Pizza {self.name} already prepared, and we can't make any changes!"
if ingredient in self.ingredients:
self.ingredients[ingredient] += quantity
else:
self.ingredients[ingredient] = quantity
self.price += price_per_ingredient * quantity
def remove_ingredient(self, ingredient, quantity, price_per_ingredient):
if self.ordered:
return f"Pizza {self.name} already prepared, and we can't make any changes!"
if ingredient not in self.ingredients:
return f"Wrong ingredient selected! We do not use {ingredient} in {self.name}!"
if self.ingredients[ingredient] < quantity:
return f"Please check again the desired quantity of {ingredient}!"
self.ingredients[ingredient] -= quantity
self.price -= quantity * price_per_ingredient
def make_order(self):
if not self.ordered:
self.ordered = True
ingredients = ', '.join([f'{key}: {value}' for key, value in self.ingredients.items()])
return f"You've ordered pizza {self.name} prepared with {ingredients} and the price will be {self.price}lv."
return f"Pizza {self.name} already prepared, and we can't make any changes!"
margarita = PizzaDelivery('Margarita', 11, {'cheese': 2, 'tomatoes': 1})
margarita.add_extra('mozzarella', 1, 0.5)
margarita.add_extra('cheese', 1, 1)
margarita.remove_ingredient('cheese', 1, 1)
print(margarita.remove_ingredient('bacon', 1, 2.5))
print(margarita.remove_ingredient('tomatoes', 2, 0.5))
margarita.remove_ingredient('cheese', 2, 1)
print(margarita.make_order())
print(margarita.add_extra('cheese', 1, 1))
| class Pizzadelivery:
def __init__(self, name, price, ingredients):
self.name = name
self.price = price
self.ingredients = ingredients
self.ordered = False
def add_extra(self, ingredient, quantity, price_per_ingredient):
if self.ordered:
return f"Pizza {self.name} already prepared, and we can't make any changes!"
if ingredient in self.ingredients:
self.ingredients[ingredient] += quantity
else:
self.ingredients[ingredient] = quantity
self.price += price_per_ingredient * quantity
def remove_ingredient(self, ingredient, quantity, price_per_ingredient):
if self.ordered:
return f"Pizza {self.name} already prepared, and we can't make any changes!"
if ingredient not in self.ingredients:
return f'Wrong ingredient selected! We do not use {ingredient} in {self.name}!'
if self.ingredients[ingredient] < quantity:
return f'Please check again the desired quantity of {ingredient}!'
self.ingredients[ingredient] -= quantity
self.price -= quantity * price_per_ingredient
def make_order(self):
if not self.ordered:
self.ordered = True
ingredients = ', '.join([f'{key}: {value}' for (key, value) in self.ingredients.items()])
return f"You've ordered pizza {self.name} prepared with {ingredients} and the price will be {self.price}lv."
return f"Pizza {self.name} already prepared, and we can't make any changes!"
margarita = pizza_delivery('Margarita', 11, {'cheese': 2, 'tomatoes': 1})
margarita.add_extra('mozzarella', 1, 0.5)
margarita.add_extra('cheese', 1, 1)
margarita.remove_ingredient('cheese', 1, 1)
print(margarita.remove_ingredient('bacon', 1, 2.5))
print(margarita.remove_ingredient('tomatoes', 2, 0.5))
margarita.remove_ingredient('cheese', 2, 1)
print(margarita.make_order())
print(margarita.add_extra('cheese', 1, 1)) |
## CITIES
cities = ['London', 'Constantinople', 'Sydney', 'Leningrad', 'Peking']
# Use bracket notation to change:
# Constantinople to Istanbul
# Leningrad to Saint Petersburg
# Peking to Beijing
cities[1] = 'Istanbul'
cities[3] = 'Saint Petersburg'
cities[4] = 'Beijing'
## DINOSAURS
dinos = ['Tyrannosaurus rex', 'Torosaurus', 'Stegosaurus', 'Brontosaurus']
# Use bracket notation to change:
# Torosaurus to Triceratops
# Brontosaurus to Apatosaurus
dinos[1] = 'Triceratops'
dinos[3] = 'Apatosaurus'
## PLANETS
planets = ['Mercury', 'Venus', 'Earth', 'Mars', 'Jupiter', 'Saturn', 'Uranus', 'Neptune', 'Pluto']
# Remove the last planet using a list method
# and store it in this variable:
not_actually_a_planet = planets.pop()
## GYMNASTS
team_usa = ['Simone Biles']
original_length = len(team_usa)
# Use a list method to add more gymnasts to the list:
# Sunisa Lee, Jordan Chiles, Grace McCallum, MyKayla Skinner
team_usa.append("Sunisa Lee")
team_usa.append("Jordan Chiles")
team_usa.append("Grace McCallum")
team_usa.append("MyKayla Skinner")
# When you're done, there should be 5 gymnasts in the list
new_length = len(team_usa) | cities = ['London', 'Constantinople', 'Sydney', 'Leningrad', 'Peking']
cities[1] = 'Istanbul'
cities[3] = 'Saint Petersburg'
cities[4] = 'Beijing'
dinos = ['Tyrannosaurus rex', 'Torosaurus', 'Stegosaurus', 'Brontosaurus']
dinos[1] = 'Triceratops'
dinos[3] = 'Apatosaurus'
planets = ['Mercury', 'Venus', 'Earth', 'Mars', 'Jupiter', 'Saturn', 'Uranus', 'Neptune', 'Pluto']
not_actually_a_planet = planets.pop()
team_usa = ['Simone Biles']
original_length = len(team_usa)
team_usa.append('Sunisa Lee')
team_usa.append('Jordan Chiles')
team_usa.append('Grace McCallum')
team_usa.append('MyKayla Skinner')
new_length = len(team_usa) |
class Constants:
FW_VERSION = 4
LIGHT_TRANSITION_DURATION = 320
FAST_RECONNECT_WAIT_TIME_BEFORE_RESETING_LIGHTS = 5
HEARTBEAT_INTERVAL = 120
HEARTBEAT_MAX_RESPONSE_TIME = 5
| class Constants:
fw_version = 4
light_transition_duration = 320
fast_reconnect_wait_time_before_reseting_lights = 5
heartbeat_interval = 120
heartbeat_max_response_time = 5 |
class UI_Draw:
def draw(self, context):
layout = self.layout
layout.prop(self, 'auto_presets')
layout.separator()
split = layout.split()
split.prop(self, 'handle', text='Handle')
col = split.column(align=True)
col.prop(self, 'handle_z_top', text='Top')
if self.shape_rnd or self.shape_sq:
col.prop(self, 'handle_l_size', text='Size')
else:
col.prop(self, 'handle_l_size', text='Length')
col.prop(self, 'handle_w_size', text='Width')
col.prop(self, 'handle_z_btm', text='Bottom')
layout.separator()
split = layout.split()
split.label('Girdle')
col = split.column(align=True)
col.prop(self, 'girdle_z_top', text='Top')
if not self.shape_tri:
col.prop(self, 'girdle_l_ofst', text='Size Offset')
else:
col.prop(self, 'girdle_l_ofst', text='Length Offset')
col.prop(self, 'girdle_w_ofst', text='Width Offset')
col.prop(self, 'girdle_z_btm', text='Bottom')
layout.separator()
split = layout.split()
split.prop(self, 'hole', text='Hole')
col = split.column(align=True)
col.prop(self, 'hole_z_top', text='Top/Culet')
if self.shape_rnd or self.shape_sq:
col.prop(self, 'hole_l_size', text='Size')
else:
col.prop(self, 'hole_l_size', text='Length')
col.prop(self, 'hole_w_size', text='Width')
col.prop(self, 'hole_z_btm', text='Bottom')
if self.shape_fant and self.cut in {'PEAR', 'HEART'}:
col.prop(self, 'hole_pos_ofst', text='Position Offset')
if not self.shape_rnd:
layout.separator()
split = layout.split()
split.prop(self, 'curve_seat', text='Curve Seat')
col = split.column(align=True)
col.prop(self, 'curve_seat_segments', text='Segments')
col.prop(self, 'curve_seat_profile', text='Profile')
if self.shape_tri:
layout.separator()
split = layout.split()
split.prop(self, 'curve_profile', text='Curve Profile')
col = split.column(align=True)
col.prop(self, 'curve_profile_segments', text='Segments')
col.prop(self, 'curve_profile_factor', text='Factor')
elif self.cut == 'MARQUISE':
layout.separator()
split = layout.split()
split.label('Profile')
col = split.column(align=True)
col.prop(self, 'mul_1', text='Factor 1')
col.prop(self, 'mul_2', text='Factor 2')
if not self.shape_fant:
layout.separator()
split = layout.split()
split.prop(self, 'bevel_corners', text='Bevel Corners')
col = split.column(align=True)
if self.shape_rect:
col.prop(self, 'bevel_corners_width', text='Width')
else:
col.prop(self, 'bevel_corners_percent', text='Width')
col.prop(self, 'bevel_corners_segments', text='Segments')
col.prop(self, 'bevel_corners_profile', text='Profile')
if self.shape_rnd or self.cut in {'OVAL', 'MARQUISE'}:
layout.separator()
split = layout.split()
split.label('Detalization')
split.prop(self, 'detalization', text='')
| class Ui_Draw:
def draw(self, context):
layout = self.layout
layout.prop(self, 'auto_presets')
layout.separator()
split = layout.split()
split.prop(self, 'handle', text='Handle')
col = split.column(align=True)
col.prop(self, 'handle_z_top', text='Top')
if self.shape_rnd or self.shape_sq:
col.prop(self, 'handle_l_size', text='Size')
else:
col.prop(self, 'handle_l_size', text='Length')
col.prop(self, 'handle_w_size', text='Width')
col.prop(self, 'handle_z_btm', text='Bottom')
layout.separator()
split = layout.split()
split.label('Girdle')
col = split.column(align=True)
col.prop(self, 'girdle_z_top', text='Top')
if not self.shape_tri:
col.prop(self, 'girdle_l_ofst', text='Size Offset')
else:
col.prop(self, 'girdle_l_ofst', text='Length Offset')
col.prop(self, 'girdle_w_ofst', text='Width Offset')
col.prop(self, 'girdle_z_btm', text='Bottom')
layout.separator()
split = layout.split()
split.prop(self, 'hole', text='Hole')
col = split.column(align=True)
col.prop(self, 'hole_z_top', text='Top/Culet')
if self.shape_rnd or self.shape_sq:
col.prop(self, 'hole_l_size', text='Size')
else:
col.prop(self, 'hole_l_size', text='Length')
col.prop(self, 'hole_w_size', text='Width')
col.prop(self, 'hole_z_btm', text='Bottom')
if self.shape_fant and self.cut in {'PEAR', 'HEART'}:
col.prop(self, 'hole_pos_ofst', text='Position Offset')
if not self.shape_rnd:
layout.separator()
split = layout.split()
split.prop(self, 'curve_seat', text='Curve Seat')
col = split.column(align=True)
col.prop(self, 'curve_seat_segments', text='Segments')
col.prop(self, 'curve_seat_profile', text='Profile')
if self.shape_tri:
layout.separator()
split = layout.split()
split.prop(self, 'curve_profile', text='Curve Profile')
col = split.column(align=True)
col.prop(self, 'curve_profile_segments', text='Segments')
col.prop(self, 'curve_profile_factor', text='Factor')
elif self.cut == 'MARQUISE':
layout.separator()
split = layout.split()
split.label('Profile')
col = split.column(align=True)
col.prop(self, 'mul_1', text='Factor 1')
col.prop(self, 'mul_2', text='Factor 2')
if not self.shape_fant:
layout.separator()
split = layout.split()
split.prop(self, 'bevel_corners', text='Bevel Corners')
col = split.column(align=True)
if self.shape_rect:
col.prop(self, 'bevel_corners_width', text='Width')
else:
col.prop(self, 'bevel_corners_percent', text='Width')
col.prop(self, 'bevel_corners_segments', text='Segments')
col.prop(self, 'bevel_corners_profile', text='Profile')
if self.shape_rnd or self.cut in {'OVAL', 'MARQUISE'}:
layout.separator()
split = layout.split()
split.label('Detalization')
split.prop(self, 'detalization', text='') |
TWITTER_DIR = "twitter_data"
TWITTER_RAW_DIR = "raw"
TWITTER_PARQUET_DIR = "parquet"
TWITTER_RAW_SCHEMA = "twitter_schema.json" | twitter_dir = 'twitter_data'
twitter_raw_dir = 'raw'
twitter_parquet_dir = 'parquet'
twitter_raw_schema = 'twitter_schema.json' |
matriz = []
for i in range(2):
matriz.append(list(map(int, input().split())))
linhaMaior, colMaior = 0, 0
for linha in range(len(matriz)):
for elemento in range(len(matriz[linha])):
if matriz[linha][elemento] > matriz[linhaMaior][colMaior]:
linhaMaior, colMaior = linha, elemento
print(
f"Maior elemento: M[{linhaMaior + 1}][{colMaior + 1}] = {matriz[linhaMaior][colMaior]}")
| matriz = []
for i in range(2):
matriz.append(list(map(int, input().split())))
(linha_maior, col_maior) = (0, 0)
for linha in range(len(matriz)):
for elemento in range(len(matriz[linha])):
if matriz[linha][elemento] > matriz[linhaMaior][colMaior]:
(linha_maior, col_maior) = (linha, elemento)
print(f'Maior elemento: M[{linhaMaior + 1}][{colMaior + 1}] = {matriz[linhaMaior][colMaior]}') |
SLIP39_WORDS = [
"academic",
"acid",
"acne",
"acquire",
"acrobat",
"activity",
"actress",
"adapt",
"adequate",
"adjust",
"admit",
"adorn",
"adult",
"advance",
"advocate",
"afraid",
"again",
"agency",
"agree",
"aide",
"aircraft",
"airline",
"airport",
"ajar",
"alarm",
"album",
"alcohol",
"alien",
"alive",
"alpha",
"already",
"alto",
"aluminum",
"always",
"amazing",
"ambition",
"amount",
"amuse",
"analysis",
"anatomy",
"ancestor",
"ancient",
"angel",
"angry",
"animal",
"answer",
"antenna",
"anxiety",
"apart",
"aquatic",
"arcade",
"arena",
"argue",
"armed",
"artist",
"artwork",
"aspect",
"auction",
"august",
"aunt",
"average",
"aviation",
"avoid",
"award",
"away",
"axis",
"axle",
"beam",
"beard",
"beaver",
"become",
"bedroom",
"behavior",
"being",
"believe",
"belong",
"benefit",
"best",
"beyond",
"bike",
"biology",
"birthday",
"bishop",
"black",
"blanket",
"blessing",
"blimp",
"blind",
"blue",
"body",
"bolt",
"boring",
"born",
"both",
"boundary",
"bracelet",
"branch",
"brave",
"breathe",
"briefing",
"broken",
"brother",
"browser",
"bucket",
"budget",
"building",
"bulb",
"bulge",
"bumpy",
"bundle",
"burden",
"burning",
"busy",
"buyer",
"cage",
"calcium",
"camera",
"campus",
"canyon",
"capacity",
"capital",
"capture",
"carbon",
"cards",
"careful",
"cargo",
"carpet",
"carve",
"category",
"cause",
"ceiling",
"center",
"ceramic",
"champion",
"change",
"charity",
"check",
"chemical",
"chest",
"chew",
"chubby",
"cinema",
"civil",
"class",
"clay",
"cleanup",
"client",
"climate",
"clinic",
"clock",
"clogs",
"closet",
"clothes",
"club",
"cluster",
"coal",
"coastal",
"coding",
"column",
"company",
"corner",
"costume",
"counter",
"course",
"cover",
"cowboy",
"cradle",
"craft",
"crazy",
"credit",
"cricket",
"criminal",
"crisis",
"critical",
"crowd",
"crucial",
"crunch",
"crush",
"crystal",
"cubic",
"cultural",
"curious",
"curly",
"custody",
"cylinder",
"daisy",
"damage",
"dance",
"darkness",
"database",
"daughter",
"deadline",
"deal",
"debris",
"debut",
"decent",
"decision",
"declare",
"decorate",
"decrease",
"deliver",
"demand",
"density",
"deny",
"depart",
"depend",
"depict",
"deploy",
"describe",
"desert",
"desire",
"desktop",
"destroy",
"detailed",
"detect",
"device",
"devote",
"diagnose",
"dictate",
"diet",
"dilemma",
"diminish",
"dining",
"diploma",
"disaster",
"discuss",
"disease",
"dish",
"dismiss",
"display",
"distance",
"dive",
"divorce",
"document",
"domain",
"domestic",
"dominant",
"dough",
"downtown",
"dragon",
"dramatic",
"dream",
"dress",
"drift",
"drink",
"drove",
"drug",
"dryer",
"duckling",
"duke",
"duration",
"dwarf",
"dynamic",
"early",
"earth",
"easel",
"easy",
"echo",
"eclipse",
"ecology",
"edge",
"editor",
"educate",
"either",
"elbow",
"elder",
"election",
"elegant",
"element",
"elephant",
"elevator",
"elite",
"else",
"email",
"emerald",
"emission",
"emperor",
"emphasis",
"employer",
"empty",
"ending",
"endless",
"endorse",
"enemy",
"energy",
"enforce",
"engage",
"enjoy",
"enlarge",
"entrance",
"envelope",
"envy",
"epidemic",
"episode",
"equation",
"equip",
"eraser",
"erode",
"escape",
"estate",
"estimate",
"evaluate",
"evening",
"evidence",
"evil",
"evoke",
"exact",
"example",
"exceed",
"exchange",
"exclude",
"excuse",
"execute",
"exercise",
"exhaust",
"exotic",
"expand",
"expect",
"explain",
"express",
"extend",
"extra",
"eyebrow",
"facility",
"fact",
"failure",
"faint",
"fake",
"false",
"family",
"famous",
"fancy",
"fangs",
"fantasy",
"fatal",
"fatigue",
"favorite",
"fawn",
"fiber",
"fiction",
"filter",
"finance",
"findings",
"finger",
"firefly",
"firm",
"fiscal",
"fishing",
"fitness",
"flame",
"flash",
"flavor",
"flea",
"flexible",
"flip",
"float",
"floral",
"fluff",
"focus",
"forbid",
"force",
"forecast",
"forget",
"formal",
"fortune",
"forward",
"founder",
"fraction",
"fragment",
"frequent",
"freshman",
"friar",
"fridge",
"friendly",
"frost",
"froth",
"frozen",
"fumes",
"funding",
"furl",
"fused",
"galaxy",
"game",
"garbage",
"garden",
"garlic",
"gasoline",
"gather",
"general",
"genius",
"genre",
"genuine",
"geology",
"gesture",
"glad",
"glance",
"glasses",
"glen",
"glimpse",
"goat",
"golden",
"graduate",
"grant",
"grasp",
"gravity",
"gray",
"greatest",
"grief",
"grill",
"grin",
"grocery",
"gross",
"group",
"grownup",
"grumpy",
"guard",
"guest",
"guilt",
"guitar",
"gums",
"hairy",
"hamster",
"hand",
"hanger",
"harvest",
"have",
"havoc",
"hawk",
"hazard",
"headset",
"health",
"hearing",
"heat",
"helpful",
"herald",
"herd",
"hesitate",
"hobo",
"holiday",
"holy",
"home",
"hormone",
"hospital",
"hour",
"huge",
"human",
"humidity",
"hunting",
"husband",
"hush",
"husky",
"hybrid",
"idea",
"identify",
"idle",
"image",
"impact",
"imply",
"improve",
"impulse",
"include",
"income",
"increase",
"index",
"indicate",
"industry",
"infant",
"inform",
"inherit",
"injury",
"inmate",
"insect",
"inside",
"install",
"intend",
"intimate",
"invasion",
"involve",
"iris",
"island",
"isolate",
"item",
"ivory",
"jacket",
"jerky",
"jewelry",
"join",
"judicial",
"juice",
"jump",
"junction",
"junior",
"junk",
"jury",
"justice",
"kernel",
"keyboard",
"kidney",
"kind",
"kitchen",
"knife",
"knit",
"laden",
"ladle",
"ladybug",
"lair",
"lamp",
"language",
"large",
"laser",
"laundry",
"lawsuit",
"leader",
"leaf",
"learn",
"leaves",
"lecture",
"legal",
"legend",
"legs",
"lend",
"length",
"level",
"liberty",
"library",
"license",
"lift",
"likely",
"lilac",
"lily",
"lips",
"liquid",
"listen",
"literary",
"living",
"lizard",
"loan",
"lobe",
"location",
"losing",
"loud",
"loyalty",
"luck",
"lunar",
"lunch",
"lungs",
"luxury",
"lying",
"lyrics",
"machine",
"magazine",
"maiden",
"mailman",
"main",
"makeup",
"making",
"mama",
"manager",
"mandate",
"mansion",
"manual",
"marathon",
"march",
"market",
"marvel",
"mason",
"material",
"math",
"maximum",
"mayor",
"meaning",
"medal",
"medical",
"member",
"memory",
"mental",
"merchant",
"merit",
"method",
"metric",
"midst",
"mild",
"military",
"mineral",
"minister",
"miracle",
"mixed",
"mixture",
"mobile",
"modern",
"modify",
"moisture",
"moment",
"morning",
"mortgage",
"mother",
"mountain",
"mouse",
"move",
"much",
"mule",
"multiple",
"muscle",
"museum",
"music",
"mustang",
"nail",
"national",
"necklace",
"negative",
"nervous",
"network",
"news",
"nuclear",
"numb",
"numerous",
"nylon",
"oasis",
"obesity",
"object",
"observe",
"obtain",
"ocean",
"often",
"olympic",
"omit",
"oral",
"orange",
"orbit",
"order",
"ordinary",
"organize",
"ounce",
"oven",
"overall",
"owner",
"paces",
"pacific",
"package",
"paid",
"painting",
"pajamas",
"pancake",
"pants",
"papa",
"paper",
"parcel",
"parking",
"party",
"patent",
"patrol",
"payment",
"payroll",
"peaceful",
"peanut",
"peasant",
"pecan",
"penalty",
"pencil",
"percent",
"perfect",
"permit",
"petition",
"phantom",
"pharmacy",
"photo",
"phrase",
"physics",
"pickup",
"picture",
"piece",
"pile",
"pink",
"pipeline",
"pistol",
"pitch",
"plains",
"plan",
"plastic",
"platform",
"playoff",
"pleasure",
"plot",
"plunge",
"practice",
"prayer",
"preach",
"predator",
"pregnant",
"premium",
"prepare",
"presence",
"prevent",
"priest",
"primary",
"priority",
"prisoner",
"privacy",
"prize",
"problem",
"process",
"profile",
"program",
"promise",
"prospect",
"provide",
"prune",
"public",
"pulse",
"pumps",
"punish",
"puny",
"pupal",
"purchase",
"purple",
"python",
"quantity",
"quarter",
"quick",
"quiet",
"race",
"racism",
"radar",
"railroad",
"rainbow",
"raisin",
"random",
"ranked",
"rapids",
"raspy",
"reaction",
"realize",
"rebound",
"rebuild",
"recall",
"receiver",
"recover",
"regret",
"regular",
"reject",
"relate",
"remember",
"remind",
"remove",
"render",
"repair",
"repeat",
"replace",
"require",
"rescue",
"research",
"resident",
"response",
"result",
"retailer",
"retreat",
"reunion",
"revenue",
"review",
"reward",
"rhyme",
"rhythm",
"rich",
"rival",
"river",
"robin",
"rocky",
"romantic",
"romp",
"roster",
"round",
"royal",
"ruin",
"ruler",
"rumor",
"sack",
"safari",
"salary",
"salon",
"salt",
"satisfy",
"satoshi",
"saver",
"says",
"scandal",
"scared",
"scatter",
"scene",
"scholar",
"science",
"scout",
"scramble",
"screw",
"script",
"scroll",
"seafood",
"season",
"secret",
"security",
"segment",
"senior",
"shadow",
"shaft",
"shame",
"shaped",
"sharp",
"shelter",
"sheriff",
"short",
"should",
"shrimp",
"sidewalk",
"silent",
"silver",
"similar",
"simple",
"single",
"sister",
"skin",
"skunk",
"slap",
"slavery",
"sled",
"slice",
"slim",
"slow",
"slush",
"smart",
"smear",
"smell",
"smirk",
"smith",
"smoking",
"smug",
"snake",
"snapshot",
"sniff",
"society",
"software",
"soldier",
"solution",
"soul",
"source",
"space",
"spark",
"speak",
"species",
"spelling",
"spend",
"spew",
"spider",
"spill",
"spine",
"spirit",
"spit",
"spray",
"sprinkle",
"square",
"squeeze",
"stadium",
"staff",
"standard",
"starting",
"station",
"stay",
"steady",
"step",
"stick",
"stilt",
"story",
"strategy",
"strike",
"style",
"subject",
"submit",
"sugar",
"suitable",
"sunlight",
"superior",
"surface",
"surprise",
"survive",
"sweater",
"swimming",
"swing",
"switch",
"symbolic",
"sympathy",
"syndrome",
"system",
"tackle",
"tactics",
"tadpole",
"talent",
"task",
"taste",
"taught",
"taxi",
"teacher",
"teammate",
"teaspoon",
"temple",
"tenant",
"tendency",
"tension",
"terminal",
"testify",
"texture",
"thank",
"that",
"theater",
"theory",
"therapy",
"thorn",
"threaten",
"thumb",
"thunder",
"ticket",
"tidy",
"timber",
"timely",
"ting",
"tofu",
"together",
"tolerate",
"total",
"toxic",
"tracks",
"traffic",
"training",
"transfer",
"trash",
"traveler",
"treat",
"trend",
"trial",
"tricycle",
"trip",
"triumph",
"trouble",
"true",
"trust",
"twice",
"twin",
"type",
"typical",
"ugly",
"ultimate",
"umbrella",
"uncover",
"undergo",
"unfair",
"unfold",
"unhappy",
"union",
"universe",
"unkind",
"unknown",
"unusual",
"unwrap",
"upgrade",
"upstairs",
"username",
"usher",
"usual",
"valid",
"valuable",
"vampire",
"vanish",
"various",
"vegan",
"velvet",
"venture",
"verdict",
"verify",
"very",
"veteran",
"vexed",
"victim",
"video",
"view",
"vintage",
"violence",
"viral",
"visitor",
"visual",
"vitamins",
"vocal",
"voice",
"volume",
"voter",
"voting",
"walnut",
"warmth",
"warn",
"watch",
"wavy",
"wealthy",
"weapon",
"webcam",
"welcome",
"welfare",
"western",
"width",
"wildlife",
"window",
"wine",
"wireless",
"wisdom",
"withdraw",
"wits",
"wolf",
"woman",
"work",
"worthy",
"wrap",
"wrist",
"writing",
"wrote",
"year",
"yelp",
"yield",
"yoga",
"zero",
]
| slip39_words = ['academic', 'acid', 'acne', 'acquire', 'acrobat', 'activity', 'actress', 'adapt', 'adequate', 'adjust', 'admit', 'adorn', 'adult', 'advance', 'advocate', 'afraid', 'again', 'agency', 'agree', 'aide', 'aircraft', 'airline', 'airport', 'ajar', 'alarm', 'album', 'alcohol', 'alien', 'alive', 'alpha', 'already', 'alto', 'aluminum', 'always', 'amazing', 'ambition', 'amount', 'amuse', 'analysis', 'anatomy', 'ancestor', 'ancient', 'angel', 'angry', 'animal', 'answer', 'antenna', 'anxiety', 'apart', 'aquatic', 'arcade', 'arena', 'argue', 'armed', 'artist', 'artwork', 'aspect', 'auction', 'august', 'aunt', 'average', 'aviation', 'avoid', 'award', 'away', 'axis', 'axle', 'beam', 'beard', 'beaver', 'become', 'bedroom', 'behavior', 'being', 'believe', 'belong', 'benefit', 'best', 'beyond', 'bike', 'biology', 'birthday', 'bishop', 'black', 'blanket', 'blessing', 'blimp', 'blind', 'blue', 'body', 'bolt', 'boring', 'born', 'both', 'boundary', 'bracelet', 'branch', 'brave', 'breathe', 'briefing', 'broken', 'brother', 'browser', 'bucket', 'budget', 'building', 'bulb', 'bulge', 'bumpy', 'bundle', 'burden', 'burning', 'busy', 'buyer', 'cage', 'calcium', 'camera', 'campus', 'canyon', 'capacity', 'capital', 'capture', 'carbon', 'cards', 'careful', 'cargo', 'carpet', 'carve', 'category', 'cause', 'ceiling', 'center', 'ceramic', 'champion', 'change', 'charity', 'check', 'chemical', 'chest', 'chew', 'chubby', 'cinema', 'civil', 'class', 'clay', 'cleanup', 'client', 'climate', 'clinic', 'clock', 'clogs', 'closet', 'clothes', 'club', 'cluster', 'coal', 'coastal', 'coding', 'column', 'company', 'corner', 'costume', 'counter', 'course', 'cover', 'cowboy', 'cradle', 'craft', 'crazy', 'credit', 'cricket', 'criminal', 'crisis', 'critical', 'crowd', 'crucial', 'crunch', 'crush', 'crystal', 'cubic', 'cultural', 'curious', 'curly', 'custody', 'cylinder', 'daisy', 'damage', 'dance', 'darkness', 'database', 'daughter', 'deadline', 'deal', 'debris', 'debut', 'decent', 'decision', 'declare', 'decorate', 'decrease', 'deliver', 'demand', 'density', 'deny', 'depart', 'depend', 'depict', 'deploy', 'describe', 'desert', 'desire', 'desktop', 'destroy', 'detailed', 'detect', 'device', 'devote', 'diagnose', 'dictate', 'diet', 'dilemma', 'diminish', 'dining', 'diploma', 'disaster', 'discuss', 'disease', 'dish', 'dismiss', 'display', 'distance', 'dive', 'divorce', 'document', 'domain', 'domestic', 'dominant', 'dough', 'downtown', 'dragon', 'dramatic', 'dream', 'dress', 'drift', 'drink', 'drove', 'drug', 'dryer', 'duckling', 'duke', 'duration', 'dwarf', 'dynamic', 'early', 'earth', 'easel', 'easy', 'echo', 'eclipse', 'ecology', 'edge', 'editor', 'educate', 'either', 'elbow', 'elder', 'election', 'elegant', 'element', 'elephant', 'elevator', 'elite', 'else', 'email', 'emerald', 'emission', 'emperor', 'emphasis', 'employer', 'empty', 'ending', 'endless', 'endorse', 'enemy', 'energy', 'enforce', 'engage', 'enjoy', 'enlarge', 'entrance', 'envelope', 'envy', 'epidemic', 'episode', 'equation', 'equip', 'eraser', 'erode', 'escape', 'estate', 'estimate', 'evaluate', 'evening', 'evidence', 'evil', 'evoke', 'exact', 'example', 'exceed', 'exchange', 'exclude', 'excuse', 'execute', 'exercise', 'exhaust', 'exotic', 'expand', 'expect', 'explain', 'express', 'extend', 'extra', 'eyebrow', 'facility', 'fact', 'failure', 'faint', 'fake', 'false', 'family', 'famous', 'fancy', 'fangs', 'fantasy', 'fatal', 'fatigue', 'favorite', 'fawn', 'fiber', 'fiction', 'filter', 'finance', 'findings', 'finger', 'firefly', 'firm', 'fiscal', 'fishing', 'fitness', 'flame', 'flash', 'flavor', 'flea', 'flexible', 'flip', 'float', 'floral', 'fluff', 'focus', 'forbid', 'force', 'forecast', 'forget', 'formal', 'fortune', 'forward', 'founder', 'fraction', 'fragment', 'frequent', 'freshman', 'friar', 'fridge', 'friendly', 'frost', 'froth', 'frozen', 'fumes', 'funding', 'furl', 'fused', 'galaxy', 'game', 'garbage', 'garden', 'garlic', 'gasoline', 'gather', 'general', 'genius', 'genre', 'genuine', 'geology', 'gesture', 'glad', 'glance', 'glasses', 'glen', 'glimpse', 'goat', 'golden', 'graduate', 'grant', 'grasp', 'gravity', 'gray', 'greatest', 'grief', 'grill', 'grin', 'grocery', 'gross', 'group', 'grownup', 'grumpy', 'guard', 'guest', 'guilt', 'guitar', 'gums', 'hairy', 'hamster', 'hand', 'hanger', 'harvest', 'have', 'havoc', 'hawk', 'hazard', 'headset', 'health', 'hearing', 'heat', 'helpful', 'herald', 'herd', 'hesitate', 'hobo', 'holiday', 'holy', 'home', 'hormone', 'hospital', 'hour', 'huge', 'human', 'humidity', 'hunting', 'husband', 'hush', 'husky', 'hybrid', 'idea', 'identify', 'idle', 'image', 'impact', 'imply', 'improve', 'impulse', 'include', 'income', 'increase', 'index', 'indicate', 'industry', 'infant', 'inform', 'inherit', 'injury', 'inmate', 'insect', 'inside', 'install', 'intend', 'intimate', 'invasion', 'involve', 'iris', 'island', 'isolate', 'item', 'ivory', 'jacket', 'jerky', 'jewelry', 'join', 'judicial', 'juice', 'jump', 'junction', 'junior', 'junk', 'jury', 'justice', 'kernel', 'keyboard', 'kidney', 'kind', 'kitchen', 'knife', 'knit', 'laden', 'ladle', 'ladybug', 'lair', 'lamp', 'language', 'large', 'laser', 'laundry', 'lawsuit', 'leader', 'leaf', 'learn', 'leaves', 'lecture', 'legal', 'legend', 'legs', 'lend', 'length', 'level', 'liberty', 'library', 'license', 'lift', 'likely', 'lilac', 'lily', 'lips', 'liquid', 'listen', 'literary', 'living', 'lizard', 'loan', 'lobe', 'location', 'losing', 'loud', 'loyalty', 'luck', 'lunar', 'lunch', 'lungs', 'luxury', 'lying', 'lyrics', 'machine', 'magazine', 'maiden', 'mailman', 'main', 'makeup', 'making', 'mama', 'manager', 'mandate', 'mansion', 'manual', 'marathon', 'march', 'market', 'marvel', 'mason', 'material', 'math', 'maximum', 'mayor', 'meaning', 'medal', 'medical', 'member', 'memory', 'mental', 'merchant', 'merit', 'method', 'metric', 'midst', 'mild', 'military', 'mineral', 'minister', 'miracle', 'mixed', 'mixture', 'mobile', 'modern', 'modify', 'moisture', 'moment', 'morning', 'mortgage', 'mother', 'mountain', 'mouse', 'move', 'much', 'mule', 'multiple', 'muscle', 'museum', 'music', 'mustang', 'nail', 'national', 'necklace', 'negative', 'nervous', 'network', 'news', 'nuclear', 'numb', 'numerous', 'nylon', 'oasis', 'obesity', 'object', 'observe', 'obtain', 'ocean', 'often', 'olympic', 'omit', 'oral', 'orange', 'orbit', 'order', 'ordinary', 'organize', 'ounce', 'oven', 'overall', 'owner', 'paces', 'pacific', 'package', 'paid', 'painting', 'pajamas', 'pancake', 'pants', 'papa', 'paper', 'parcel', 'parking', 'party', 'patent', 'patrol', 'payment', 'payroll', 'peaceful', 'peanut', 'peasant', 'pecan', 'penalty', 'pencil', 'percent', 'perfect', 'permit', 'petition', 'phantom', 'pharmacy', 'photo', 'phrase', 'physics', 'pickup', 'picture', 'piece', 'pile', 'pink', 'pipeline', 'pistol', 'pitch', 'plains', 'plan', 'plastic', 'platform', 'playoff', 'pleasure', 'plot', 'plunge', 'practice', 'prayer', 'preach', 'predator', 'pregnant', 'premium', 'prepare', 'presence', 'prevent', 'priest', 'primary', 'priority', 'prisoner', 'privacy', 'prize', 'problem', 'process', 'profile', 'program', 'promise', 'prospect', 'provide', 'prune', 'public', 'pulse', 'pumps', 'punish', 'puny', 'pupal', 'purchase', 'purple', 'python', 'quantity', 'quarter', 'quick', 'quiet', 'race', 'racism', 'radar', 'railroad', 'rainbow', 'raisin', 'random', 'ranked', 'rapids', 'raspy', 'reaction', 'realize', 'rebound', 'rebuild', 'recall', 'receiver', 'recover', 'regret', 'regular', 'reject', 'relate', 'remember', 'remind', 'remove', 'render', 'repair', 'repeat', 'replace', 'require', 'rescue', 'research', 'resident', 'response', 'result', 'retailer', 'retreat', 'reunion', 'revenue', 'review', 'reward', 'rhyme', 'rhythm', 'rich', 'rival', 'river', 'robin', 'rocky', 'romantic', 'romp', 'roster', 'round', 'royal', 'ruin', 'ruler', 'rumor', 'sack', 'safari', 'salary', 'salon', 'salt', 'satisfy', 'satoshi', 'saver', 'says', 'scandal', 'scared', 'scatter', 'scene', 'scholar', 'science', 'scout', 'scramble', 'screw', 'script', 'scroll', 'seafood', 'season', 'secret', 'security', 'segment', 'senior', 'shadow', 'shaft', 'shame', 'shaped', 'sharp', 'shelter', 'sheriff', 'short', 'should', 'shrimp', 'sidewalk', 'silent', 'silver', 'similar', 'simple', 'single', 'sister', 'skin', 'skunk', 'slap', 'slavery', 'sled', 'slice', 'slim', 'slow', 'slush', 'smart', 'smear', 'smell', 'smirk', 'smith', 'smoking', 'smug', 'snake', 'snapshot', 'sniff', 'society', 'software', 'soldier', 'solution', 'soul', 'source', 'space', 'spark', 'speak', 'species', 'spelling', 'spend', 'spew', 'spider', 'spill', 'spine', 'spirit', 'spit', 'spray', 'sprinkle', 'square', 'squeeze', 'stadium', 'staff', 'standard', 'starting', 'station', 'stay', 'steady', 'step', 'stick', 'stilt', 'story', 'strategy', 'strike', 'style', 'subject', 'submit', 'sugar', 'suitable', 'sunlight', 'superior', 'surface', 'surprise', 'survive', 'sweater', 'swimming', 'swing', 'switch', 'symbolic', 'sympathy', 'syndrome', 'system', 'tackle', 'tactics', 'tadpole', 'talent', 'task', 'taste', 'taught', 'taxi', 'teacher', 'teammate', 'teaspoon', 'temple', 'tenant', 'tendency', 'tension', 'terminal', 'testify', 'texture', 'thank', 'that', 'theater', 'theory', 'therapy', 'thorn', 'threaten', 'thumb', 'thunder', 'ticket', 'tidy', 'timber', 'timely', 'ting', 'tofu', 'together', 'tolerate', 'total', 'toxic', 'tracks', 'traffic', 'training', 'transfer', 'trash', 'traveler', 'treat', 'trend', 'trial', 'tricycle', 'trip', 'triumph', 'trouble', 'true', 'trust', 'twice', 'twin', 'type', 'typical', 'ugly', 'ultimate', 'umbrella', 'uncover', 'undergo', 'unfair', 'unfold', 'unhappy', 'union', 'universe', 'unkind', 'unknown', 'unusual', 'unwrap', 'upgrade', 'upstairs', 'username', 'usher', 'usual', 'valid', 'valuable', 'vampire', 'vanish', 'various', 'vegan', 'velvet', 'venture', 'verdict', 'verify', 'very', 'veteran', 'vexed', 'victim', 'video', 'view', 'vintage', 'violence', 'viral', 'visitor', 'visual', 'vitamins', 'vocal', 'voice', 'volume', 'voter', 'voting', 'walnut', 'warmth', 'warn', 'watch', 'wavy', 'wealthy', 'weapon', 'webcam', 'welcome', 'welfare', 'western', 'width', 'wildlife', 'window', 'wine', 'wireless', 'wisdom', 'withdraw', 'wits', 'wolf', 'woman', 'work', 'worthy', 'wrap', 'wrist', 'writing', 'wrote', 'year', 'yelp', 'yield', 'yoga', 'zero'] |
class Model:
def __init__(self):
self.SoC = 0.0
self.io = 0.0
def step(self, value):
if self.SoC > 0.95 and self.io == 1.0:
self.io = 0.0
if self.SoC < 0.05 and self.io == 0.0:
self.io = 1.0
| class Model:
def __init__(self):
self.SoC = 0.0
self.io = 0.0
def step(self, value):
if self.SoC > 0.95 and self.io == 1.0:
self.io = 0.0
if self.SoC < 0.05 and self.io == 0.0:
self.io = 1.0 |
def is_valid_index(r, c, board_size):
return r in range(board_size) and c in range(board_size)
def calculate_kills(matrix, r, c):
kills = 0
possible_moves = [
(-2, -1), (-2, 1), (-1, -2), (-1, 2), (1, -2), (2, -1), (2, 1), (1, 2)
]
for idx in range(len(possible_moves)):
row = r + possible_moves[idx][0]
col = c + possible_moves[idx][1]
if is_valid_index(row, col, len(matrix)) and \
matrix[row][col] == "K":
kills += 1
return kills
size = int(input())
board = [[x for x in list(input())] for _ in range(size)]
removed_knights = 0
while True:
max_kills = 0
knight_position = set()
for r in range(size):
for c in range(size):
if board[r][c] == "K":
kills = calculate_kills(board, r, c)
if kills > max_kills:
max_kills = kills
knight_position = (r, c)
if not knight_position:
break
row, col = knight_position
board[row][col] = "O"
removed_knights += 1
print(removed_knights)
| def is_valid_index(r, c, board_size):
return r in range(board_size) and c in range(board_size)
def calculate_kills(matrix, r, c):
kills = 0
possible_moves = [(-2, -1), (-2, 1), (-1, -2), (-1, 2), (1, -2), (2, -1), (2, 1), (1, 2)]
for idx in range(len(possible_moves)):
row = r + possible_moves[idx][0]
col = c + possible_moves[idx][1]
if is_valid_index(row, col, len(matrix)) and matrix[row][col] == 'K':
kills += 1
return kills
size = int(input())
board = [[x for x in list(input())] for _ in range(size)]
removed_knights = 0
while True:
max_kills = 0
knight_position = set()
for r in range(size):
for c in range(size):
if board[r][c] == 'K':
kills = calculate_kills(board, r, c)
if kills > max_kills:
max_kills = kills
knight_position = (r, c)
if not knight_position:
break
(row, col) = knight_position
board[row][col] = 'O'
removed_knights += 1
print(removed_knights) |
# settings.py
#
# aws-clean will not destroy things in the whitelist for global resources
# please put under the global region. I recommend just adding to the lists provided
# unless you are trying to provide a new cleaner.
#
#
# What value do I put in for each resource>
#
# s3_buckets - BucketName
# ec2_instances - Instance-id
# rds_instances - DbIndentifier
# dynamo_tables - TableName
# redshift_clusters - ClusterIdentifier
# ecs_clusters - Cluster ARN
WHITELIST = {
"global": {
"s3_buckets": [
]
},
"us-east-1": {
"ec2_instances": [
],
"rds_instances": [
],
"lambda_functions": [
],
"dynamo_tables": [
],
"redshift_clusters": [
],
"ecs_clusters": [
],
"efs": [
]
},
"us-east-2": {
"ec2_instances": [
],
"rds_instances": [
],
"lambda_functions": [
],
"dynamo_tables": [
],
"redshift_clusters": [
],
"ecs_clusters": [
],
"efs": [
]
}
}
# regions that aws-clean will go through. global is things like S3 and IAM
REGIONS = [
"global",
"us-east-1",
"us-east-2"
]
RESULTS_DIR = "results"
RESULTS_FILENAME = "aws_clean"
| whitelist = {'global': {'s3_buckets': []}, 'us-east-1': {'ec2_instances': [], 'rds_instances': [], 'lambda_functions': [], 'dynamo_tables': [], 'redshift_clusters': [], 'ecs_clusters': [], 'efs': []}, 'us-east-2': {'ec2_instances': [], 'rds_instances': [], 'lambda_functions': [], 'dynamo_tables': [], 'redshift_clusters': [], 'ecs_clusters': [], 'efs': []}}
regions = ['global', 'us-east-1', 'us-east-2']
results_dir = 'results'
results_filename = 'aws_clean' |
### YOUR CODE FOR openLocks() FUNCTION GOES HERE ###
def openLocks(number_of_lockers , number_of_students):
if type(number_of_lockers) == str or type(number_of_students) == str or number_of_lockers < 0 or number_of_students <0:
return None
if number_of_lockers == 0 or number_of_students == 0:
return 0
locks = [1] * number_of_lockers # in this closed locker means lock[0] and open mean lock[1]
open_locks = 0
for students in range(1 ,number_of_students+1):
for lockers in range(1 , number_of_lockers+1):
if lockers % students == 0:
if students > 1:
if locks[lockers - 1] == 1:
locks[lockers - 1] = 0
else:
locks[lockers - 1] = 1
for openlocks in range(1 , number_of_lockers+1):
if locks[openlocks-1] == 1:
open_locks += 1
return open_locks
#### End OF MARKER
### YOUR CODE FOR mostTouchableLocker() FUNCTION GOES HERE ###
def mostTouchableLocker(number_of_lockers , number_of_students):
x = 0
z = 0
if number_of_lockers < 0 or number_of_students < 0:
return None
if number_of_lockers == 0 or number_of_students == 0 :
return 0
if number_of_lockers < number_of_students or number_of_lockers%number_of_students == 0:
for lockers in range(1 , number_of_lockers+1):
y = 0
for i in range(1 , lockers+1):
if lockers % i == 0:
y+=1
if y >= x:
x = y
if y >= x:
z = lockers
return z
else:
for lockers in range(1 , number_of_students+1):
y = 0
for i in range(1 , lockers+1):
if lockers % i == 0:
y+=1
if y >= x:
x = y
if y >= x:
z = lockers
return z
#### End OF MARKER
| def open_locks(number_of_lockers, number_of_students):
if type(number_of_lockers) == str or type(number_of_students) == str or number_of_lockers < 0 or (number_of_students < 0):
return None
if number_of_lockers == 0 or number_of_students == 0:
return 0
locks = [1] * number_of_lockers
open_locks = 0
for students in range(1, number_of_students + 1):
for lockers in range(1, number_of_lockers + 1):
if lockers % students == 0:
if students > 1:
if locks[lockers - 1] == 1:
locks[lockers - 1] = 0
else:
locks[lockers - 1] = 1
for openlocks in range(1, number_of_lockers + 1):
if locks[openlocks - 1] == 1:
open_locks += 1
return open_locks
def most_touchable_locker(number_of_lockers, number_of_students):
x = 0
z = 0
if number_of_lockers < 0 or number_of_students < 0:
return None
if number_of_lockers == 0 or number_of_students == 0:
return 0
if number_of_lockers < number_of_students or number_of_lockers % number_of_students == 0:
for lockers in range(1, number_of_lockers + 1):
y = 0
for i in range(1, lockers + 1):
if lockers % i == 0:
y += 1
if y >= x:
x = y
if y >= x:
z = lockers
return z
else:
for lockers in range(1, number_of_students + 1):
y = 0
for i in range(1, lockers + 1):
if lockers % i == 0:
y += 1
if y >= x:
x = y
if y >= x:
z = lockers
return z |
if __name__ == '__main__':
n = int(input())
student_marks = {}
for _ in range(n):
name, *line = input().split()
scores = list(map(float, line))
student_marks[name] = scores
query_name = str(input())
if query_name in student_marks:
l=list(student_marks[query_name])
sum=0
for i in range(len(l)):
sum= l[i]+sum
print("{:.2f}".format(sum/3))
| if __name__ == '__main__':
n = int(input())
student_marks = {}
for _ in range(n):
(name, *line) = input().split()
scores = list(map(float, line))
student_marks[name] = scores
query_name = str(input())
if query_name in student_marks:
l = list(student_marks[query_name])
sum = 0
for i in range(len(l)):
sum = l[i] + sum
print('{:.2f}'.format(sum / 3)) |
fname = input("Enter the file name: ")
fh = open(fname)
count = 0
for line in fh:
line = line.rstrip()
if line.startswith('From '):
count = count + 1
words = line.split()
emails = words[1]
print(emails)
print("There were",count, "lines in the file with From as the first word") | fname = input('Enter the file name: ')
fh = open(fname)
count = 0
for line in fh:
line = line.rstrip()
if line.startswith('From '):
count = count + 1
words = line.split()
emails = words[1]
print(emails)
print('There were', count, 'lines in the file with From as the first word') |
def add_title(self):
square = Square(side_length=2 * self.L)
title = TextMobject("Brownian motion")
title.scale(1.5)
title.next_to(square, UP)
self.add(square)
self.add(title)
| def add_title(self):
square = square(side_length=2 * self.L)
title = text_mobject('Brownian motion')
title.scale(1.5)
title.next_to(square, UP)
self.add(square)
self.add(title) |
## PETRglobals.py [module]
##
# Global variable initializations for the PETRARCH event coder
#
# SYSTEM REQUIREMENTS
# This program has been successfully run under Mac OS 10.10; it is standard Python 2.7
# so it should also run in Unix or Windows.
#
# INITIAL PROVENANCE:
# Programmer: Philip A. Schrodt
# Parus Analytics
# Charlottesville, VA, 22901 U.S.A.
# http://eventdata.parusanalytics.com
#
# GitHub repository: https://github.com/openeventdata/petrarch
#
# Copyright (c) 2014 Philip A. Schrodt. All rights reserved.
#
# This project is part of the Open Event Data Alliance tool set; earlier developments
# were funded in part by National Science Foundation grant SES-1259190
#
# This code is covered under the MIT license
#
# REVISION HISTORY:
# 22-Nov-13: Initial version -- ptab.verbsonly.py
# 28-Apr-14: Latest version
# 20-Nov-14: WriteActorRoot/Text added
# ------------------------------------------------------------------------
# Global variables are listed below: additional details on their structure can
# be found in various function definitions. The various options are described
# in more detail in the config.ini file.
VerbDict = {'verbs':{}, 'phrases':{}, 'transformations' : {}} # verb dictionary
ActorDict = {} # actor dictionary
ActorCodes = [] # actor code list
AgentDict = {} # agent dictionary
DiscardList = {} # discard list
IssueList = []
IssueCodes = []
ConfigFileName = "PETR_config.ini"
VerbFileName = "" # verb dictionary
ActorFileList = [] # actor dictionary
AgentFileName = "" # agent dictionary
DiscardFileName = "" # discard list
TextFileList = [] # current text or validation file
EventFileName = "" # event output file
IssueFileName = "" # issues list
# element followed by attribute and content pairs for XML line
AttributeList = []
# CODING OPTIONS
# Defaults are more or less equivalent to TABARI
NewActorLength = 0 # Maximum length for new actors extracted from noun phrases
RequireDyad = True # Events require a non-null source and target
StoponError = False # Raise stop exception on errors rather than recovering
# OUTPUT OPTIONS
WriteActorRoot = False # Include actor root in event record :: currently not implemented
WriteActorText = False # Include actor text in event record
WriteEventText = False # Include event text in event record
RunTimeString = '' # used in error and debugging files -- just set it once
# INTERFACE OPTIONS: these can be changed in config.ini
# The default -- all false -- is equivalent to an A)utocode in TABARI
CodeBySentence = False
PauseBySentence = False
PauseByStory = False
# COMMA OPTION : These adjust the length (in words) of comma-delimited clauses
# that are eliminated from the parse. To deactivate, set the max to zero.
# Defaults, based on TABARI, are in ()
# comma_min : internal clause minimum length [2]
# comma_max : internal clause maximum length [8]
# comma_bmin : initial ("begin") clause minimum length [0]
# comma_bmax : initial clause maximum length [0 : deactivated by default]
# comma_emin : terminal ("end") clause minimum length [2]
# comma_emax : terminal clause maximum length [8]
CommaMin = 2
CommaMax = 8
CommaBMin = 0
CommaBMax = 0
CommaEMin = 2
CommaEMax = 8
stanfordnlp = ''
# TEMPORARY VARIABLES
# <14.11.20> Temporary in the sense that these won't be needed when we eventually
# refactor so that codes are some sort of structure other than a string
CodePrimer = '=#=' # separates actor code from root and text strings
RootPrimer = CodePrimer + ':' # start of root string
TextPrimer = CodePrimer + '+' # start of text string
| verb_dict = {'verbs': {}, 'phrases': {}, 'transformations': {}}
actor_dict = {}
actor_codes = []
agent_dict = {}
discard_list = {}
issue_list = []
issue_codes = []
config_file_name = 'PETR_config.ini'
verb_file_name = ''
actor_file_list = []
agent_file_name = ''
discard_file_name = ''
text_file_list = []
event_file_name = ''
issue_file_name = ''
attribute_list = []
new_actor_length = 0
require_dyad = True
stopon_error = False
write_actor_root = False
write_actor_text = False
write_event_text = False
run_time_string = ''
code_by_sentence = False
pause_by_sentence = False
pause_by_story = False
comma_min = 2
comma_max = 8
comma_b_min = 0
comma_b_max = 0
comma_e_min = 2
comma_e_max = 8
stanfordnlp = ''
code_primer = '=#='
root_primer = CodePrimer + ':'
text_primer = CodePrimer + '+' |
# pylint: disable=W0622
def sum(arg):
total = 0
for val in arg:
total += val
return total
| def sum(arg):
total = 0
for val in arg:
total += val
return total |
class Wallet():
def __init__(self, initial_amount = 0):
self.balance = initial_amount
def spend_cash(self, amount):
if self.balance < amount:
print("insuffienct amount")
else:
self.balance -= amount
def add_cash(self, amount):
self.balance += amount | class Wallet:
def __init__(self, initial_amount=0):
self.balance = initial_amount
def spend_cash(self, amount):
if self.balance < amount:
print('insuffienct amount')
else:
self.balance -= amount
def add_cash(self, amount):
self.balance += amount |
a = int(input(""))
b = int(input(""))
c = int(input(""))
d = int(input(""))
x = (a*b-c*d)
print("DIFERENCA = %d" %x)
| a = int(input(''))
b = int(input(''))
c = int(input(''))
d = int(input(''))
x = a * b - c * d
print('DIFERENCA = %d' % x) |
# Webhook content types
HTTP_CONTENT_TYPE_JSON = "application/json"
# Registerable extras features
EXTRAS_FEATURES = [
"config_context_owners",
"custom_fields",
"custom_links",
"custom_validators",
"export_template_owners",
"export_templates",
"graphql",
"job_results",
"relationships",
"statuses",
"webhooks",
]
# JobLogEntry Truncation Length
JOB_LOG_MAX_GROUPING_LENGTH = 100
JOB_LOG_MAX_LOG_OBJECT_LENGTH = 200
JOB_LOG_MAX_ABSOLUTE_URL_LENGTH = 255
| http_content_type_json = 'application/json'
extras_features = ['config_context_owners', 'custom_fields', 'custom_links', 'custom_validators', 'export_template_owners', 'export_templates', 'graphql', 'job_results', 'relationships', 'statuses', 'webhooks']
job_log_max_grouping_length = 100
job_log_max_log_object_length = 200
job_log_max_absolute_url_length = 255 |
def _pretty_after(a, k):
positional = ", ".join(repr(arg) for arg in a)
keyword = ", ".join(
"{}={!r}".format(name, value) for name, value in k.items()
)
if positional:
if keyword:
return ", {}, {}".format(positional, keyword)
else:
return ", {}".format(positional)
else:
if keyword:
return ", {}".format(keyword)
else:
return ""
class A:
def __init__(self, x, y, *, z=10):
print("v3: __init__({}, {!r}, {!r}, z={!r})".format(self, x, y, z))
self.x = x
self.y = y
self.z = z
def __new__(cls, *args, **kwargs):
msg = _pretty_after(args, kwargs)
print("v3: __new__({}{})".format(cls.__name__, msg))
result = super(A, cls).__new__(cls)
print(" -> {}".format(result))
return result
def __getnewargs__(self, *args, **kwargs):
template = "v3: __getnewargs__({}{})"
print(template.format(self, _pretty_after(args, kwargs)))
raise NotImplementedError
def __getstate__(self, *args, **kwargs):
template = "v3: __getstate__({}{})"
print(template.format(self, _pretty_after(args, kwargs)))
raise NotImplementedError
def __setstate__(self, state):
template = "v3: __setstate__({}, state={!r})"
print(template.format(self, state))
self.x = state["x"]
self.y = state["y"]
self.z = 10
| def _pretty_after(a, k):
positional = ', '.join((repr(arg) for arg in a))
keyword = ', '.join(('{}={!r}'.format(name, value) for (name, value) in k.items()))
if positional:
if keyword:
return ', {}, {}'.format(positional, keyword)
else:
return ', {}'.format(positional)
elif keyword:
return ', {}'.format(keyword)
else:
return ''
class A:
def __init__(self, x, y, *, z=10):
print('v3: __init__({}, {!r}, {!r}, z={!r})'.format(self, x, y, z))
self.x = x
self.y = y
self.z = z
def __new__(cls, *args, **kwargs):
msg = _pretty_after(args, kwargs)
print('v3: __new__({}{})'.format(cls.__name__, msg))
result = super(A, cls).__new__(cls)
print(' -> {}'.format(result))
return result
def __getnewargs__(self, *args, **kwargs):
template = 'v3: __getnewargs__({}{})'
print(template.format(self, _pretty_after(args, kwargs)))
raise NotImplementedError
def __getstate__(self, *args, **kwargs):
template = 'v3: __getstate__({}{})'
print(template.format(self, _pretty_after(args, kwargs)))
raise NotImplementedError
def __setstate__(self, state):
template = 'v3: __setstate__({}, state={!r})'
print(template.format(self, state))
self.x = state['x']
self.y = state['y']
self.z = 10 |
# (regname, regsize, is_big_endian, arch_name, branches)
# PowerPC CPU REGS
PPCREGS = [[], 4, True, "ppc", ["bl "]]
for i in range(32):
PPCREGS[0].append("r"+str(i))
for i in range(32):
PPCREGS[0].append(None)
PPCREGS[0].append("lr")
PPCREGS[0].append("ctr")
for i in range(8):
PPCREGS[0].append("cr"+str(i))
# Aarch64 CPU REGS
AARCH64REGS = [[], 8, False, "aarch64", ["bl ", "blx "]]
for i in range(8):
AARCH64REGS[0].append(None)
for i in range(32):
AARCH64REGS[0].append("x"+str(i))
#AARCH64REGS[0][8+29] = "fp"
AARCH64REGS[0][8+31] = "sp"
AARCH64REGS[0].append("pc")
# MIPS CPU REGS
MIPSREGLIST = ['$zero', '$at', '$v0', '$v1', '$a0', '$a1', '$a2', '$a3']
for i in range(8):
MIPSREGLIST.append('$t'+str(i))
for i in range(8):
MIPSREGLIST.append('$s'+str(i))
MIPSREGLIST.append('$t8')
MIPSREGLIST.append('$t9')
MIPSREGLIST.append('$k0')
MIPSREGLIST.append('$k1')
MIPSREGLIST.append('$gp')
MIPSREGLIST.append('$sp')
MIPSREGLIST.append('$fp')
MIPSREGLIST.append('$ra')
MIPSREGLIST.append('$pc')
MIPSREGS = [MIPSREGLIST, 4, True, "mips", ["jal\t","jr\t","jal","jr"]]
# ARM CPU REGS
ARMREGS = [['R0','R1','R2','R3','R4','R5','R6','R7','R8','R9','R10','R11','IP','SP','LR','PC'], 4, False, "arm"] # FP = R7 If THUMB2 Mode enabled, & R11 If not.
# Intel x86 CPU REGS
X86REGS = [['EAX', 'ECX', 'EDX', 'EBX', 'ESP', 'EBP', 'ESI', 'EDI', 'EIP'], 4, False, "i386"]
# x86_64 CPU REGS
X64REGS = [['RAX', 'RCX', 'RDX', 'RBX', 'RSP', 'RBP', 'RSI', 'RDI', "R8", "R9", "R10", "R11", "R12", "R13", "R14", "R15", 'RIP'], 8, False, "x86-64"]
| ppcregs = [[], 4, True, 'ppc', ['bl ']]
for i in range(32):
PPCREGS[0].append('r' + str(i))
for i in range(32):
PPCREGS[0].append(None)
PPCREGS[0].append('lr')
PPCREGS[0].append('ctr')
for i in range(8):
PPCREGS[0].append('cr' + str(i))
aarch64_regs = [[], 8, False, 'aarch64', ['bl ', 'blx ']]
for i in range(8):
AARCH64REGS[0].append(None)
for i in range(32):
AARCH64REGS[0].append('x' + str(i))
AARCH64REGS[0][8 + 31] = 'sp'
AARCH64REGS[0].append('pc')
mipsreglist = ['$zero', '$at', '$v0', '$v1', '$a0', '$a1', '$a2', '$a3']
for i in range(8):
MIPSREGLIST.append('$t' + str(i))
for i in range(8):
MIPSREGLIST.append('$s' + str(i))
MIPSREGLIST.append('$t8')
MIPSREGLIST.append('$t9')
MIPSREGLIST.append('$k0')
MIPSREGLIST.append('$k1')
MIPSREGLIST.append('$gp')
MIPSREGLIST.append('$sp')
MIPSREGLIST.append('$fp')
MIPSREGLIST.append('$ra')
MIPSREGLIST.append('$pc')
mipsregs = [MIPSREGLIST, 4, True, 'mips', ['jal\t', 'jr\t', 'jal', 'jr']]
armregs = [['R0', 'R1', 'R2', 'R3', 'R4', 'R5', 'R6', 'R7', 'R8', 'R9', 'R10', 'R11', 'IP', 'SP', 'LR', 'PC'], 4, False, 'arm']
x86_regs = [['EAX', 'ECX', 'EDX', 'EBX', 'ESP', 'EBP', 'ESI', 'EDI', 'EIP'], 4, False, 'i386']
x64_regs = [['RAX', 'RCX', 'RDX', 'RBX', 'RSP', 'RBP', 'RSI', 'RDI', 'R8', 'R9', 'R10', 'R11', 'R12', 'R13', 'R14', 'R15', 'RIP'], 8, False, 'x86-64'] |
# -*- coding: utf8 -*
'''
A Simple Extractor Key Note for SPED Fiscal
created by Matheus Tavares
'''
# Abrindo arquivo Sped para ler e Criando arquivo com notas separadas
sped = open("sped.txt", "r")
noteLine =[]
# Encontrando linhas C100 e salvando em Lista
for line in sped:
if line[0:6] == '|C100|':
noteLine.append(line)
# Separa os dados da nota pelos pipes e salva em array
sepNote = []
for line in noteLine:
sepNote.append(line.split('|'))
# Salvando as chaves das notas em arquivo
keyNotes = open("./keys.txt", "w")
for i in sepNote:
if (len(i[9]) > 0):
keyNotes.write(i[9] + '\n')
sped.close()
keyNotes.close() | """
A Simple Extractor Key Note for SPED Fiscal
created by Matheus Tavares
"""
sped = open('sped.txt', 'r')
note_line = []
for line in sped:
if line[0:6] == '|C100|':
noteLine.append(line)
sep_note = []
for line in noteLine:
sepNote.append(line.split('|'))
key_notes = open('./keys.txt', 'w')
for i in sepNote:
if len(i[9]) > 0:
keyNotes.write(i[9] + '\n')
sped.close()
keyNotes.close() |
DATA_FOLDER = 'data'
DATA_INPUT_ZIP = 'stanford-dogs-dataset.zip'
DATA_OUTPUT_ZIP = 'dataset_unzipped'
DATASET_FOLDER = 'dataset'
IMAGES_LIST_FILE_NAME = 'images.txt'
INDEX_FILE_NAME = 'index.nmslib'
INPUT_IMAGE_FILE_NAME = 'input_image.jpg'
OUTPUT_IMAGE_FILE_NAME = 'output_image.jpg'
DEFAULT_IMAGES_PER_RACE = 1
IMAGE_SIZE = (224, 224)
IMAGE_CHANNELS = 3
| data_folder = 'data'
data_input_zip = 'stanford-dogs-dataset.zip'
data_output_zip = 'dataset_unzipped'
dataset_folder = 'dataset'
images_list_file_name = 'images.txt'
index_file_name = 'index.nmslib'
input_image_file_name = 'input_image.jpg'
output_image_file_name = 'output_image.jpg'
default_images_per_race = 1
image_size = (224, 224)
image_channels = 3 |
class Solution:
def threeSumClosest(self, nums: [int], target: int) -> int:
nums = sorted(nums)
visited = []
difference = float('inf')
result = 0
for i, num_1 in enumerate(nums):
if num_1 in visited:
continue
else:
visited.append(num_1)
j = i + 1
k = len(nums) - 1
while j < k:
num_2 = nums[j]
num_3 = nums[k]
sum_three = num_1 + num_2 + num_3
if sum_three == target:
return target
elif abs(sum_three - target) < difference:
difference = abs(sum_three - target)
result = sum_three
if sum_three < target:
j += 1
else:
k -= 1
return result
s = Solution()
print(s.threeSumClosest([6,-18,-20,-7,-15,9,18,10,1,-20,-17,-19,-3,-5,-19,10,6,-11,1,-17,-15,6,17,-18,-3,16,19,-20,-3,-17,-15,-3,12,1,-9,4,1,12,-2,14,4,-4,19,-20,6,0,-19,18,14,1,-15,-5,14,12,-4,0,-10,6,6,-6,20,-8,-6,5,0,3,10,7,-2,17,20,12,19,-13,-1,10,-1,14,0,7,-3,10,14,14,11,0,-4,-15,-8,3,2,-5,9,10,16,-4,-3,-9,-8,-14,10,6,2,-12,-7,-16,-6,10], -52)) | class Solution:
def three_sum_closest(self, nums: [int], target: int) -> int:
nums = sorted(nums)
visited = []
difference = float('inf')
result = 0
for (i, num_1) in enumerate(nums):
if num_1 in visited:
continue
else:
visited.append(num_1)
j = i + 1
k = len(nums) - 1
while j < k:
num_2 = nums[j]
num_3 = nums[k]
sum_three = num_1 + num_2 + num_3
if sum_three == target:
return target
elif abs(sum_three - target) < difference:
difference = abs(sum_three - target)
result = sum_three
if sum_three < target:
j += 1
else:
k -= 1
return result
s = solution()
print(s.threeSumClosest([6, -18, -20, -7, -15, 9, 18, 10, 1, -20, -17, -19, -3, -5, -19, 10, 6, -11, 1, -17, -15, 6, 17, -18, -3, 16, 19, -20, -3, -17, -15, -3, 12, 1, -9, 4, 1, 12, -2, 14, 4, -4, 19, -20, 6, 0, -19, 18, 14, 1, -15, -5, 14, 12, -4, 0, -10, 6, 6, -6, 20, -8, -6, 5, 0, 3, 10, 7, -2, 17, 20, 12, 19, -13, -1, 10, -1, 14, 0, 7, -3, 10, 14, 14, 11, 0, -4, -15, -8, 3, 2, -5, 9, 10, 16, -4, -3, -9, -8, -14, 10, 6, 2, -12, -7, -16, -6, 10], -52)) |
class Note(object):
def __init__(self, content = None):
self.content = content
def write_content(self, content):
self.content = content
def remove_all(self):
self.content=""
def __str__(self):
return self.content
class NoteBook(object):
def __init__(self, title):
self.title = title
self.page_number = 1
self.notes = {}
def add_note(self, note, page=0):
if self.page_number < 300:
if page == 0:
self.notes[self.page_number] = note
self.page_number += 1
else:
self.notes = {page : note}
self.page_number += 1
else:
print("Page is full")
def remove_note(self, page_number):
if page_number in self.notes.keys():
return self.notes.pop(page_number)
else:
print("Invalid Page")
def get_number_of_pages(self):
return len(self.notes.keys())
| class Note(object):
def __init__(self, content=None):
self.content = content
def write_content(self, content):
self.content = content
def remove_all(self):
self.content = ''
def __str__(self):
return self.content
class Notebook(object):
def __init__(self, title):
self.title = title
self.page_number = 1
self.notes = {}
def add_note(self, note, page=0):
if self.page_number < 300:
if page == 0:
self.notes[self.page_number] = note
self.page_number += 1
else:
self.notes = {page: note}
self.page_number += 1
else:
print('Page is full')
def remove_note(self, page_number):
if page_number in self.notes.keys():
return self.notes.pop(page_number)
else:
print('Invalid Page')
def get_number_of_pages(self):
return len(self.notes.keys()) |
USER_ALREADY_EXISTS = "USER_ALREADY_EXISTS"
USER_SIGNUP_SUCCESSFUL = "USER_SIGNUP_SUCCESSFUL"
CREDENTIALS_INCORRECT = "CREDENTIALS_INCORRECT"
USER_UNREGISTERED = "USER_UNREGISTERED"
ROLL_NUMBER_REQUIRED = "ROLL_NUMBER_REQUIRED"
PASSWORD_REQUIRED = "PASSWORD_REQUIRED"
| user_already_exists = 'USER_ALREADY_EXISTS'
user_signup_successful = 'USER_SIGNUP_SUCCESSFUL'
credentials_incorrect = 'CREDENTIALS_INCORRECT'
user_unregistered = 'USER_UNREGISTERED'
roll_number_required = 'ROLL_NUMBER_REQUIRED'
password_required = 'PASSWORD_REQUIRED' |
class Node:
def __init__(self, val):
self.val = val
self.left = None
self.right = None
def has_path(root, stack, x):
if not root:
return False
stack.append(root.val)
if root.val == x:
return True
if has_path(root.left, stack, x) or has_path(root.right, stack, x):
return True
stack.pop()
return False
def print_path(root, x):
arr = []
if has_path(root, arr, x):
for i in arr:
print(i, end=' ')
else:
print('Path not present')
| class Node:
def __init__(self, val):
self.val = val
self.left = None
self.right = None
def has_path(root, stack, x):
if not root:
return False
stack.append(root.val)
if root.val == x:
return True
if has_path(root.left, stack, x) or has_path(root.right, stack, x):
return True
stack.pop()
return False
def print_path(root, x):
arr = []
if has_path(root, arr, x):
for i in arr:
print(i, end=' ')
else:
print('Path not present') |
# Definition for a binary tree node.
# class TreeNode:
# def __init__(self, val=0, left=None, right=None):
# self.val = val
# self.left = left
# self.right = right
class Solution:
# O(h) time | O(h) space - where h is the height of tree
def deleteNode(self, root: Optional[TreeNode], key: int) -> Optional[TreeNode]:
if root is None:
return root
if key > root.val:
root.right = self.deleteNode(root.right, key)
elif key < root.val:
root.left = self.deleteNode(root.left, key)
else:
if root.left is not None and root.right is not None:
min = root.right
while min.left is not None: min = min.left
root.val = min.val
root.right = self.deleteNode(root.right, min.val)
else:
return root.right if root.left is None else root.left
return root
| class Solution:
def delete_node(self, root: Optional[TreeNode], key: int) -> Optional[TreeNode]:
if root is None:
return root
if key > root.val:
root.right = self.deleteNode(root.right, key)
elif key < root.val:
root.left = self.deleteNode(root.left, key)
elif root.left is not None and root.right is not None:
min = root.right
while min.left is not None:
min = min.left
root.val = min.val
root.right = self.deleteNode(root.right, min.val)
else:
return root.right if root.left is None else root.left
return root |
# Definition for a binary tree node.
# class TreeNode:
# def __init__(self, val=0, left=None, right=None):
# self.val = val
# self.left = left
# self.right = right
class BSTIterator:
def __init__(self, root: Optional[TreeNode]):
self.nodes_sorted = []
self.index = -1
self._inorder(root)
def _inorder(self, root):
if not root:
return
self._inorder(root.left)
self.nodes_sorted.append(root.val)
self._inorder(root.right)
def next(self) -> int:
self.index += 1
return self.nodes_sorted[self.index]
def hasNext(self) -> bool:
return self.index + 1 < len(self.nodes_sorted)
# Your BSTIterator object will be instantiated and called as such:
# obj = BSTIterator(root)
# param_1 = obj.next()
# param_2 = obj.hasNext() | class Bstiterator:
def __init__(self, root: Optional[TreeNode]):
self.nodes_sorted = []
self.index = -1
self._inorder(root)
def _inorder(self, root):
if not root:
return
self._inorder(root.left)
self.nodes_sorted.append(root.val)
self._inorder(root.right)
def next(self) -> int:
self.index += 1
return self.nodes_sorted[self.index]
def has_next(self) -> bool:
return self.index + 1 < len(self.nodes_sorted) |
class Solution:
def isValidSequence(self, root: TreeNode, arr: List[int]) -> bool:
if len(arr) == 1:
return root and root.val == arr[0] and not root.left and not root.right
if not root or root.val != arr[0]:
return False
return self.isValidSequence(root.left, arr[1:]) or self.isValidSequence(root.right, arr[1:])
| class Solution:
def is_valid_sequence(self, root: TreeNode, arr: List[int]) -> bool:
if len(arr) == 1:
return root and root.val == arr[0] and (not root.left) and (not root.right)
if not root or root.val != arr[0]:
return False
return self.isValidSequence(root.left, arr[1:]) or self.isValidSequence(root.right, arr[1:]) |
#import osgeo._gdal
#import osgeo._gdalconst
#import osgeo._ogr
#import osgeo._osr
#import osgeo
#import gdal
#import gdalconst
#import ogr
#import osr
#
#cnt = ogr.GetDriverCount()
#for i in xrange(cnt):
# print ogr.GetDriver(i).GetName()
#
#import os1_hw
pass
| pass |
class Solution:
def numberOfSteps(self, ans: int) -> int:
steps = 0
while ans != 0:
if ans % 2 == 0:
ans = ans / 2
steps += 1
else:
ans -= 1
steps += 1
return steps
| class Solution:
def number_of_steps(self, ans: int) -> int:
steps = 0
while ans != 0:
if ans % 2 == 0:
ans = ans / 2
steps += 1
else:
ans -= 1
steps += 1
return steps |
SEQUENCE = [
'webhooktarget_extra_state',
'webhooktarget_extra_data_null',
'manytomanyfield_rm_null',
]
| sequence = ['webhooktarget_extra_state', 'webhooktarget_extra_data_null', 'manytomanyfield_rm_null'] |
# https://www.codewars.com/kata/5868b2de442e3fb2bb000119
def closest(strng):
if not strng:
return []
arr = [i for i in strng.split()]
arr_num = []
for i in arr:
sum_num = 0
for j in i:
sum_num += int(j)
arr_num.append(sum_num)
arr = [int(i) for i in arr]
n = len(arr)
new_arr = sorted(list(zip(arr_num, range(n), arr)), key=lambda x: x[0])
c = []
i = 0
while i + 1 < n:
c.append(new_arr[i + 1][0] - new_arr[i][0])
i += 1
pos = c.index(min(c))
return [[*new_arr[pos]], [*new_arr[pos + 1]]]
| def closest(strng):
if not strng:
return []
arr = [i for i in strng.split()]
arr_num = []
for i in arr:
sum_num = 0
for j in i:
sum_num += int(j)
arr_num.append(sum_num)
arr = [int(i) for i in arr]
n = len(arr)
new_arr = sorted(list(zip(arr_num, range(n), arr)), key=lambda x: x[0])
c = []
i = 0
while i + 1 < n:
c.append(new_arr[i + 1][0] - new_arr[i][0])
i += 1
pos = c.index(min(c))
return [[*new_arr[pos]], [*new_arr[pos + 1]]] |
#
# PySNMP MIB module PCSYSTEMSMIF-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/PCSYSTEMSMIF-MIB
# Produced by pysmi-0.3.4 at Wed May 1 14:37:55 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
ObjectIdentifier, Integer, OctetString = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "Integer", "OctetString")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ValueRangeConstraint, ConstraintsIntersection, ConstraintsUnion, SingleValueConstraint, ValueSizeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueRangeConstraint", "ConstraintsIntersection", "ConstraintsUnion", "SingleValueConstraint", "ValueSizeConstraint")
NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance")
IpAddress, Bits, NotificationType, enterprises, MibScalar, MibTable, MibTableRow, MibTableColumn, MibIdentifier, TimeTicks, Counter64, Unsigned32, ModuleIdentity, ObjectIdentity, Integer32, iso, Counter32, Gauge32 = mibBuilder.importSymbols("SNMPv2-SMI", "IpAddress", "Bits", "NotificationType", "enterprises", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "MibIdentifier", "TimeTicks", "Counter64", "Unsigned32", "ModuleIdentity", "ObjectIdentity", "Integer32", "iso", "Counter32", "Gauge32")
DisplayString, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention")
class DmiCounter(Integer32):
subtypeSpec = Integer32.subtypeSpec + ValueRangeConstraint(0, 4294967295)
class DmiInteger(Integer32):
pass
class DmiInteger64(Integer32):
subtypeSpec = Integer32.subtypeSpec + ValueRangeConstraint(-18446744073709551615, 18446744073709551615)
class DmiOctetstring(OctetString):
pass
class DmiDisplaystring(DisplayString):
pass
class DmiDate(OctetString):
subtypeSpec = OctetString.subtypeSpec + ValueSizeConstraint(28, 28)
fixedLength = 28
class DmiComponentIndex(Integer32):
pass
ibm = MibIdentifier((1, 3, 6, 1, 4, 1, 2))
ibmProd = MibIdentifier((1, 3, 6, 1, 4, 1, 2, 6))
netFinity = MibIdentifier((1, 3, 6, 1, 4, 1, 2, 6, 71))
dmiMibs = MibIdentifier((1, 3, 6, 1, 4, 1, 2, 6, 71, 200))
netFinitySystemsMIB = MibIdentifier((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1))
dmtfGroups1 = MibIdentifier((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1))
tComponentid1 = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 1), )
if mibBuilder.loadTexts: tComponentid1.setStatus('mandatory')
if mibBuilder.loadTexts: tComponentid1.setDescription('This group defines the attributes common to all components. This group is required.')
eComponentid1 = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 1, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"))
if mibBuilder.loadTexts: eComponentid1.setStatus('mandatory')
if mibBuilder.loadTexts: eComponentid1.setDescription('')
a1Manufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 1, 1, 1), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a1Manufacturer.setStatus('mandatory')
if mibBuilder.loadTexts: a1Manufacturer.setDescription('Manufacturer of this system described by this component.')
a1Product = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 1, 1, 2), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a1Product.setStatus('mandatory')
if mibBuilder.loadTexts: a1Product.setDescription('Product name for the system described by this component.')
a1Version = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 1, 1, 3), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a1Version.setStatus('mandatory')
if mibBuilder.loadTexts: a1Version.setDescription('Version number of this component.')
a1SerialNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 1, 1, 4), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a1SerialNumber.setStatus('mandatory')
if mibBuilder.loadTexts: a1SerialNumber.setDescription('Serial number for the system described by this component.')
tGeneralInformation = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 2), )
if mibBuilder.loadTexts: tGeneralInformation.setStatus('mandatory')
if mibBuilder.loadTexts: tGeneralInformation.setDescription('This group defines general information about this system.')
eGeneralInformation = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 2, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"))
if mibBuilder.loadTexts: eGeneralInformation.setStatus('mandatory')
if mibBuilder.loadTexts: eGeneralInformation.setDescription('')
a2SystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 2, 1, 1), DmiDisplaystring()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: a2SystemName.setStatus('mandatory')
if mibBuilder.loadTexts: a2SystemName.setDescription('A name to identify this system.')
a2SystemLocation = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 2, 1, 2), DmiDisplaystring()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: a2SystemLocation.setStatus('mandatory')
if mibBuilder.loadTexts: a2SystemLocation.setDescription('The physical location of this system.')
a2SystemPrimaryUserName = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 2, 1, 3), DmiDisplaystring()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: a2SystemPrimaryUserName.setStatus('mandatory')
if mibBuilder.loadTexts: a2SystemPrimaryUserName.setDescription('The name of the primary user or owner of this system.')
a2SystemPrimaryUserPhone = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 2, 1, 4), DmiDisplaystring()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: a2SystemPrimaryUserPhone.setStatus('mandatory')
if mibBuilder.loadTexts: a2SystemPrimaryUserPhone.setDescription('The phone number of the primary user of this system.')
a2SystemBootUpTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 2, 1, 5), DmiDate()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a2SystemBootUpTime.setStatus('mandatory')
if mibBuilder.loadTexts: a2SystemBootUpTime.setDescription('The time at which the system was last booted')
a2SystemDateTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 2, 1, 6), DmiDate()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: a2SystemDateTime.setStatus('mandatory')
if mibBuilder.loadTexts: a2SystemDateTime.setDescription('This attribute returns the actual system date and time.')
tOperatingSystem = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 3), )
if mibBuilder.loadTexts: tOperatingSystem.setStatus('mandatory')
if mibBuilder.loadTexts: tOperatingSystem.setDescription('This group defines general information about operating systems installed on this system.')
eOperatingSystem = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 3, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"), (0, "PCSYSTEMSMIF-MIB", "a3OperatingSystemIndex"))
if mibBuilder.loadTexts: eOperatingSystem.setStatus('mandatory')
if mibBuilder.loadTexts: eOperatingSystem.setDescription('')
a3OperatingSystemIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 3, 1, 1), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a3OperatingSystemIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a3OperatingSystemIndex.setDescription('The index into the operating system table.')
a3OperatingSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 3, 1, 2), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a3OperatingSystemName.setStatus('mandatory')
if mibBuilder.loadTexts: a3OperatingSystemName.setDescription('The name of this operating system.')
a3OperatingSystemVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 3, 1, 3), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a3OperatingSystemVersion.setStatus('mandatory')
if mibBuilder.loadTexts: a3OperatingSystemVersion.setDescription('The version number of this operating system.')
a3PrimaryOperatingSystem = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 3, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("vFalse", 0), ("vTrue", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a3PrimaryOperatingSystem.setStatus('mandatory')
if mibBuilder.loadTexts: a3PrimaryOperatingSystem.setDescription('If true, this is the primary operating system.')
a3OperatingSystemBootDeviceStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 3, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vHard-disk", 3), ("vFloppy-disk", 4), ("vOptical-rom", 5), ("vOptical-worm", 6), ("vOptical-rw", 7), ("vCompact-disk", 8), ("vFlash-disk", 9), ("vBernoulli", 10), ("vOpticalFloppyDisk", 11)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a3OperatingSystemBootDeviceStorageType.setStatus('mandatory')
if mibBuilder.loadTexts: a3OperatingSystemBootDeviceStorageType.setDescription('An index into the Disks Table to indicate the device from which this operating system was booted. To fully access the Disks Table, this index must be combined with the attribute Boot Device Index')
a3OperatingSystemBootDeviceIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 3, 1, 6), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a3OperatingSystemBootDeviceIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a3OperatingSystemBootDeviceIndex.setDescription('An index into the Disks Table')
a3OperatingSystemBootPartitionIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 3, 1, 7), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a3OperatingSystemBootPartitionIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a3OperatingSystemBootPartitionIndex.setDescription('An index into the Partition table indicating the partition from which this operating system booted.')
a3OperatingSystemDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 3, 1, 8), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a3OperatingSystemDescription.setStatus('mandatory')
if mibBuilder.loadTexts: a3OperatingSystemDescription.setDescription('A description of this operating system.')
tSystemBios = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 4), )
if mibBuilder.loadTexts: tSystemBios.setStatus('mandatory')
if mibBuilder.loadTexts: tSystemBios.setDescription('This group defines the attributes for the System BIOS.')
eSystemBios = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 4, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"), (0, "PCSYSTEMSMIF-MIB", "a4BiosIndex"))
if mibBuilder.loadTexts: eSystemBios.setStatus('mandatory')
if mibBuilder.loadTexts: eSystemBios.setDescription('')
a4BiosIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 4, 1, 1), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a4BiosIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a4BiosIndex.setDescription('The index into the system BIOS table.')
a4Manufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 4, 1, 2), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a4Manufacturer.setStatus('mandatory')
if mibBuilder.loadTexts: a4Manufacturer.setDescription('The name of the company that wrote this System BIOS.')
a4Version = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 4, 1, 3), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a4Version.setStatus('mandatory')
if mibBuilder.loadTexts: a4Version.setDescription('The version number or version string of this BIOS.')
a4BiosRomSize = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 4, 1, 4), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a4BiosRomSize.setStatus('mandatory')
if mibBuilder.loadTexts: a4BiosRomSize.setDescription('The physical size of this BIOS ROM device in Kilo Bytes')
a4StartingAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 4, 1, 5), DmiInteger64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a4StartingAddress.setStatus('mandatory')
if mibBuilder.loadTexts: a4StartingAddress.setDescription('The starting physical address for the memory which the BIOS occupies')
a4EndingAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 4, 1, 6), DmiInteger64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a4EndingAddress.setStatus('mandatory')
if mibBuilder.loadTexts: a4EndingAddress.setDescription('The ending physical address for the memory which the BIOS occupies')
a4LoaderVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 4, 1, 7), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a4LoaderVersion.setStatus('mandatory')
if mibBuilder.loadTexts: a4LoaderVersion.setDescription('The BIOS flash loader version number or string.')
a4BiosReleaseDate = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 4, 1, 8), DmiDate()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a4BiosReleaseDate.setStatus('mandatory')
if mibBuilder.loadTexts: a4BiosReleaseDate.setDescription('The BIOS release date.')
a4PrimaryBios = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 4, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("vFalse", 0), ("vTrue", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a4PrimaryBios.setStatus('mandatory')
if mibBuilder.loadTexts: a4PrimaryBios.setDescription('If true, this is the primary System BIOS.')
tSystemBiosCharacteristic = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 5), )
if mibBuilder.loadTexts: tSystemBiosCharacteristic.setStatus('mandatory')
if mibBuilder.loadTexts: tSystemBiosCharacteristic.setDescription('This group defines the characteristics for the System BIOS.')
eSystemBiosCharacteristic = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 5, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"), (0, "PCSYSTEMSMIF-MIB", "a5BiosCharacteristicsIndex"), (0, "PCSYSTEMSMIF-MIB", "a5BiosNumber"))
if mibBuilder.loadTexts: eSystemBiosCharacteristic.setStatus('mandatory')
if mibBuilder.loadTexts: eSystemBiosCharacteristic.setDescription('')
a5BiosCharacteristicsIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 5, 1, 1), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a5BiosCharacteristicsIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a5BiosCharacteristicsIndex.setDescription('This is an index into the BIOS Characteristics table. ')
a5BiosNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 5, 1, 2), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a5BiosNumber.setStatus('mandatory')
if mibBuilder.loadTexts: a5BiosNumber.setDescription('This field refers to the BIOS number, which correlates to the System BIOS Index. ')
a5BiosCharacteristics = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 5, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vUnsupported", 3), ("vIsa-support", 4), ("vMca-support", 5), ("vEisa-support", 6), ("vPci-support", 7), ("vPcmcia-support", 8), ("vPnp-support", 9), ("vApmSupport", 10), ("vUpgradeable-bios", 11), ("vBios-shadowing-allowed", 12), ("vVl-vesa-support", 13), ("vEscdSupport", 14)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a5BiosCharacteristics.setStatus('mandatory')
if mibBuilder.loadTexts: a5BiosCharacteristics.setDescription('The different attributes supported by this version of the BIOS')
a5BiosCharacteristicsDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 5, 1, 4), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a5BiosCharacteristicsDescription.setStatus('mandatory')
if mibBuilder.loadTexts: a5BiosCharacteristicsDescription.setDescription('An expanded description of this BIOS Characteristic.')
tProcessor = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 6), )
if mibBuilder.loadTexts: tProcessor.setStatus('mandatory')
if mibBuilder.loadTexts: tProcessor.setDescription('This group defines the attributes for each and every processor installed in this system.')
eProcessor = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 6, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"), (0, "PCSYSTEMSMIF-MIB", "a6ProcessorIndex"))
if mibBuilder.loadTexts: eProcessor.setStatus('mandatory')
if mibBuilder.loadTexts: eProcessor.setDescription('')
a6ProcessorIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 6, 1, 1), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a6ProcessorIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a6ProcessorIndex.setDescription('An index into the processor table.')
a6Type = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 6, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vCentralProcessor", 3), ("vMath-processor", 4), ("vDsp-processor", 5), ("vVideo-processor", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a6Type.setStatus('mandatory')
if mibBuilder.loadTexts: a6Type.setDescription('The type of processor currently in the system.')
a6ProcessorFamily = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 6, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 32, 48, 64, 80, 96, 112, 128, 144))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("v8086", 3), ("v80286", 4), ("v80386", 5), ("v80486", 6), ("v8087", 7), ("v80287", 8), ("v80387", 9), ("v80487", 10), ("vPentiumFamily", 11), ("vPowerPcFamily", 32), ("vAlphaFamily", 48), ("vMipsFamily", 64), ("vSparcFamily", 80), ("v68040Family", 96), ("vHobbitFamily", 112), ("vWeitek", 128), ("vPa-riscFamily", 144)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a6ProcessorFamily.setStatus('mandatory')
if mibBuilder.loadTexts: a6ProcessorFamily.setDescription('The family of processors to which this processor belongs.')
a6VersionInformation = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 6, 1, 4), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a6VersionInformation.setStatus('mandatory')
if mibBuilder.loadTexts: a6VersionInformation.setDescription('The version number or string for this processor.')
a6MaximumSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 6, 1, 5), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a6MaximumSpeed.setStatus('mandatory')
if mibBuilder.loadTexts: a6MaximumSpeed.setDescription('The maximum speed (in MHz) of this processor.')
a6CurrentSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 6, 1, 6), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a6CurrentSpeed.setStatus('mandatory')
if mibBuilder.loadTexts: a6CurrentSpeed.setDescription('The current speed (in MHz) of this processor.')
a6ProcessorUpgrade = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 6, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vDaughterBoard", 3), ("vZifSocket", 4), ("vReplacementpiggyBack", 5), ("vNone", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a6ProcessorUpgrade.setStatus('mandatory')
if mibBuilder.loadTexts: a6ProcessorUpgrade.setDescription('The method by which this processor can be upgraded, if upgrades are supported. ')
a6FruGroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 6, 1, 8), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a6FruGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a6FruGroupIndex.setDescription('If this is a Field Replaceable Unit or if it is partof another FRU, this provides index into the FRU table.A Value = -1 means that the group is not a FRU')
a6OperationalGroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 6, 1, 9), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a6OperationalGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a6OperationalGroupIndex.setDescription('The index into the Operational State Table for this device if applicable')
tMotherboard = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 7), )
if mibBuilder.loadTexts: tMotherboard.setStatus('mandatory')
if mibBuilder.loadTexts: tMotherboard.setDescription('This group defines attributes for the mother board')
eMotherboard = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 7, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"))
if mibBuilder.loadTexts: eMotherboard.setStatus('mandatory')
if mibBuilder.loadTexts: eMotherboard.setDescription('')
a7NumberOfExpansionSlots = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 7, 1, 1), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a7NumberOfExpansionSlots.setStatus('mandatory')
if mibBuilder.loadTexts: a7NumberOfExpansionSlots.setDescription('This attribute indicates the total number of expansion slots which physically exist on the motherboard whether occupied or not (See System Slots groups)')
a7FruGroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 7, 1, 2), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a7FruGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a7FruGroupIndex.setDescription('If this is a Field Replaceable Unit or if it is partof another FRU, this provides index into the FRU table.A Value = -1 means that the group is not a FRU')
a7OperationalGroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 7, 1, 3), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a7OperationalGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a7OperationalGroupIndex.setDescription('The index into the Operational State Table for this device if applicable')
tPhysicalMemory = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 8), )
if mibBuilder.loadTexts: tPhysicalMemory.setStatus('mandatory')
if mibBuilder.loadTexts: tPhysicalMemory.setDescription('This group defines the physical attributes for system memory and any add- on memory installed in this system.')
ePhysicalMemory = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 8, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"), (0, "PCSYSTEMSMIF-MIB", "a8PhysicalMemoryIndex"))
if mibBuilder.loadTexts: ePhysicalMemory.setStatus('mandatory')
if mibBuilder.loadTexts: ePhysicalMemory.setDescription('')
a8PhysicalMemoryIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 8, 1, 1), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a8PhysicalMemoryIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a8PhysicalMemoryIndex.setDescription('An index into the physical memory table.')
a8PhysicalMemoryLocation = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 8, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vSystemBoardOrMotherBoard", 3), ("vIsaAddOnCard", 4), ("vEisaAddOnCard", 5), ("vPciAddOnCard", 6), ("vMcaAddOnCard", 7), ("vPcmciaAddOnCard", 8), ("vProprietaryAddOnCard", 9)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a8PhysicalMemoryLocation.setStatus('mandatory')
if mibBuilder.loadTexts: a8PhysicalMemoryLocation.setDescription('The location of the memory modules, whether on the system board or an add on board.')
a8MemoryStartingAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 8, 1, 3), DmiInteger64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a8MemoryStartingAddress.setStatus('mandatory')
if mibBuilder.loadTexts: a8MemoryStartingAddress.setDescription('This is the starting physical address mapped by this memory component')
a8MemoryEndingAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 8, 1, 4), DmiInteger64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a8MemoryEndingAddress.setStatus('mandatory')
if mibBuilder.loadTexts: a8MemoryEndingAddress.setDescription('This is the ending physical address mapped by this memory component')
a8MemoryUsage = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 8, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vSystemMemory", 3), ("vVideoMemory", 4), ("vFlashMemory", 5), ("vNonVolatileRam", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a8MemoryUsage.setStatus('mandatory')
if mibBuilder.loadTexts: a8MemoryUsage.setDescription('What this memory component is used for.')
a8MaximumMemoryCapacity = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 8, 1, 6), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a8MaximumMemoryCapacity.setStatus('mandatory')
if mibBuilder.loadTexts: a8MaximumMemoryCapacity.setDescription('The maximum memory capacity, in MegaBytes on this device.')
a8NumberOfSimmSlots = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 8, 1, 7), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a8NumberOfSimmSlots.setStatus('mandatory')
if mibBuilder.loadTexts: a8NumberOfSimmSlots.setDescription('The number of SIMM slots available for this type of memory on this device.')
a8NumberOfSimmSlotsUsed = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 8, 1, 8), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a8NumberOfSimmSlotsUsed.setStatus('mandatory')
if mibBuilder.loadTexts: a8NumberOfSimmSlotsUsed.setDescription('The number of SIMM slots in use for this type of memory on this device')
a8MemorySpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 8, 1, 9), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a8MemorySpeed.setStatus('mandatory')
if mibBuilder.loadTexts: a8MemorySpeed.setDescription('The speed of this memory component in nano seconds')
a8MemoryErrorCorrection = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 8, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vNone", 3), ("vParity", 4), ("vSingleBitEcc", 5), ("vMultibitEcc", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a8MemoryErrorCorrection.setStatus('mandatory')
if mibBuilder.loadTexts: a8MemoryErrorCorrection.setDescription('The main type of error correction scheme supported by this memory component.')
a8FruGroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 8, 1, 11), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a8FruGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a8FruGroupIndex.setDescription('If this is a Field Replaceable Unit or if it is partof another FRU, this provides index into the FRU table.A Value = -1 means that the group is not a FRU')
a8OperationalGroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 8, 1, 12), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a8OperationalGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a8OperationalGroupIndex.setDescription('The index into the Operational State Table for this device if applicable')
tLogicalMemory = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 9), )
if mibBuilder.loadTexts: tLogicalMemory.setStatus('mandatory')
if mibBuilder.loadTexts: tLogicalMemory.setDescription('This group defines the logical memory attributes for system memory and any add-on memory installed in this system.')
eLogicalMemory = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 9, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"))
if mibBuilder.loadTexts: eLogicalMemory.setStatus('mandatory')
if mibBuilder.loadTexts: eLogicalMemory.setDescription('')
a9BaseMemorySize = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 9, 1, 1), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a9BaseMemorySize.setStatus('mandatory')
if mibBuilder.loadTexts: a9BaseMemorySize.setDescription('The total size of the base memory in Kilo Bytes.')
a9FreeBaseMemorySize = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 9, 1, 2), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a9FreeBaseMemorySize.setStatus('mandatory')
if mibBuilder.loadTexts: a9FreeBaseMemorySize.setDescription('The size of free base memory in Kilo Bytes.')
a9ExtendedMemorySize = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 9, 1, 3), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a9ExtendedMemorySize.setStatus('mandatory')
if mibBuilder.loadTexts: a9ExtendedMemorySize.setDescription('The total size of the extended memory in Kilo Bytes.')
a9FreeExtendedMemorySize = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 9, 1, 4), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a9FreeExtendedMemorySize.setStatus('mandatory')
if mibBuilder.loadTexts: a9FreeExtendedMemorySize.setDescription('The size of free extended memory in Kilo Bytes.')
a9ExtendedMemoryManagerName = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 9, 1, 5), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a9ExtendedMemoryManagerName.setStatus('mandatory')
if mibBuilder.loadTexts: a9ExtendedMemoryManagerName.setDescription('The name of the extended memory manager.')
a9ExtendedMemoryManagerVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 9, 1, 6), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a9ExtendedMemoryManagerVersion.setStatus('mandatory')
if mibBuilder.loadTexts: a9ExtendedMemoryManagerVersion.setDescription('The version information of the extended memory manager.')
a9ExpandedMemorySize = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 9, 1, 7), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a9ExpandedMemorySize.setStatus('mandatory')
if mibBuilder.loadTexts: a9ExpandedMemorySize.setDescription('The total size of the expanded memory in Kilo Bytes.')
a9FreeExpandedMemorySize = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 9, 1, 8), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a9FreeExpandedMemorySize.setStatus('mandatory')
if mibBuilder.loadTexts: a9FreeExpandedMemorySize.setDescription('The size of free expanded memory in Kilo Bytes.')
a9ExpandedMemoryManagerName = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 9, 1, 9), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a9ExpandedMemoryManagerName.setStatus('mandatory')
if mibBuilder.loadTexts: a9ExpandedMemoryManagerName.setDescription('The name of the expanded memory manager.')
a9ExpandedMemoryManagerVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 9, 1, 10), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a9ExpandedMemoryManagerVersion.setStatus('mandatory')
if mibBuilder.loadTexts: a9ExpandedMemoryManagerVersion.setDescription('The version information of the expanded memory manager.')
a9ExpandedMemoryPageFrameAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 9, 1, 11), DmiInteger64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a9ExpandedMemoryPageFrameAddress.setStatus('mandatory')
if mibBuilder.loadTexts: a9ExpandedMemoryPageFrameAddress.setDescription('The starting physical address of the expanded memory page frame.')
a9ExpandedMemoryPageFrameSize = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 9, 1, 12), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a9ExpandedMemoryPageFrameSize.setStatus('mandatory')
if mibBuilder.loadTexts: a9ExpandedMemoryPageFrameSize.setDescription('The size in Kilo Bytes of the expanded memory page frame.')
a9ExpandedMemoryPageSize = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 9, 1, 13), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a9ExpandedMemoryPageSize.setStatus('mandatory')
if mibBuilder.loadTexts: a9ExpandedMemoryPageSize.setDescription('The size in Kilo Bytes of an expanded memory page, as opposed to the expanded memory page frame, which consists of a number of memory pages.')
tSystemCache = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 10), )
if mibBuilder.loadTexts: tSystemCache.setStatus('mandatory')
if mibBuilder.loadTexts: tSystemCache.setDescription('This group defines the attributes for different System Caches installed in this system.')
eSystemCache = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 10, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"), (0, "PCSYSTEMSMIF-MIB", "a10SystemCacheIndex"))
if mibBuilder.loadTexts: eSystemCache.setStatus('mandatory')
if mibBuilder.loadTexts: eSystemCache.setDescription('')
a10SystemCacheIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 10, 1, 1), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a10SystemCacheIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a10SystemCacheIndex.setDescription('An index into the System Cache table.')
a10SystemCacheLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vPrimary", 3), ("vSecondary", 4), ("vTertiary", 5)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a10SystemCacheLevel.setStatus('mandatory')
if mibBuilder.loadTexts: a10SystemCacheLevel.setDescription('Defines primary or secondary System Cache, or a subsidiary cache.')
a10SystemCacheSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 10, 1, 3), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a10SystemCacheSpeed.setStatus('mandatory')
if mibBuilder.loadTexts: a10SystemCacheSpeed.setDescription('The speed of this System Cache module in nano seconds')
a10SystemCacheSize = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 10, 1, 4), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a10SystemCacheSize.setStatus('mandatory')
if mibBuilder.loadTexts: a10SystemCacheSize.setDescription('The size of this System Cache module in Kilo Bytes.')
a10SystemCacheWritePolicy = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 10, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vWriteBack", 3), ("vWriteThrough", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a10SystemCacheWritePolicy.setStatus('mandatory')
if mibBuilder.loadTexts: a10SystemCacheWritePolicy.setDescription('Is this a write-back or a write-through cache?')
a10SystemCacheErrorCorrection = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 10, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vNone", 3), ("vParity", 4), ("vSingleBitEcc", 5), ("vMultibitEcc", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a10SystemCacheErrorCorrection.setStatus('mandatory')
if mibBuilder.loadTexts: a10SystemCacheErrorCorrection.setDescription('This field describes the main type of error correction scheme supported by thiscache component.')
a10FruGroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 10, 1, 7), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a10FruGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a10FruGroupIndex.setDescription('If this is a Field Replaceable Unit or if it is partof another FRU, this provides an index into the FRU table.A Value = -1 means that the group is not a FRU')
a10OperationalGroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 10, 1, 8), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a10OperationalGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a10OperationalGroupIndex.setDescription('The index into the Operational State Table for this device if applicable')
tParallelPorts = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 11), )
if mibBuilder.loadTexts: tParallelPorts.setStatus('mandatory')
if mibBuilder.loadTexts: tParallelPorts.setDescription('This group defines the attributes for parallel ports in this system.')
eParallelPorts = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 11, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"), (0, "PCSYSTEMSMIF-MIB", "a11ParallelPortIndex"))
if mibBuilder.loadTexts: eParallelPorts.setStatus('mandatory')
if mibBuilder.loadTexts: eParallelPorts.setDescription('')
a11ParallelPortIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 11, 1, 1), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a11ParallelPortIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a11ParallelPortIndex.setDescription('An index into the parallel ports table.')
a11ParallelBaseIoAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 11, 1, 2), DmiInteger64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a11ParallelBaseIoAddress.setStatus('mandatory')
if mibBuilder.loadTexts: a11ParallelBaseIoAddress.setDescription('Base I/O address for this parallel port.')
a11IrqUsed = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 11, 1, 3), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a11IrqUsed.setStatus('mandatory')
if mibBuilder.loadTexts: a11IrqUsed.setDescription('IRQ number that is being used by this parallel port.')
a11LogicalName = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 11, 1, 4), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a11LogicalName.setStatus('mandatory')
if mibBuilder.loadTexts: a11LogicalName.setDescription('The logical name of the I/O device on this parallel port, under this operating environment.')
a11ConnectorType = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 11, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vDb-25Female", 3), ("vDb-25Male", 4), ("vCentronics", 5), ("vMini-centronics", 6), ("vProprietary", 7)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a11ConnectorType.setStatus('mandatory')
if mibBuilder.loadTexts: a11ConnectorType.setDescription('The connector used to interface with this I/O device on this parallel port.')
a11ConnectorPinout = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 11, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vXtat", 3), ("vPs2", 4), ("vIeee1284", 5), ("vProprietary", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a11ConnectorPinout.setStatus('mandatory')
if mibBuilder.loadTexts: a11ConnectorPinout.setDescription('The pinout used by the I/O device on this parallel port.')
a11DmaSupport = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 11, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("vFalse", 0), ("vTrue", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a11DmaSupport.setStatus('mandatory')
if mibBuilder.loadTexts: a11DmaSupport.setDescription('If true, DMA is supported.')
a11ParallelPortCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 11, 1, 8), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a11ParallelPortCapabilities.setStatus('mandatory')
if mibBuilder.loadTexts: a11ParallelPortCapabilities.setDescription('Capabilities of this parallel port. This is a bit field mask with the bits defined as follows: Bit 0 set = XT/AT compatible Bit 1 set = PS/2 compatible Bit 2 set = ECP Bit 3 set = EPP')
a11OperationalGroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 11, 1, 9), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a11OperationalGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a11OperationalGroupIndex.setDescription('The index into the Operational State Table for this device if applicable')
tSerialPorts = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 12), )
if mibBuilder.loadTexts: tSerialPorts.setStatus('mandatory')
if mibBuilder.loadTexts: tSerialPorts.setDescription('This group defines the attributes for serial ports in this system.')
eSerialPorts = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 12, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"), (0, "PCSYSTEMSMIF-MIB", "a12SerialPortIndex"))
if mibBuilder.loadTexts: eSerialPorts.setStatus('mandatory')
if mibBuilder.loadTexts: eSerialPorts.setDescription('')
a12SerialPortIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 12, 1, 1), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a12SerialPortIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a12SerialPortIndex.setDescription('An index into the serial ports table.')
a12SerialBaseIo = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 12, 1, 2), DmiInteger64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a12SerialBaseIo.setStatus('mandatory')
if mibBuilder.loadTexts: a12SerialBaseIo.setDescription('Base I/O address for this serial port.')
a12IrqUsed = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 12, 1, 3), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a12IrqUsed.setStatus('mandatory')
if mibBuilder.loadTexts: a12IrqUsed.setDescription('IRQ number that is being used by this serial port.')
a12LogicalName = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 12, 1, 4), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a12LogicalName.setStatus('mandatory')
if mibBuilder.loadTexts: a12LogicalName.setDescription('The logical name of this serial port under this operating environment.')
a12ConnectorType = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 12, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vDb-9PinMale", 3), ("vDb-9PinFemale", 4), ("vDb-25PinMale", 5), ("vDb-25PinFemale", 6), ("vRj-11", 7), ("vRj-45", 8), ("vProprietary", 9)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a12ConnectorType.setStatus('mandatory')
if mibBuilder.loadTexts: a12ConnectorType.setDescription('The connector used to interface with the I/O device on this serial port.')
a12MaximumSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 12, 1, 6), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a12MaximumSpeed.setStatus('mandatory')
if mibBuilder.loadTexts: a12MaximumSpeed.setDescription('Maximum transfer speed of the device on this serial port in bits per second.')
a12SerialPortCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 12, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vXtatCcompatible", 3), ("v16450Compatible", 4), ("v16550Compatible", 5), ("v16550aCompatible", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a12SerialPortCapabilities.setStatus('mandatory')
if mibBuilder.loadTexts: a12SerialPortCapabilities.setDescription('The capabilities of this Serial port.')
a12OperationalGroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 12, 1, 8), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a12OperationalGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a12OperationalGroupIndex.setDescription('The index into the Operational State Table for this device if applicable')
tIrq = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 13), )
if mibBuilder.loadTexts: tIrq.setStatus('mandatory')
if mibBuilder.loadTexts: tIrq.setDescription('This groups defines attributes for IRQs in this system.')
eIrq = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 13, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"), (0, "PCSYSTEMSMIF-MIB", "a13IrqNumber"))
if mibBuilder.loadTexts: eIrq.setStatus('mandatory')
if mibBuilder.loadTexts: eIrq.setDescription('')
a13IrqNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 13, 1, 1), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a13IrqNumber.setStatus('mandatory')
if mibBuilder.loadTexts: a13IrqNumber.setDescription('The current IRQ number for this IRQ.')
a13AvailabilityOfIrq = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 13, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vAvailable", 3), ("vInUse", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a13AvailabilityOfIrq.setStatus('mandatory')
if mibBuilder.loadTexts: a13AvailabilityOfIrq.setDescription('Is this IRQ available or in use.')
a13IrqTriggerType = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 13, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vLevel", 3), ("vEdge", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a13IrqTriggerType.setStatus('mandatory')
if mibBuilder.loadTexts: a13IrqTriggerType.setDescription('The attribute indicates the trigger type of the IRQ')
a13IrqShareable = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 13, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("vFalse", 0), ("vTrue", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a13IrqShareable.setStatus('mandatory')
if mibBuilder.loadTexts: a13IrqShareable.setDescription('If true, this IRQ is shareable.')
a13IrqDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 13, 1, 5), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a13IrqDescription.setStatus('mandatory')
if mibBuilder.loadTexts: a13IrqDescription.setDescription('The name of the logical device name that is currently using this IRQ.')
tDma = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 14), )
if mibBuilder.loadTexts: tDma.setStatus('mandatory')
if mibBuilder.loadTexts: tDma.setDescription('This group defines various attributes for the various DMA channels in this system.')
eDma = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 14, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"), (0, "PCSYSTEMSMIF-MIB", "a14DmaNumber"))
if mibBuilder.loadTexts: eDma.setStatus('mandatory')
if mibBuilder.loadTexts: eDma.setDescription('')
a14DmaNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 14, 1, 1), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a14DmaNumber.setStatus('mandatory')
if mibBuilder.loadTexts: a14DmaNumber.setDescription('The current DMA channel number.')
a14AvailabilityOfDma = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 14, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("vFalse", 0), ("vTrue", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a14AvailabilityOfDma.setStatus('mandatory')
if mibBuilder.loadTexts: a14AvailabilityOfDma.setDescription('If true, this DMA channel is available.')
a14DmaBurstMode = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 14, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("vFalse", 0), ("vTrue", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a14DmaBurstMode.setStatus('mandatory')
if mibBuilder.loadTexts: a14DmaBurstMode.setDescription('If true, this DMA channel supports burst mode.')
a14DmaDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 14, 1, 4), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a14DmaDescription.setStatus('mandatory')
if mibBuilder.loadTexts: a14DmaDescription.setDescription('The name of the logical device that is currently using this DMA channel.')
tMemoryMappedIo = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 15), )
if mibBuilder.loadTexts: tMemoryMappedIo.setStatus('mandatory')
if mibBuilder.loadTexts: tMemoryMappedIo.setDescription('This group defines various attributes for memory mapped I/O on this system.')
eMemoryMappedIo = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 15, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"), (0, "PCSYSTEMSMIF-MIB", "a15MemoryMappedIoStartingAddress"))
if mibBuilder.loadTexts: eMemoryMappedIo.setStatus('mandatory')
if mibBuilder.loadTexts: eMemoryMappedIo.setDescription('')
a15MemoryMappedIoStartingAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 15, 1, 1), DmiInteger64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a15MemoryMappedIoStartingAddress.setStatus('mandatory')
if mibBuilder.loadTexts: a15MemoryMappedIoStartingAddress.setDescription('The starting address of a contiguous System memory mapped I/O region.')
a15MemoryMappedIoEndingAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 15, 1, 2), DmiInteger64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a15MemoryMappedIoEndingAddress.setStatus('mandatory')
if mibBuilder.loadTexts: a15MemoryMappedIoEndingAddress.setDescription('The ending address of a contiguous System memory mapped I/O region.')
a15MemoryMappedIoDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 15, 1, 3), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a15MemoryMappedIoDescription.setStatus('mandatory')
if mibBuilder.loadTexts: a15MemoryMappedIoDescription.setDescription('The name of the logical device currently using this Memory Mapped I/O.')
tSystemEnclosure = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 16), )
if mibBuilder.loadTexts: tSystemEnclosure.setStatus('mandatory')
if mibBuilder.loadTexts: tSystemEnclosure.setDescription('This group defines the attributes for the system enclosure.')
eSystemEnclosure = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 16, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"))
if mibBuilder.loadTexts: eSystemEnclosure.setStatus('mandatory')
if mibBuilder.loadTexts: eSystemEnclosure.setDescription('')
a16EnclosureOrChassis = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 16, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vDesktop", 3), ("vLowProfileDesktop", 4), ("vPizzaBox", 5), ("vMiniTower", 6), ("vTower", 7), ("vPortable", 8), ("vLaptop", 9), ("vNotebook", 10), ("vHandHeld", 11), ("vDockingStation", 12)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a16EnclosureOrChassis.setStatus('mandatory')
if mibBuilder.loadTexts: a16EnclosureOrChassis.setDescription('The type of Enclosure.')
a16AssetTag = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 16, 1, 2), DmiDisplaystring()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: a16AssetTag.setStatus('mandatory')
if mibBuilder.loadTexts: a16AssetTag.setDescription('The system asset tag number or string')
a16ChassisLockPresent = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 16, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("vFalse", 0), ("vTrue", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a16ChassisLockPresent.setStatus('mandatory')
if mibBuilder.loadTexts: a16ChassisLockPresent.setDescription('If true, a chassis lock is present.')
a16BootUpState = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 16, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vSafe", 3), ("vWarning", 4), ("vCritical", 5)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a16BootUpState.setStatus('mandatory')
if mibBuilder.loadTexts: a16BootUpState.setDescription('The current state of this system when it booted.')
a16PowerState = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 16, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vSafe", 3), ("vWarning", 4), ("vCritical", 5)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a16PowerState.setStatus('mandatory')
if mibBuilder.loadTexts: a16PowerState.setDescription('The current state of the power supply state for this system.')
a16ThermalState = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 16, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vSafe", 3), ("vWarning", 4), ("vCritical", 5)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a16ThermalState.setStatus('mandatory')
if mibBuilder.loadTexts: a16ThermalState.setDescription('The current thermal state of this system.')
a16FruGroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 16, 1, 7), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a16FruGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a16FruGroupIndex.setDescription('If this is a Field Replaceable Unit or if it is partof another FRU, this provides index into the FRU table.A Value = -1 means that the group is not a FRU')
a16OperationalGroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 16, 1, 8), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a16OperationalGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a16OperationalGroupIndex.setDescription('The index into the Operational State Table for this device if applicable')
tPowerSupply = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 17), )
if mibBuilder.loadTexts: tPowerSupply.setStatus('mandatory')
if mibBuilder.loadTexts: tPowerSupply.setDescription('This group defines various attributes for power supplies in this system.')
ePowerSupply = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 17, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"), (0, "PCSYSTEMSMIF-MIB", "a17PowerSupplyIndex"))
if mibBuilder.loadTexts: ePowerSupply.setStatus('mandatory')
if mibBuilder.loadTexts: ePowerSupply.setDescription('')
a17PowerSupplyIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 17, 1, 1), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a17PowerSupplyIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a17PowerSupplyIndex.setDescription('The index number of the current power supply.')
a17FruGroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 17, 1, 2), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a17FruGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a17FruGroupIndex.setDescription('If this is a Field Replaceable Unit or if it is partof another FRU, this provides index into the FRU table.A Value = -1 means that the group is not a FRU')
a17OperationalGroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 17, 1, 3), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a17OperationalGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a17OperationalGroupIndex.setDescription('The index into the Operational State Table for this device if applicable')
tCoolingDevice = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 18), )
if mibBuilder.loadTexts: tCoolingDevice.setStatus('mandatory')
if mibBuilder.loadTexts: tCoolingDevice.setDescription('This group defines various attributes for cooling devices in this system.')
eCoolingDevice = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 18, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"), (0, "PCSYSTEMSMIF-MIB", "a18CoolingDeviceIndex"))
if mibBuilder.loadTexts: eCoolingDevice.setStatus('mandatory')
if mibBuilder.loadTexts: eCoolingDevice.setDescription('')
a18CoolingDeviceIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 18, 1, 1), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a18CoolingDeviceIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a18CoolingDeviceIndex.setDescription('An index into the cooling device table.')
a18FruGroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 18, 1, 2), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a18FruGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a18FruGroupIndex.setDescription('If this is a Field Replaceable Unit or if it is partof another FRU, this provides index into the FRU table.A Value = -1 means that the group is not a FRU')
a18OperationalGroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 18, 1, 3), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a18OperationalGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a18OperationalGroupIndex.setDescription('The index into the Operational State Table for this device if applicable')
tSystemSlots = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 19), )
if mibBuilder.loadTexts: tSystemSlots.setStatus('mandatory')
if mibBuilder.loadTexts: tSystemSlots.setDescription('This group defines the attributes for the different system expansion slots supported in this system.')
eSystemSlots = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 19, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"), (0, "PCSYSTEMSMIF-MIB", "a19SlotIndex"))
if mibBuilder.loadTexts: eSystemSlots.setStatus('mandatory')
if mibBuilder.loadTexts: eSystemSlots.setDescription('')
a19SlotIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 19, 1, 1), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a19SlotIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a19SlotIndex.setDescription('An index into the system slot table. This is the hardware ID number for each expansion slot, whether it is occupied or not (starting with 1)')
a19SlotType = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 19, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 4, 8, 16, 18, 20, 24))).clone(namedValues=NamedValues(("vUnknown", 1), ("vIsa", 2), ("vEisa", 4), ("vMca", 8), ("vPci", 16), ("vPciIsa", 18), ("vPciEisa", 20), ("vPciMca", 24)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a19SlotType.setStatus('mandatory')
if mibBuilder.loadTexts: a19SlotType.setDescription('The bus type supported in this slot. This is a bit field with the following definitions.Bit 0, if set, means it is a long-length card; if 0, it is a short-length cardBit 1, if set, is ISA, Bit 2 is EISA, Bit 3 is MCA, Bit 4 is PCI, Bit 5 is VL, and Bit 6 is PCMCIA.')
a19SlotWidth = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 19, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("v8BitCard", 3), ("v16BitCard", 4), ("v32BitCard", 5), ("v64BitCard", 6), ("v128BitCard", 7)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a19SlotWidth.setStatus('mandatory')
if mibBuilder.loadTexts: a19SlotWidth.setDescription('The maximum bus width of cards accepted in this slot.')
a19CurrentUsage = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 19, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vAvailable", 3), ("vInUse1", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a19CurrentUsage.setStatus('mandatory')
if mibBuilder.loadTexts: a19CurrentUsage.setDescription('Is this slot is currently in use?')
a19SlotDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 19, 1, 5), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a19SlotDescription.setStatus('mandatory')
if mibBuilder.loadTexts: a19SlotDescription.setDescription('The field describes the card currently occupying this slot.')
tVideo = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20), )
if mibBuilder.loadTexts: tVideo.setStatus('mandatory')
if mibBuilder.loadTexts: tVideo.setDescription('This group defines the attributes of video devices in this system.')
eVideo = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"), (0, "PCSYSTEMSMIF-MIB", "a20VideoIndex"))
if mibBuilder.loadTexts: eVideo.setStatus('mandatory')
if mibBuilder.loadTexts: eVideo.setDescription('')
a20VideoIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20, 1, 1), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a20VideoIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a20VideoIndex.setDescription('An index into the video table.')
a20VideoType = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vCga", 3), ("vEga", 4), ("vVga", 5), ("vSvga", 6), ("vMda", 7), ("vHgc", 8), ("vMcga", 9), ("v8514a", 10), ("vXga", 11), ("vLinearFrameBuffer", 12)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a20VideoType.setStatus('mandatory')
if mibBuilder.loadTexts: a20VideoType.setDescription('The architecture of the video subsystem in this system.')
a20CurrentVideoMode = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20, 1, 3), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a20CurrentVideoMode.setStatus('mandatory')
if mibBuilder.loadTexts: a20CurrentVideoMode.setDescription('The current video mode in this system')
a20MinimumRefreshRate = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20, 1, 4), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a20MinimumRefreshRate.setStatus('mandatory')
if mibBuilder.loadTexts: a20MinimumRefreshRate.setDescription('The minimum refresh rate for this video subsystem in Hz.')
a20MaximumRefreshRate = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20, 1, 5), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a20MaximumRefreshRate.setStatus('mandatory')
if mibBuilder.loadTexts: a20MaximumRefreshRate.setDescription('The maximum refresh rate for this video subsystem in Hz.')
a20VideoMemoryType = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vVram", 3), ("vDram", 4), ("vSram", 5)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a20VideoMemoryType.setStatus('mandatory')
if mibBuilder.loadTexts: a20VideoMemoryType.setDescription('The type of Video Memory for this adapter.')
a20VideoRamMemorySize = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20, 1, 7), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a20VideoRamMemorySize.setStatus('mandatory')
if mibBuilder.loadTexts: a20VideoRamMemorySize.setDescription('Video adapter memory size in Kilo Bytes.')
a20ScanMode = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vInterlaced", 3), ("vNonInterlaced", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a20ScanMode.setStatus('mandatory')
if mibBuilder.loadTexts: a20ScanMode.setDescription('The scan mode for this video device.')
a20VideoPhysicalLocation = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vIntegrated", 3), ("vAddOnCard", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a20VideoPhysicalLocation.setStatus('mandatory')
if mibBuilder.loadTexts: a20VideoPhysicalLocation.setDescription('The location of the video controller circuitry.')
a20CurrentVerticalResolution = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20, 1, 10), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a20CurrentVerticalResolution.setStatus('mandatory')
if mibBuilder.loadTexts: a20CurrentVerticalResolution.setDescription('The current number of vertical pixels.')
a20CurrentHorizontalResolution = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20, 1, 11), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a20CurrentHorizontalResolution.setStatus('mandatory')
if mibBuilder.loadTexts: a20CurrentHorizontalResolution.setDescription('The current number of horizontal pixels.')
a20CurrentNumberOfBitsPerPixel = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20, 1, 12), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a20CurrentNumberOfBitsPerPixel.setStatus('mandatory')
if mibBuilder.loadTexts: a20CurrentNumberOfBitsPerPixel.setDescription('The number of bits used to display each pixel for this video device.')
a20CurrentNumberOfRows = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20, 1, 13), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a20CurrentNumberOfRows.setStatus('mandatory')
if mibBuilder.loadTexts: a20CurrentNumberOfRows.setDescription('The number of rows in character mode for this video device.')
a20CurrentNumberOfColumns = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20, 1, 14), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a20CurrentNumberOfColumns.setStatus('mandatory')
if mibBuilder.loadTexts: a20CurrentNumberOfColumns.setDescription('The number of columns in character mode for this video device.')
a20CurrentRefreshRate = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20, 1, 15), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a20CurrentRefreshRate.setStatus('mandatory')
if mibBuilder.loadTexts: a20CurrentRefreshRate.setDescription('The current refresh rate in Hz for this video device.')
a20FruGroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20, 1, 16), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a20FruGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a20FruGroupIndex.setDescription('If this is a Field Replaceable Unit or if it is part of another RU, this provides an index into the FRU table. A value = -1 means that the group is not a FRU.')
a20OperationalGroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20, 1, 17), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a20OperationalGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a20OperationalGroupIndex.setDescription('The index into the Operational State Table for this device')
tVideoBios = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 21), )
if mibBuilder.loadTexts: tVideoBios.setStatus('mandatory')
if mibBuilder.loadTexts: tVideoBios.setDescription('This group defines the attributes for the Video BIOS.')
eVideoBios = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 21, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"), (0, "PCSYSTEMSMIF-MIB", "a21VideoBiosIndex"))
if mibBuilder.loadTexts: eVideoBios.setStatus('mandatory')
if mibBuilder.loadTexts: eVideoBios.setDescription('')
a21VideoBiosIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 21, 1, 1), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a21VideoBiosIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a21VideoBiosIndex.setDescription('The index into the Video BIOS table.')
a21VideoBiosManufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 21, 1, 2), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a21VideoBiosManufacturer.setStatus('mandatory')
if mibBuilder.loadTexts: a21VideoBiosManufacturer.setDescription('The name of the company that wrote this Video BIOS.')
a21VideoBiosVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 21, 1, 3), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a21VideoBiosVersion.setStatus('mandatory')
if mibBuilder.loadTexts: a21VideoBiosVersion.setDescription('The version number or version string of this Video BIOS.')
a21VideoBiosReleaseDate = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 21, 1, 4), DmiDate()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a21VideoBiosReleaseDate.setStatus('mandatory')
if mibBuilder.loadTexts: a21VideoBiosReleaseDate.setDescription('The Video BIOS release date.')
a21VideoBiosShadowingState = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 21, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("vFalse", 0), ("vTrue", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a21VideoBiosShadowingState.setStatus('mandatory')
if mibBuilder.loadTexts: a21VideoBiosShadowingState.setDescription('If true, the Video BIOS is currently being shadowed ')
tVideoBiosCharacteristic = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 22), )
if mibBuilder.loadTexts: tVideoBiosCharacteristic.setStatus('mandatory')
if mibBuilder.loadTexts: tVideoBiosCharacteristic.setDescription('This group defines the characteristics for the Video BIOS.')
eVideoBiosCharacteristic = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 22, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"), (0, "PCSYSTEMSMIF-MIB", "a22VideoBiosCharacteristicsIndex"), (0, "PCSYSTEMSMIF-MIB", "a22VideoBiosNumber"))
if mibBuilder.loadTexts: eVideoBiosCharacteristic.setStatus('mandatory')
if mibBuilder.loadTexts: eVideoBiosCharacteristic.setDescription('')
a22VideoBiosCharacteristicsIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 22, 1, 1), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a22VideoBiosCharacteristicsIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a22VideoBiosCharacteristicsIndex.setDescription('This is an index into the Video BIOS Characteristics table. ')
a22VideoBiosNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 22, 1, 2), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a22VideoBiosNumber.setStatus('mandatory')
if mibBuilder.loadTexts: a22VideoBiosNumber.setDescription('This is the Video BIOS number which correlates to the Video BIOS Index. ')
a22VideoBiosCharacteristics = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 22, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vUnsupported", 3), ("vStandardVideoBios", 4), ("vVesaBiosExtensionsSupported", 5), ("vVesaPowerManagementSupported", 6), ("vVesaDisplayDataChannelSupported", 7), ("vVideoBios-shadowing-allowed", 8), ("vVideoBiosUpgradable", 9)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a22VideoBiosCharacteristics.setStatus('mandatory')
if mibBuilder.loadTexts: a22VideoBiosCharacteristics.setDescription('The attributes and extensions supported by this version of the Video BIOS')
a22VideoBiosCharacteristicsDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 22, 1, 4), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a22VideoBiosCharacteristicsDescription.setStatus('mandatory')
if mibBuilder.loadTexts: a22VideoBiosCharacteristicsDescription.setDescription('Expanded description of this VIDEO BIOS Characteristic.')
tDiskDrives = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 23), )
if mibBuilder.loadTexts: tDiskDrives.setStatus('mandatory')
if mibBuilder.loadTexts: tDiskDrives.setDescription('This group defines the physical attributes of disk mass storage devices in this system.')
eDiskDrives = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 23, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"), (0, "PCSYSTEMSMIF-MIB", "a23StorageType"), (0, "PCSYSTEMSMIF-MIB", "a23DiskIndex"))
if mibBuilder.loadTexts: eDiskDrives.setStatus('mandatory')
if mibBuilder.loadTexts: eDiskDrives.setDescription('')
a23StorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 23, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vHard-disk", 3), ("vFloppy-disk", 4), ("vOptical-rom", 5), ("vOptical-worm", 6), ("vOptical-rw", 7), ("vCompact-disk", 8), ("vFlash-disk", 9), ("vBernoulli", 10), ("vOpticalFloppyDisk", 11)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a23StorageType.setStatus('mandatory')
if mibBuilder.loadTexts: a23StorageType.setDescription('The type of this mass storage device')
a23DiskIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 23, 1, 2), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a23DiskIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a23DiskIndex.setDescription('An index into the disk table.')
a23StorageInterfaceType = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 23, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vScsi", 3), ("vEsdi", 4), ("vIde", 5), ("vCmd", 6), ("vIpi", 7), ("vSt506", 8), ("vDssi", 9), ("vParallel-port", 10), ("vHippi", 11), ("vQic2", 12), ("vFloppy-disk-interface", 13), ("vPcmcia", 14), ("vEnhancedAtaide", 15)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a23StorageInterfaceType.setStatus('mandatory')
if mibBuilder.loadTexts: a23StorageInterfaceType.setDescription('The interface used by this mass storage device')
a23InterfaceDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 23, 1, 4), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a23InterfaceDescription.setStatus('mandatory')
if mibBuilder.loadTexts: a23InterfaceDescription.setDescription('A longer description of the mass storage interface.For Example, SCSI2 fast wide')
a23MediaLoaded = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 23, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("vFalse", 0), ("vTrue", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a23MediaLoaded.setStatus('mandatory')
if mibBuilder.loadTexts: a23MediaLoaded.setDescription('If true, the media is loaded')
a23RemovableMedia = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 23, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("vFalse", 0), ("vTrue", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a23RemovableMedia.setStatus('mandatory')
if mibBuilder.loadTexts: a23RemovableMedia.setDescription('If true, the media in this drive is removable')
a23DeviceId = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 23, 1, 7), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a23DeviceId.setStatus('mandatory')
if mibBuilder.loadTexts: a23DeviceId.setDescription('The SCSI address of this device')
a23LogicalUnitNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 23, 1, 8), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a23LogicalUnitNumber.setStatus('mandatory')
if mibBuilder.loadTexts: a23LogicalUnitNumber.setDescription('The logical unit number of this SCSI device. ')
a23NumberOfPhysicalCylinders = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 23, 1, 9), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a23NumberOfPhysicalCylinders.setStatus('mandatory')
if mibBuilder.loadTexts: a23NumberOfPhysicalCylinders.setDescription('The number of reported Physical Cylinders on this device')
a23NumberOfPhysicalSectorsPerTrack = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 23, 1, 10), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a23NumberOfPhysicalSectorsPerTrack.setStatus('mandatory')
if mibBuilder.loadTexts: a23NumberOfPhysicalSectorsPerTrack.setDescription('The number of reported Physical sectors per track for this device')
a23NumberOfPhysicalHeads = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 23, 1, 11), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a23NumberOfPhysicalHeads.setStatus('mandatory')
if mibBuilder.loadTexts: a23NumberOfPhysicalHeads.setDescription('The number of reported Physical heads for this device')
a23SectorSize = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 23, 1, 12), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a23SectorSize.setStatus('mandatory')
if mibBuilder.loadTexts: a23SectorSize.setDescription('The Size in bytes of the physical disk sector as reported by the disk. ')
a23TotalPhysicalSize = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 23, 1, 13), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a23TotalPhysicalSize.setStatus('mandatory')
if mibBuilder.loadTexts: a23TotalPhysicalSize.setDescription('The total size in KiloBytes (1024 bytes) of this device. ')
a23Partitions = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 23, 1, 14), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a23Partitions.setStatus('mandatory')
if mibBuilder.loadTexts: a23Partitions.setDescription('The number of partitions on this storage unit')
a23FruGroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 23, 1, 15), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a23FruGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a23FruGroupIndex.setDescription('If this is a Field Replaceable Unit or if it is part of another FRU, this provides an index into the FRU table. A value = -1 means that the group is not a FRU.')
tDiskMappingTable = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 24), )
if mibBuilder.loadTexts: tDiskMappingTable.setStatus('mandatory')
if mibBuilder.loadTexts: tDiskMappingTable.setDescription('A table relating disks to partitions. May have an instance of a disk or partition more than once')
eDiskMappingTable = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 24, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"), (0, "PCSYSTEMSMIF-MIB", "a24StorageType"), (0, "PCSYSTEMSMIF-MIB", "a24DiskIndex"), (0, "PCSYSTEMSMIF-MIB", "a24PartitionIndex"))
if mibBuilder.loadTexts: eDiskMappingTable.setStatus('mandatory')
if mibBuilder.loadTexts: eDiskMappingTable.setDescription('')
a24StorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 24, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vHard-disk", 3), ("vFloppy-disk", 4), ("vOptical-rom", 5), ("vOptical-worm", 6), ("vOptical-rw", 7), ("vCompact-disk", 8), ("vFlash-disk", 9), ("vBernoulli", 10), ("vOpticalFloppyDisk", 11)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a24StorageType.setStatus('mandatory')
if mibBuilder.loadTexts: a24StorageType.setDescription('An index value into the Disk Table')
a24DiskIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 24, 1, 2), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a24DiskIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a24DiskIndex.setDescription('An index value into the Disk Table')
a24PartitionIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 24, 1, 3), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a24PartitionIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a24PartitionIndex.setDescription('An index value into the partition table')
tPartition = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 25), )
if mibBuilder.loadTexts: tPartition.setStatus('mandatory')
if mibBuilder.loadTexts: tPartition.setDescription('This group describes the partitions on particular disks.')
ePartition = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 25, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"), (0, "PCSYSTEMSMIF-MIB", "a25PartitionIndex"))
if mibBuilder.loadTexts: ePartition.setStatus('mandatory')
if mibBuilder.loadTexts: ePartition.setDescription('')
a25PartitionIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 25, 1, 1), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a25PartitionIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a25PartitionIndex.setDescription('The index into the partition table.')
a25PartitionName = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 25, 1, 2), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a25PartitionName.setStatus('mandatory')
if mibBuilder.loadTexts: a25PartitionName.setDescription('The name used by the system to identify the partition. This is normally the drive letter.')
a25PartitionSize = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 25, 1, 3), DmiInteger64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a25PartitionSize.setStatus('mandatory')
if mibBuilder.loadTexts: a25PartitionSize.setDescription('The size of this partition in Kilo Bytes.')
a25FreeSpace = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 25, 1, 4), DmiInteger64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a25FreeSpace.setStatus('mandatory')
if mibBuilder.loadTexts: a25FreeSpace.setDescription('The number of free Kilo Bytes on this partition')
a25PartitionLabel = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 25, 1, 5), DmiOctetstring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a25PartitionLabel.setStatus('mandatory')
if mibBuilder.loadTexts: a25PartitionLabel.setDescription('The Partition label or the unique volume label field for this physical volume. (For DOS, this is the volume label plus the 32 bit Volume ID field if available.)')
a25FileSystem = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 25, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vFat", 3), ("vHpfs", 4), ("vNtfs", 5), ("vOfs", 6), ("vMfs", 7), ("vHfs", 8), ("vVxfs", 9), ("vSfs", 10), ("vS5", 11), ("vS52k", 12), ("vUfs", 13), ("vFfs", 14), ("vNetware286", 15), ("vNetware386", 16)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a25FileSystem.setStatus('mandatory')
if mibBuilder.loadTexts: a25FileSystem.setDescription('')
a25Compressed = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 25, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("vFalse", 0), ("vTrue", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a25Compressed.setStatus('mandatory')
if mibBuilder.loadTexts: a25Compressed.setDescription('If true, this partition is compressed')
a25Encrypted = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 25, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("vFalse", 0), ("vTrue", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a25Encrypted.setStatus('mandatory')
if mibBuilder.loadTexts: a25Encrypted.setDescription('If true, this partition is encrypted')
a25NumberOfDisksOccupied = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 25, 1, 9), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a25NumberOfDisksOccupied.setStatus('mandatory')
if mibBuilder.loadTexts: a25NumberOfDisksOccupied.setDescription('The number of disks this partition occupies')
tDiskController = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 26), )
if mibBuilder.loadTexts: tDiskController.setStatus('mandatory')
if mibBuilder.loadTexts: tDiskController.setDescription('This group defines the disk controller in this system.')
eDiskController = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 26, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"), (0, "PCSYSTEMSMIF-MIB", "a26DiskControllerIndex"))
if mibBuilder.loadTexts: eDiskController.setStatus('mandatory')
if mibBuilder.loadTexts: eDiskController.setDescription('')
a26DiskControllerIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 26, 1, 1), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a26DiskControllerIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a26DiskControllerIndex.setDescription('Index value used by the system to identify the disk controller')
a26FruGroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 26, 1, 2), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a26FruGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a26FruGroupIndex.setDescription('If this is a Field Replaceable Unit or if it is part of another FRU, this provides an index into the FRU table. A value = -1 means that the group is not a FRU')
a26OperationalGroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 26, 1, 3), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a26OperationalGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a26OperationalGroupIndex.setDescription('The index into the Operational State Table for this device')
tLogicalDrives = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 27), )
if mibBuilder.loadTexts: tLogicalDrives.setStatus('mandatory')
if mibBuilder.loadTexts: tLogicalDrives.setDescription('')
eLogicalDrives = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 27, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"), (0, "PCSYSTEMSMIF-MIB", "a27LogicalDriveIndex"))
if mibBuilder.loadTexts: eLogicalDrives.setStatus('mandatory')
if mibBuilder.loadTexts: eLogicalDrives.setDescription('')
a27LogicalDriveIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 27, 1, 1), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a27LogicalDriveIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a27LogicalDriveIndex.setDescription('An index into the Logical Drives Table')
a27LogicalDriveName = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 27, 1, 2), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a27LogicalDriveName.setStatus('mandatory')
if mibBuilder.loadTexts: a27LogicalDriveName.setDescription('Name used by the system to identify this logical driveFor DOS, this could be the logical drive letter (A,B,C...)')
a27LogicalDriveType = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 27, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vFixedDrive", 3), ("vRemovableDrive", 4), ("vRemoteDrive", 5), ("vCdrom", 6), ("vFloppyDrive", 7), ("vRamDrive", 8), ("vDriveArray", 9)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a27LogicalDriveType.setStatus('mandatory')
if mibBuilder.loadTexts: a27LogicalDriveType.setDescription('This defines the Logical Drive type')
a27LogicalDriveSize = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 27, 1, 4), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a27LogicalDriveSize.setStatus('mandatory')
if mibBuilder.loadTexts: a27LogicalDriveSize.setDescription('The size of this Logical Drive in Kilo Bytes')
a27FreeLogicalDriveSize = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 27, 1, 5), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a27FreeLogicalDriveSize.setStatus('mandatory')
if mibBuilder.loadTexts: a27FreeLogicalDriveSize.setDescription('The remaining space on this Logical Drive in Kilo Bytes')
a27LogicalDrivePath = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 27, 1, 6), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a27LogicalDrivePath.setStatus('mandatory')
if mibBuilder.loadTexts: a27LogicalDrivePath.setDescription('The path used to access this Logical Drive (for remote drives)')
tMouse = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 28), )
if mibBuilder.loadTexts: tMouse.setStatus('mandatory')
if mibBuilder.loadTexts: tMouse.setDescription('')
eMouse = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 28, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"))
if mibBuilder.loadTexts: eMouse.setStatus('mandatory')
if mibBuilder.loadTexts: eMouse.setDescription('')
a28MouseInterface = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 28, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vSerial", 3), ("vPs2", 4), ("vInfrared", 5), ("vHp-hil", 6), ("vBusMouse", 7)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a28MouseInterface.setStatus('mandatory')
if mibBuilder.loadTexts: a28MouseInterface.setDescription('The interface type of this mouse.')
a28MouseIrq = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 28, 1, 2), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a28MouseIrq.setStatus('mandatory')
if mibBuilder.loadTexts: a28MouseIrq.setDescription('The IRQ number used by this mouse.')
a28MouseButtons = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 28, 1, 3), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a28MouseButtons.setStatus('mandatory')
if mibBuilder.loadTexts: a28MouseButtons.setDescription('The number of mouse buttons on this mouse.')
a28MousePortName = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 28, 1, 4), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a28MousePortName.setStatus('mandatory')
if mibBuilder.loadTexts: a28MousePortName.setDescription('The name of the port currently being used by this mouse.')
a28MouseDriverName = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 28, 1, 5), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a28MouseDriverName.setStatus('mandatory')
if mibBuilder.loadTexts: a28MouseDriverName.setDescription('The name of the mouse driver.')
a28MouseDriverVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 28, 1, 6), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a28MouseDriverVersion.setStatus('mandatory')
if mibBuilder.loadTexts: a28MouseDriverVersion.setDescription('The version number of the mouse driver.')
a28FruGroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 28, 1, 7), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a28FruGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a28FruGroupIndex.setDescription('If this is a Field Replaceable Unit or if it is part of another FRU, this attribute provides an index into the FRU table. A value = -1 means that the group is not a FRU')
a28OperationalGroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 28, 1, 8), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a28OperationalGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a28OperationalGroupIndex.setDescription('The index into the Operational State Table for this device')
tKeyboard = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 29), )
if mibBuilder.loadTexts: tKeyboard.setStatus('mandatory')
if mibBuilder.loadTexts: tKeyboard.setDescription('This group defines the characteristics of the PC keyboard')
eKeyboard = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 29, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"))
if mibBuilder.loadTexts: eKeyboard.setStatus('mandatory')
if mibBuilder.loadTexts: eKeyboard.setDescription('')
a29KeyboardLayout = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 29, 1, 1), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a29KeyboardLayout.setStatus('mandatory')
if mibBuilder.loadTexts: a29KeyboardLayout.setDescription('A description of the layout description of this keyboard.')
a29KeyboardType = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 29, 1, 2), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a29KeyboardType.setStatus('mandatory')
if mibBuilder.loadTexts: a29KeyboardType.setDescription('The type description of this keyboard.')
a29KeyboardConnectorType = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 29, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vMini-din", 3), ("vMicro-din", 4), ("vPs2", 5), ("vInfrared", 6), ("vHp-hil", 7), ("vDb-9", 8), ("vAccessbus", 9)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a29KeyboardConnectorType.setStatus('mandatory')
if mibBuilder.loadTexts: a29KeyboardConnectorType.setDescription('The type description of the keyboard connector used by this keyboard.')
a29FruGroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 29, 1, 4), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a29FruGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a29FruGroupIndex.setDescription('If this is a Field Replaceable Unit or if it is part of another FRU, this provides an FRU index into the FRU table. A value = -1 means that the group is not a FRU')
a29OperationalGroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 29, 1, 5), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a29OperationalGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a29OperationalGroupIndex.setDescription('The index into the Operational State Table for this device')
tFieldReplacableUnit = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 30), )
if mibBuilder.loadTexts: tFieldReplacableUnit.setStatus('mandatory')
if mibBuilder.loadTexts: tFieldReplacableUnit.setDescription("An FRU, or Field Replaceable Unit, is defined as a hardware component which is designed to be separately removable for replacement or repair. For the purposes of this definition, a motherboard and a fixed hard disk are FRU's, whereas a fixed hard disk platter or a chip fixed in place on the motherboard are not FRU's since they are not designed to be separately removable. Each instance within the FRU table should contain the device group and instance data for the associated hardware component")
eFieldReplacableUnit = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 30, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"), (0, "PCSYSTEMSMIF-MIB", "a30FruIndex"))
if mibBuilder.loadTexts: eFieldReplacableUnit.setStatus('mandatory')
if mibBuilder.loadTexts: eFieldReplacableUnit.setDescription('')
a30FruIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 30, 1, 1), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a30FruIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a30FruIndex.setDescription('The index into the FRU table')
a30DeviceGroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 30, 1, 2), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a30DeviceGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a30DeviceGroupIndex.setDescription('The group ID of the group referencing this FRU instance')
a30Description = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 30, 1, 3), DmiDisplaystring()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: a30Description.setStatus('mandatory')
if mibBuilder.loadTexts: a30Description.setDescription('A clear description of this FRU')
a30Manufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 30, 1, 4), DmiDisplaystring()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: a30Manufacturer.setStatus('mandatory')
if mibBuilder.loadTexts: a30Manufacturer.setDescription('The name of the company manufacturing or providing this FRU')
a30Model = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 30, 1, 5), DmiDisplaystring()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: a30Model.setStatus('mandatory')
if mibBuilder.loadTexts: a30Model.setDescription("The manufacturer's model number for this FRU")
a30PartNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 30, 1, 6), DmiDisplaystring()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: a30PartNumber.setStatus('mandatory')
if mibBuilder.loadTexts: a30PartNumber.setDescription('A part number by which a replacement part can be ordered for this FRU')
a30FruSerialNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 30, 1, 7), DmiDisplaystring()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: a30FruSerialNumber.setStatus('mandatory')
if mibBuilder.loadTexts: a30FruSerialNumber.setDescription("The manufacturer's serial number for this FRU")
a30RevisionLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 30, 1, 8), DmiDisplaystring()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: a30RevisionLevel.setStatus('mandatory')
if mibBuilder.loadTexts: a30RevisionLevel.setDescription('The revision level of this FRU')
tOperationalState = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 31), )
if mibBuilder.loadTexts: tOperationalState.setStatus('mandatory')
if mibBuilder.loadTexts: tOperationalState.setDescription('This group provides the operational state, usage, and availabili y status, and administrative state indicators for specific Device Group instance .')
eOperationalState = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 31, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"), (0, "PCSYSTEMSMIF-MIB", "a31OperationalStateInstanceIndex"))
if mibBuilder.loadTexts: eOperationalState.setStatus('mandatory')
if mibBuilder.loadTexts: eOperationalState.setDescription('')
a31OperationalStateInstanceIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 31, 1, 1), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a31OperationalStateInstanceIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a31OperationalStateInstanceIndex.setDescription('The Index into the Operational State table')
a31DeviceGroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 31, 1, 2), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a31DeviceGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a31DeviceGroupIndex.setDescription('The group ID of the group referencing this instance')
a31OperationalStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 31, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vEnabled", 3), ("vDisabled", 4), ("vNotApplicable", 5)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a31OperationalStatus.setStatus('mandatory')
if mibBuilder.loadTexts: a31OperationalStatus.setDescription('The operational status of the Device group instance')
a31UsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 31, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vIdle", 3), ("vActive", 4), ("vBusy", 5), ("vNotApplicable1", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a31UsageState.setStatus('mandatory')
if mibBuilder.loadTexts: a31UsageState.setDescription('The usage state of the Device Group instance')
a31AvailabilityStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 31, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vRunning", 3), ("vWarning", 4), ("vInTest", 5), ("vNotApplicable", 6), ("vPowerOff", 7), ("vOffLine", 8), ("vOffDuty", 9), ("vDegraded", 10), ("vNotInstalled", 11), ("vInstallError", 12), ("vPowerSave", 13)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a31AvailabilityStatus.setStatus('mandatory')
if mibBuilder.loadTexts: a31AvailabilityStatus.setDescription('The availability status of the Device Group instance')
a31AdministrativeState = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 31, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vLocked", 3), ("vUnlocked", 4), ("vNotApplicable", 5), ("vShuttingDown", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a31AdministrativeState.setStatus('mandatory')
if mibBuilder.loadTexts: a31AdministrativeState.setDescription('The administrative state of the Device Group instance')
a31FatalErrorCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 31, 1, 7), DmiCounter()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a31FatalErrorCount.setStatus('mandatory')
if mibBuilder.loadTexts: a31FatalErrorCount.setDescription('The accumulated fatal error count for this Device Group Instance')
a31MajorErrorCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 31, 1, 8), DmiCounter()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a31MajorErrorCount.setStatus('mandatory')
if mibBuilder.loadTexts: a31MajorErrorCount.setDescription('The accumulated major error count for this Device Group Instance')
a31WarningErrorCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 31, 1, 9), DmiCounter()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a31WarningErrorCount.setStatus('mandatory')
if mibBuilder.loadTexts: a31WarningErrorCount.setDescription('The accumulated warning error count for this Device Group Instance')
tSystemResourcesDescription = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 32), )
if mibBuilder.loadTexts: tSystemResourcesDescription.setStatus('mandatory')
if mibBuilder.loadTexts: tSystemResourcesDescription.setDescription('The System Resources Description group describes the number of entries in the System Resources Group. ')
eSystemResourcesDescription = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 32, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"), (0, "PCSYSTEMSMIF-MIB", "a32DeviceCount"))
if mibBuilder.loadTexts: eSystemResourcesDescription.setStatus('mandatory')
if mibBuilder.loadTexts: eSystemResourcesDescription.setDescription('')
a32DeviceCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 32, 1, 1), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a32DeviceCount.setStatus('mandatory')
if mibBuilder.loadTexts: a32DeviceCount.setDescription('A counter of the number of different hardware devices represente in this table.')
a32SystemResourceCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 32, 1, 2), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a32SystemResourceCount.setStatus('mandatory')
if mibBuilder.loadTexts: a32SystemResourceCount.setDescription('A count of the total number of system resources on this sytemins ances in this table.')
tSystemResources = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 33), )
if mibBuilder.loadTexts: tSystemResources.setStatus('mandatory')
if mibBuilder.loadTexts: tSystemResources.setDescription('The System Resources group contains hardware descriptions which are commonly used in PC style computers such as IRQs, IO ports and memory address ranges.')
eSystemResources = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 33, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"), (0, "PCSYSTEMSMIF-MIB", "a33ResourceInstance"), (0, "PCSYSTEMSMIF-MIB", "a33ResourceParentGroupIndex"))
if mibBuilder.loadTexts: eSystemResources.setStatus('mandatory')
if mibBuilder.loadTexts: eSystemResources.setDescription('')
a33ResourceInstance = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 33, 1, 1), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a33ResourceInstance.setStatus('mandatory')
if mibBuilder.loadTexts: a33ResourceInstance.setDescription('Instance identifier for a group in this table.')
a33ResourceParentGroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 33, 1, 2), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a33ResourceParentGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a33ResourceParentGroupIndex.setDescription('The group ID of the group referencing this instance in the table')
a33ResourceType = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 33, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("vOther", 1), ("vUnknown", 2), ("vMemoryRange", 3), ("vIoPort", 4), ("vIrq", 5), ("vDma", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a33ResourceType.setStatus('mandatory')
if mibBuilder.loadTexts: a33ResourceType.setDescription('The type of system resource represented by this entry.')
a33ResourceBase = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 33, 1, 4), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a33ResourceBase.setStatus('mandatory')
if mibBuilder.loadTexts: a33ResourceBase.setDescription('The starting address of the system resource in the appropriatead ress space.')
a33ResourceSize = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 33, 1, 5), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a33ResourceSize.setStatus('mandatory')
if mibBuilder.loadTexts: a33ResourceSize.setDescription('The size of the system resource.')
a33ResourceFlags = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 33, 1, 6), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a33ResourceFlags.setStatus('mandatory')
if mibBuilder.loadTexts: a33ResourceFlags.setDescription('This attribute contains fields representing the status of this resource entry. The meaning of this field varies according to the the Resource Type field in this group.')
tNetfinityDmiInstall = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 34), )
if mibBuilder.loadTexts: tNetfinityDmiInstall.setStatus('mandatory')
if mibBuilder.loadTexts: tNetfinityDmiInstall.setDescription("This group uniquely identifies NetFinity's instrumentation of this PC Systems MIF.")
eNetfinityDmiInstall = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 34, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"))
if mibBuilder.loadTexts: eNetfinityDmiInstall.setStatus('mandatory')
if mibBuilder.loadTexts: eNetfinityDmiInstall.setDescription('')
a34ProductName = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 34, 1, 1), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a34ProductName.setStatus('mandatory')
if mibBuilder.loadTexts: a34ProductName.setDescription('Name of this product')
tMicrochannelAdapterInformation = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 35), )
if mibBuilder.loadTexts: tMicrochannelAdapterInformation.setStatus('mandatory')
if mibBuilder.loadTexts: tMicrochannelAdapterInformation.setDescription('This group provides detailed information about the Microchannel devices detected in your system')
eMicrochannelAdapterInformation = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 35, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"), (0, "PCSYSTEMSMIF-MIB", "a35AdapterIndex"))
if mibBuilder.loadTexts: eMicrochannelAdapterInformation.setStatus('mandatory')
if mibBuilder.loadTexts: eMicrochannelAdapterInformation.setDescription('')
a35AdapterIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 35, 1, 1), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a35AdapterIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a35AdapterIndex.setDescription('Index into the MCA adapter table ')
a35SlotNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 35, 1, 2), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a35SlotNumber.setStatus('mandatory')
if mibBuilder.loadTexts: a35SlotNumber.setDescription('The slot in which the adapter was detected.')
a35AdapterId = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 35, 1, 3), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a35AdapterId.setStatus('mandatory')
if mibBuilder.loadTexts: a35AdapterId.setDescription('The unique number that identifies the adapter.')
a35PosData = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 35, 1, 4), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a35PosData.setStatus('mandatory')
if mibBuilder.loadTexts: a35PosData.setDescription('This is Programmable Option Select data used to automatically configure the system.')
a35AdapterName = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 35, 1, 5), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a35AdapterName.setStatus('mandatory')
if mibBuilder.loadTexts: a35AdapterName.setDescription('The name of this adapter.')
tPciDeviceInformation = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 36), )
if mibBuilder.loadTexts: tPciDeviceInformation.setStatus('mandatory')
if mibBuilder.loadTexts: tPciDeviceInformation.setDescription('This group provides detailed information about the PCI devices detected in your system')
ePciDeviceInformation = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 36, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"), (0, "PCSYSTEMSMIF-MIB", "a36DeviceIndex"))
if mibBuilder.loadTexts: ePciDeviceInformation.setStatus('mandatory')
if mibBuilder.loadTexts: ePciDeviceInformation.setDescription('')
a36DeviceIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 36, 1, 1), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a36DeviceIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a36DeviceIndex.setDescription('Index into the PCI device table ')
a36ClassCode = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 36, 1, 2), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a36ClassCode.setStatus('mandatory')
if mibBuilder.loadTexts: a36ClassCode.setDescription('Number that identifies the base class, sub-class, and programmin interface')
a36PciDeviceName = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 36, 1, 3), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a36PciDeviceName.setStatus('mandatory')
if mibBuilder.loadTexts: a36PciDeviceName.setDescription('Description of device that includes manufacturer and device function')
a36VendorId = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 36, 1, 4), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a36VendorId.setStatus('mandatory')
if mibBuilder.loadTexts: a36VendorId.setDescription('Number that uniquely identifies the manufacturer')
a36DeviceId = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 36, 1, 5), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a36DeviceId.setStatus('mandatory')
if mibBuilder.loadTexts: a36DeviceId.setDescription('Number assigned by the manufacturer that uniquely identifes the device')
a36BusNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 36, 1, 6), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a36BusNumber.setStatus('mandatory')
if mibBuilder.loadTexts: a36BusNumber.setDescription('PCI bus that this device is on')
a36DeviceNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 36, 1, 7), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a36DeviceNumber.setStatus('mandatory')
if mibBuilder.loadTexts: a36DeviceNumber.setDescription('Number in the range 0..31 that uniquely selects a device on a PCI bus')
a36RevisionId = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 36, 1, 8), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a36RevisionId.setStatus('mandatory')
if mibBuilder.loadTexts: a36RevisionId.setDescription('')
tEisaDeviceInformation = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 37), )
if mibBuilder.loadTexts: tEisaDeviceInformation.setStatus('mandatory')
if mibBuilder.loadTexts: tEisaDeviceInformation.setDescription('This group provides detailed information about the EISA devices detected in your system')
eEisaDeviceInformation = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 37, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"), (0, "PCSYSTEMSMIF-MIB", "a37DeviceIndex"))
if mibBuilder.loadTexts: eEisaDeviceInformation.setStatus('mandatory')
if mibBuilder.loadTexts: eEisaDeviceInformation.setDescription('')
a37DeviceIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 37, 1, 1), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a37DeviceIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a37DeviceIndex.setDescription('Index into the EISA device table ')
a37ProductId = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 37, 1, 2), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a37ProductId.setStatus('mandatory')
if mibBuilder.loadTexts: a37ProductId.setDescription('Number that uniquely identifies the device')
a37EisaDeviceName = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 37, 1, 3), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a37EisaDeviceName.setStatus('mandatory')
if mibBuilder.loadTexts: a37EisaDeviceName.setDescription('Description of device')
a37Manufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 37, 1, 4), DmiDisplaystring()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a37Manufacturer.setStatus('mandatory')
if mibBuilder.loadTexts: a37Manufacturer.setDescription('Name of manufacturer of the system board or adapter')
a37SlotLocation = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 37, 1, 5), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a37SlotLocation.setStatus('mandatory')
if mibBuilder.loadTexts: a37SlotLocation.setDescription('The physical or logical slot number in the system of the device. Thesystem board is always slot 0. Slots 1-15 are physical slots. Slots 16-64 are for virtual devices.')
a37SlotType = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 37, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("vExpansionSlot", 0), ("vEmbeddedDevice", 1), ("vVirtual", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a37SlotType.setStatus('mandatory')
if mibBuilder.loadTexts: a37SlotType.setDescription('An expansion slot is a physical slot. An embedded device is an EISA I/O device integrated onto the system board. A virtual device is generally a software driver that may needsystem resources.')
a37NumberOfDeviceFunctions = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 37, 1, 7), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a37NumberOfDeviceFunctions.setStatus('mandatory')
if mibBuilder.loadTexts: a37NumberOfDeviceFunctions.setDescription('Number of device functions associated with the device (i.e. memory function, serial function, parallel function, etc).')
a37IdType = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 37, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("vReadable", 0), ("vNotReadable", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a37IdType.setStatus('mandatory')
if mibBuilder.loadTexts: a37IdType.setDescription('An EISA system may have EISA and ISA adapters. ISA adapters will nothave readable IDs')
tRaidAdapterInformation = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 38), )
if mibBuilder.loadTexts: tRaidAdapterInformation.setStatus('mandatory')
if mibBuilder.loadTexts: tRaidAdapterInformation.setDescription('This group provides detailed information about the RAID adapters in your system')
eRaidAdapterInformation = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 38, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"), (0, "PCSYSTEMSMIF-MIB", "a38RaidAdapterIndex"))
if mibBuilder.loadTexts: eRaidAdapterInformation.setStatus('mandatory')
if mibBuilder.loadTexts: eRaidAdapterInformation.setDescription('')
a38RaidAdapterIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 38, 1, 1), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a38RaidAdapterIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a38RaidAdapterIndex.setDescription('Index into the RAID Adapter table ')
a38NumberOfLogicalVolumes = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 38, 1, 2), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a38NumberOfLogicalVolumes.setStatus('mandatory')
if mibBuilder.loadTexts: a38NumberOfLogicalVolumes.setDescription('Number of Logical Volumes for this adapter')
a38NumberOfPhysicalDevices = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 38, 1, 3), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a38NumberOfPhysicalDevices.setStatus('mandatory')
if mibBuilder.loadTexts: a38NumberOfPhysicalDevices.setDescription('Number of Physical Devices for this adapter')
a38NumberOfPhysicalDrivesOffline = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 38, 1, 4), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a38NumberOfPhysicalDrivesOffline.setStatus('mandatory')
if mibBuilder.loadTexts: a38NumberOfPhysicalDrivesOffline.setDescription('Name of Physical Drives Offline for this adapter')
a38NumberOfCriticalVirtualDrives = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 38, 1, 5), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a38NumberOfCriticalVirtualDrives.setStatus('mandatory')
if mibBuilder.loadTexts: a38NumberOfCriticalVirtualDrives.setDescription('Number of Critical Virtual Drives for this adapter')
a38NumberOfDefunctPhysicalDrives = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 38, 1, 6), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a38NumberOfDefunctPhysicalDrives.setStatus('mandatory')
if mibBuilder.loadTexts: a38NumberOfDefunctPhysicalDrives.setDescription('Number of Defunct Physical Drives for this adapter')
tRaidVirtualDrivesInformation = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 39), )
if mibBuilder.loadTexts: tRaidVirtualDrivesInformation.setStatus('mandatory')
if mibBuilder.loadTexts: tRaidVirtualDrivesInformation.setDescription('This group provides detailed information about the RAID Virtual drivesin your system')
eRaidVirtualDrivesInformation = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 39, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"), (0, "PCSYSTEMSMIF-MIB", "a39RaidVirtualDriveIndex"), (0, "PCSYSTEMSMIF-MIB", "a39RaidAdapterIndex"))
if mibBuilder.loadTexts: eRaidVirtualDrivesInformation.setStatus('mandatory')
if mibBuilder.loadTexts: eRaidVirtualDrivesInformation.setDescription('')
a39RaidVirtualDriveIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 39, 1, 1), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a39RaidVirtualDriveIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a39RaidVirtualDriveIndex.setDescription('Index into the RAID Virtual Drives table ')
a39RaidAdapterIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 39, 1, 2), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a39RaidAdapterIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a39RaidAdapterIndex.setDescription('Index into RAID Adapter Table')
a39VirtualDriveState = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 39, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("vOnline", 0), ("vOffline", 1), ("vCritical", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a39VirtualDriveState.setStatus('mandatory')
if mibBuilder.loadTexts: a39VirtualDriveState.setDescription('State of Virtual Drive')
a39VirtualDriveSize = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 39, 1, 4), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a39VirtualDriveSize.setStatus('mandatory')
if mibBuilder.loadTexts: a39VirtualDriveSize.setDescription('Size of Virtual Drive in Kilobytes')
tRaidPhysicalDriveInformation = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 40), )
if mibBuilder.loadTexts: tRaidPhysicalDriveInformation.setStatus('mandatory')
if mibBuilder.loadTexts: tRaidPhysicalDriveInformation.setDescription('This group provides detailed information about the RAID physical drivesin your system')
eRaidPhysicalDriveInformation = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 40, 1), ).setIndexNames((0, "PCSYSTEMSMIF-MIB", "DmiComponentIndex"), (0, "PCSYSTEMSMIF-MIB", "a40RaidPhysicalDriveIndex"), (0, "PCSYSTEMSMIF-MIB", "a40RaidAdapterIndex"))
if mibBuilder.loadTexts: eRaidPhysicalDriveInformation.setStatus('mandatory')
if mibBuilder.loadTexts: eRaidPhysicalDriveInformation.setDescription('')
a40RaidPhysicalDriveIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 40, 1, 1), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a40RaidPhysicalDriveIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a40RaidPhysicalDriveIndex.setDescription('Index into the RAID Physical Drives table ')
a40RaidAdapterIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 40, 1, 2), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a40RaidAdapterIndex.setStatus('mandatory')
if mibBuilder.loadTexts: a40RaidAdapterIndex.setDescription('Index into RAID Adapter Table')
a40PhysicalDriveSize = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 40, 1, 3), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a40PhysicalDriveSize.setStatus('mandatory')
if mibBuilder.loadTexts: a40PhysicalDriveSize.setDescription('Size of Physical Drive in Kilobytes')
a40ChannelNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 40, 1, 4), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a40ChannelNumber.setStatus('mandatory')
if mibBuilder.loadTexts: a40ChannelNumber.setDescription('Channel on RAID Adapter on which this physical drive is located')
a40TargetNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 40, 1, 5), DmiInteger()).setMaxAccess("readonly")
if mibBuilder.loadTexts: a40TargetNumber.setStatus('mandatory')
if mibBuilder.loadTexts: a40TargetNumber.setDescription('Target number on RAID Adapter on which this physical drive is located')
a40RaidPhysicalDeviceState = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 40, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("vOnline", 0), ("vOffline", 1), ("vDefunct", 2), ("vHotspare", 3), ("vStandbyHotspare", 4), ("vDeadHotspare", 5), ("vReady", 6), ("vRebuild", 7), ("vStandby", 8)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: a40RaidPhysicalDeviceState.setStatus('mandatory')
if mibBuilder.loadTexts: a40RaidPhysicalDeviceState.setDescription('Device state of the Physical Drive')
mibBuilder.exportSymbols("PCSYSTEMSMIF-MIB", a1SerialNumber=a1SerialNumber, a30FruSerialNumber=a30FruSerialNumber, ePartition=ePartition, a10SystemCacheLevel=a10SystemCacheLevel, a4Manufacturer=a4Manufacturer, a2SystemLocation=a2SystemLocation, a30Model=a30Model, a31AdministrativeState=a31AdministrativeState, a32SystemResourceCount=a32SystemResourceCount, a30RevisionLevel=a30RevisionLevel, a33ResourceParentGroupIndex=a33ResourceParentGroupIndex, tPowerSupply=tPowerSupply, a3OperatingSystemBootPartitionIndex=a3OperatingSystemBootPartitionIndex, a14DmaDescription=a14DmaDescription, a38NumberOfPhysicalDevices=a38NumberOfPhysicalDevices, tMemoryMappedIo=tMemoryMappedIo, a6CurrentSpeed=a6CurrentSpeed, a24StorageType=a24StorageType, a40RaidPhysicalDeviceState=a40RaidPhysicalDeviceState, eComponentid1=eComponentid1, a8MemoryErrorCorrection=a8MemoryErrorCorrection, a12MaximumSpeed=a12MaximumSpeed, tMicrochannelAdapterInformation=tMicrochannelAdapterInformation, a36PciDeviceName=a36PciDeviceName, a9ExpandedMemorySize=a9ExpandedMemorySize, tLogicalDrives=tLogicalDrives, a2SystemName=a2SystemName, a38RaidAdapterIndex=a38RaidAdapterIndex, a3OperatingSystemDescription=a3OperatingSystemDescription, a40RaidAdapterIndex=a40RaidAdapterIndex, tMotherboard=tMotherboard, a25NumberOfDisksOccupied=a25NumberOfDisksOccupied, a30Manufacturer=a30Manufacturer, tCoolingDevice=tCoolingDevice, eNetfinityDmiInstall=eNetfinityDmiInstall, a36DeviceId=a36DeviceId, eSystemCache=eSystemCache, a37IdType=a37IdType, tFieldReplacableUnit=tFieldReplacableUnit, tSerialPorts=tSerialPorts, a39VirtualDriveState=a39VirtualDriveState, tPhysicalMemory=tPhysicalMemory, a36BusNumber=a36BusNumber, a37ProductId=a37ProductId, a9FreeExtendedMemorySize=a9FreeExtendedMemorySize, a8MemoryEndingAddress=a8MemoryEndingAddress, a1Product=a1Product, a8FruGroupIndex=a8FruGroupIndex, a29KeyboardLayout=a29KeyboardLayout, a23StorageInterfaceType=a23StorageInterfaceType, a30PartNumber=a30PartNumber, a18CoolingDeviceIndex=a18CoolingDeviceIndex, a38NumberOfPhysicalDrivesOffline=a38NumberOfPhysicalDrivesOffline, tVideoBiosCharacteristic=tVideoBiosCharacteristic, eProcessor=eProcessor, a15MemoryMappedIoDescription=a15MemoryMappedIoDescription, a31UsageState=a31UsageState, a8MemorySpeed=a8MemorySpeed, a37EisaDeviceName=a37EisaDeviceName, a33ResourceFlags=a33ResourceFlags, a25PartitionSize=a25PartitionSize, a21VideoBiosReleaseDate=a21VideoBiosReleaseDate, eOperatingSystem=eOperatingSystem, a23NumberOfPhysicalHeads=a23NumberOfPhysicalHeads, a36ClassCode=a36ClassCode, a9ExpandedMemoryPageFrameAddress=a9ExpandedMemoryPageFrameAddress, eMotherboard=eMotherboard, a3OperatingSystemBootDeviceIndex=a3OperatingSystemBootDeviceIndex, a5BiosNumber=a5BiosNumber, a36RevisionId=a36RevisionId, eKeyboard=eKeyboard, a39VirtualDriveSize=a39VirtualDriveSize, eDma=eDma, a13IrqNumber=a13IrqNumber, ePowerSupply=ePowerSupply, eSystemBiosCharacteristic=eSystemBiosCharacteristic, a16PowerState=a16PowerState, eEisaDeviceInformation=eEisaDeviceInformation, a25FileSystem=a25FileSystem, a32DeviceCount=a32DeviceCount, a22VideoBiosNumber=a22VideoBiosNumber, ibmProd=ibmProd, a29OperationalGroupIndex=a29OperationalGroupIndex, a8MemoryStartingAddress=a8MemoryStartingAddress, a31OperationalStatus=a31OperationalStatus, tPartition=tPartition, tRaidPhysicalDriveInformation=tRaidPhysicalDriveInformation, a31FatalErrorCount=a31FatalErrorCount, a37SlotLocation=a37SlotLocation, eSystemResourcesDescription=eSystemResourcesDescription, eRaidAdapterInformation=eRaidAdapterInformation, a36DeviceNumber=a36DeviceNumber, a15MemoryMappedIoStartingAddress=a15MemoryMappedIoStartingAddress, a11ParallelBaseIoAddress=a11ParallelBaseIoAddress, a25Encrypted=a25Encrypted, a37SlotType=a37SlotType, a21VideoBiosVersion=a21VideoBiosVersion, a9ExtendedMemoryManagerName=a9ExtendedMemoryManagerName, a4PrimaryBios=a4PrimaryBios, a9ExpandedMemoryManagerName=a9ExpandedMemoryManagerName, tVideoBios=tVideoBios, netFinitySystemsMIB=netFinitySystemsMIB, a28MouseInterface=a28MouseInterface, a11ConnectorType=a11ConnectorType, a20CurrentHorizontalResolution=a20CurrentHorizontalResolution, tRaidVirtualDrivesInformation=tRaidVirtualDrivesInformation, eSerialPorts=eSerialPorts, a2SystemDateTime=a2SystemDateTime, a1Version=a1Version, a16FruGroupIndex=a16FruGroupIndex, tSystemResources=tSystemResources, a4BiosReleaseDate=a4BiosReleaseDate, DmiOctetstring=DmiOctetstring, tLogicalMemory=tLogicalMemory, a12OperationalGroupIndex=a12OperationalGroupIndex, a20CurrentNumberOfRows=a20CurrentNumberOfRows, eRaidVirtualDrivesInformation=eRaidVirtualDrivesInformation, a9ExpandedMemoryPageSize=a9ExpandedMemoryPageSize, eMicrochannelAdapterInformation=eMicrochannelAdapterInformation, a20MinimumRefreshRate=a20MinimumRefreshRate, a16ChassisLockPresent=a16ChassisLockPresent, a6FruGroupIndex=a6FruGroupIndex, a39RaidVirtualDriveIndex=a39RaidVirtualDriveIndex, a23DiskIndex=a23DiskIndex, DmiInteger64=DmiInteger64, eDiskMappingTable=eDiskMappingTable, a38NumberOfCriticalVirtualDrives=a38NumberOfCriticalVirtualDrives, a23Partitions=a23Partitions, a16AssetTag=a16AssetTag, a23LogicalUnitNumber=a23LogicalUnitNumber, a6VersionInformation=a6VersionInformation, eOperationalState=eOperationalState, a20VideoRamMemorySize=a20VideoRamMemorySize, eVideoBios=eVideoBios, a6ProcessorIndex=a6ProcessorIndex, a14DmaBurstMode=a14DmaBurstMode, eDiskDrives=eDiskDrives, a21VideoBiosManufacturer=a21VideoBiosManufacturer, a28OperationalGroupIndex=a28OperationalGroupIndex, tOperationalState=tOperationalState, a24DiskIndex=a24DiskIndex, a17OperationalGroupIndex=a17OperationalGroupIndex, a9ExtendedMemorySize=a9ExtendedMemorySize, eSystemBios=eSystemBios, a40ChannelNumber=a40ChannelNumber, a11LogicalName=a11LogicalName, DmiCounter=DmiCounter, a22VideoBiosCharacteristicsIndex=a22VideoBiosCharacteristicsIndex, a2SystemPrimaryUserName=a2SystemPrimaryUserName, a40RaidPhysicalDriveIndex=a40RaidPhysicalDriveIndex, a37NumberOfDeviceFunctions=a37NumberOfDeviceFunctions, a30DeviceGroupIndex=a30DeviceGroupIndex, a28MouseDriverVersion=a28MouseDriverVersion, a8MemoryUsage=a8MemoryUsage, a20CurrentVerticalResolution=a20CurrentVerticalResolution, a31MajorErrorCount=a31MajorErrorCount, DmiComponentIndex=DmiComponentIndex, a6ProcessorFamily=a6ProcessorFamily, a35SlotNumber=a35SlotNumber, a13IrqShareable=a13IrqShareable, ePhysicalMemory=ePhysicalMemory, a23SectorSize=a23SectorSize, a29FruGroupIndex=a29FruGroupIndex, a20VideoType=a20VideoType, DmiDate=DmiDate, a27LogicalDriveType=a27LogicalDriveType, dmiMibs=dmiMibs, a40PhysicalDriveSize=a40PhysicalDriveSize, a27LogicalDrivePath=a27LogicalDrivePath, eLogicalDrives=eLogicalDrives, eMemoryMappedIo=eMemoryMappedIo, a12ConnectorType=a12ConnectorType, a26OperationalGroupIndex=a26OperationalGroupIndex, a4EndingAddress=a4EndingAddress, tOperatingSystem=tOperatingSystem, a11OperationalGroupIndex=a11OperationalGroupIndex, a35AdapterId=a35AdapterId, a23DeviceId=a23DeviceId, a8NumberOfSimmSlotsUsed=a8NumberOfSimmSlotsUsed, eFieldReplacableUnit=eFieldReplacableUnit, a27LogicalDriveName=a27LogicalDriveName, eMouse=eMouse, tSystemBios=tSystemBios, a20VideoPhysicalLocation=a20VideoPhysicalLocation, a16ThermalState=a16ThermalState, a37DeviceIndex=a37DeviceIndex, a9BaseMemorySize=a9BaseMemorySize, tRaidAdapterInformation=tRaidAdapterInformation, a31OperationalStateInstanceIndex=a31OperationalStateInstanceIndex, a12LogicalName=a12LogicalName, a10SystemCacheIndex=a10SystemCacheIndex, a14AvailabilityOfDma=a14AvailabilityOfDma, a12SerialBaseIo=a12SerialBaseIo, a35AdapterIndex=a35AdapterIndex, eCoolingDevice=eCoolingDevice, a12SerialPortCapabilities=a12SerialPortCapabilities, a27LogicalDriveSize=a27LogicalDriveSize, a11IrqUsed=a11IrqUsed, tMouse=tMouse, a37Manufacturer=a37Manufacturer, a31AvailabilityStatus=a31AvailabilityStatus, eVideo=eVideo, a5BiosCharacteristicsDescription=a5BiosCharacteristicsDescription, a13IrqDescription=a13IrqDescription, a23TotalPhysicalSize=a23TotalPhysicalSize, a27FreeLogicalDriveSize=a27FreeLogicalDriveSize, tIrq=tIrq, ibm=ibm, a8PhysicalMemoryLocation=a8PhysicalMemoryLocation, a24PartitionIndex=a24PartitionIndex, a33ResourceBase=a33ResourceBase, tKeyboard=tKeyboard, a23MediaLoaded=a23MediaLoaded, a19SlotIndex=a19SlotIndex, tNetfinityDmiInstall=tNetfinityDmiInstall, a30Description=a30Description, a13IrqTriggerType=a13IrqTriggerType, a23InterfaceDescription=a23InterfaceDescription, eSystemEnclosure=eSystemEnclosure, tGeneralInformation=tGeneralInformation, a15MemoryMappedIoEndingAddress=a15MemoryMappedIoEndingAddress, a20CurrentNumberOfColumns=a20CurrentNumberOfColumns, a6MaximumSpeed=a6MaximumSpeed, a14DmaNumber=a14DmaNumber, a4LoaderVersion=a4LoaderVersion, eSystemResources=eSystemResources, a33ResourceSize=a33ResourceSize, a31WarningErrorCount=a31WarningErrorCount, a6OperationalGroupIndex=a6OperationalGroupIndex, a1Manufacturer=a1Manufacturer, a28MousePortName=a28MousePortName, eVideoBiosCharacteristic=eVideoBiosCharacteristic, a6ProcessorUpgrade=a6ProcessorUpgrade, a33ResourceType=a33ResourceType, a8MaximumMemoryCapacity=a8MaximumMemoryCapacity, a3OperatingSystemVersion=a3OperatingSystemVersion, a22VideoBiosCharacteristics=a22VideoBiosCharacteristics, a36DeviceIndex=a36DeviceIndex, a11DmaSupport=a11DmaSupport, a20FruGroupIndex=a20FruGroupIndex, a25PartitionName=a25PartitionName, a5BiosCharacteristics=a5BiosCharacteristics, a9ExtendedMemoryManagerVersion=a9ExtendedMemoryManagerVersion, a28MouseButtons=a28MouseButtons, a21VideoBiosIndex=a21VideoBiosIndex, a20CurrentRefreshRate=a20CurrentRefreshRate, a11ParallelPortIndex=a11ParallelPortIndex, tDma=tDma, a10SystemCacheSpeed=a10SystemCacheSpeed, a23NumberOfPhysicalSectorsPerTrack=a23NumberOfPhysicalSectorsPerTrack, tProcessor=tProcessor, tSystemEnclosure=tSystemEnclosure, tVideo=tVideo, a7OperationalGroupIndex=a7OperationalGroupIndex)
mibBuilder.exportSymbols("PCSYSTEMSMIF-MIB", a3OperatingSystemBootDeviceStorageType=a3OperatingSystemBootDeviceStorageType, a20VideoMemoryType=a20VideoMemoryType, a10FruGroupIndex=a10FruGroupIndex, a9FreeBaseMemorySize=a9FreeBaseMemorySize, a8NumberOfSimmSlots=a8NumberOfSimmSlots, a12IrqUsed=a12IrqUsed, a9ExpandedMemoryPageFrameSize=a9ExpandedMemoryPageFrameSize, a27LogicalDriveIndex=a27LogicalDriveIndex, eRaidPhysicalDriveInformation=eRaidPhysicalDriveInformation, a6Type=a6Type, a28MouseIrq=a28MouseIrq, a35PosData=a35PosData, a10SystemCacheSize=a10SystemCacheSize, tSystemCache=tSystemCache, a11ParallelPortCapabilities=a11ParallelPortCapabilities, a34ProductName=a34ProductName, a26DiskControllerIndex=a26DiskControllerIndex, a19CurrentUsage=a19CurrentUsage, a20ScanMode=a20ScanMode, a2SystemBootUpTime=a2SystemBootUpTime, a25FreeSpace=a25FreeSpace, a8OperationalGroupIndex=a8OperationalGroupIndex, a20OperationalGroupIndex=a20OperationalGroupIndex, a23RemovableMedia=a23RemovableMedia, a29KeyboardConnectorType=a29KeyboardConnectorType, eIrq=eIrq, a31DeviceGroupIndex=a31DeviceGroupIndex, a30FruIndex=a30FruIndex, dmtfGroups1=dmtfGroups1, a2SystemPrimaryUserPhone=a2SystemPrimaryUserPhone, a29KeyboardType=a29KeyboardType, a8PhysicalMemoryIndex=a8PhysicalMemoryIndex, a3OperatingSystemName=a3OperatingSystemName, netFinity=netFinity, a25Compressed=a25Compressed, a25PartitionIndex=a25PartitionIndex, tPciDeviceInformation=tPciDeviceInformation, tEisaDeviceInformation=tEisaDeviceInformation, a18FruGroupIndex=a18FruGroupIndex, a23NumberOfPhysicalCylinders=a23NumberOfPhysicalCylinders, a9ExpandedMemoryManagerVersion=a9ExpandedMemoryManagerVersion, a35AdapterName=a35AdapterName, a36VendorId=a36VendorId, a17PowerSupplyIndex=a17PowerSupplyIndex, tComponentid1=tComponentid1, a20MaximumRefreshRate=a20MaximumRefreshRate, a7FruGroupIndex=a7FruGroupIndex, a9FreeExpandedMemorySize=a9FreeExpandedMemorySize, eDiskController=eDiskController, a38NumberOfDefunctPhysicalDrives=a38NumberOfDefunctPhysicalDrives, a4StartingAddress=a4StartingAddress, a3PrimaryOperatingSystem=a3PrimaryOperatingSystem, a10SystemCacheErrorCorrection=a10SystemCacheErrorCorrection, eGeneralInformation=eGeneralInformation, eSystemSlots=eSystemSlots, a22VideoBiosCharacteristicsDescription=a22VideoBiosCharacteristicsDescription, a13AvailabilityOfIrq=a13AvailabilityOfIrq, tDiskMappingTable=tDiskMappingTable, a4Version=a4Version, a21VideoBiosShadowingState=a21VideoBiosShadowingState, a11ConnectorPinout=a11ConnectorPinout, a10OperationalGroupIndex=a10OperationalGroupIndex, a25PartitionLabel=a25PartitionLabel, tDiskDrives=tDiskDrives, eParallelPorts=eParallelPorts, tSystemSlots=tSystemSlots, a3OperatingSystemIndex=a3OperatingSystemIndex, DmiInteger=DmiInteger, a20VideoIndex=a20VideoIndex, a26FruGroupIndex=a26FruGroupIndex, a19SlotType=a19SlotType, a19SlotWidth=a19SlotWidth, ePciDeviceInformation=ePciDeviceInformation, DmiDisplaystring=DmiDisplaystring, a20CurrentNumberOfBitsPerPixel=a20CurrentNumberOfBitsPerPixel, a28FruGroupIndex=a28FruGroupIndex, a23StorageType=a23StorageType, a20CurrentVideoMode=a20CurrentVideoMode, a18OperationalGroupIndex=a18OperationalGroupIndex, a10SystemCacheWritePolicy=a10SystemCacheWritePolicy, tParallelPorts=tParallelPorts, tDiskController=tDiskController, a40TargetNumber=a40TargetNumber, a38NumberOfLogicalVolumes=a38NumberOfLogicalVolumes, tSystemResourcesDescription=tSystemResourcesDescription, a5BiosCharacteristicsIndex=a5BiosCharacteristicsIndex, a39RaidAdapterIndex=a39RaidAdapterIndex, a17FruGroupIndex=a17FruGroupIndex, a16BootUpState=a16BootUpState, eLogicalMemory=eLogicalMemory, a23FruGroupIndex=a23FruGroupIndex, a12SerialPortIndex=a12SerialPortIndex, a4BiosIndex=a4BiosIndex, a19SlotDescription=a19SlotDescription, a28MouseDriverName=a28MouseDriverName, a33ResourceInstance=a33ResourceInstance, a16EnclosureOrChassis=a16EnclosureOrChassis, a16OperationalGroupIndex=a16OperationalGroupIndex, tSystemBiosCharacteristic=tSystemBiosCharacteristic, a7NumberOfExpansionSlots=a7NumberOfExpansionSlots, a4BiosRomSize=a4BiosRomSize)
| (object_identifier, integer, octet_string) = mibBuilder.importSymbols('ASN1', 'ObjectIdentifier', 'Integer', 'OctetString')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(value_range_constraint, constraints_intersection, constraints_union, single_value_constraint, value_size_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueRangeConstraint', 'ConstraintsIntersection', 'ConstraintsUnion', 'SingleValueConstraint', 'ValueSizeConstraint')
(notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance')
(ip_address, bits, notification_type, enterprises, mib_scalar, mib_table, mib_table_row, mib_table_column, mib_identifier, time_ticks, counter64, unsigned32, module_identity, object_identity, integer32, iso, counter32, gauge32) = mibBuilder.importSymbols('SNMPv2-SMI', 'IpAddress', 'Bits', 'NotificationType', 'enterprises', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'MibIdentifier', 'TimeTicks', 'Counter64', 'Unsigned32', 'ModuleIdentity', 'ObjectIdentity', 'Integer32', 'iso', 'Counter32', 'Gauge32')
(display_string, textual_convention) = mibBuilder.importSymbols('SNMPv2-TC', 'DisplayString', 'TextualConvention')
class Dmicounter(Integer32):
subtype_spec = Integer32.subtypeSpec + value_range_constraint(0, 4294967295)
class Dmiinteger(Integer32):
pass
class Dmiinteger64(Integer32):
subtype_spec = Integer32.subtypeSpec + value_range_constraint(-18446744073709551615, 18446744073709551615)
class Dmioctetstring(OctetString):
pass
class Dmidisplaystring(DisplayString):
pass
class Dmidate(OctetString):
subtype_spec = OctetString.subtypeSpec + value_size_constraint(28, 28)
fixed_length = 28
class Dmicomponentindex(Integer32):
pass
ibm = mib_identifier((1, 3, 6, 1, 4, 1, 2))
ibm_prod = mib_identifier((1, 3, 6, 1, 4, 1, 2, 6))
net_finity = mib_identifier((1, 3, 6, 1, 4, 1, 2, 6, 71))
dmi_mibs = mib_identifier((1, 3, 6, 1, 4, 1, 2, 6, 71, 200))
net_finity_systems_mib = mib_identifier((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1))
dmtf_groups1 = mib_identifier((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1))
t_componentid1 = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 1))
if mibBuilder.loadTexts:
tComponentid1.setStatus('mandatory')
if mibBuilder.loadTexts:
tComponentid1.setDescription('This group defines the attributes common to all components. This group is required.')
e_componentid1 = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 1, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'))
if mibBuilder.loadTexts:
eComponentid1.setStatus('mandatory')
if mibBuilder.loadTexts:
eComponentid1.setDescription('')
a1_manufacturer = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 1, 1, 1), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a1Manufacturer.setStatus('mandatory')
if mibBuilder.loadTexts:
a1Manufacturer.setDescription('Manufacturer of this system described by this component.')
a1_product = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 1, 1, 2), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a1Product.setStatus('mandatory')
if mibBuilder.loadTexts:
a1Product.setDescription('Product name for the system described by this component.')
a1_version = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 1, 1, 3), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a1Version.setStatus('mandatory')
if mibBuilder.loadTexts:
a1Version.setDescription('Version number of this component.')
a1_serial_number = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 1, 1, 4), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a1SerialNumber.setStatus('mandatory')
if mibBuilder.loadTexts:
a1SerialNumber.setDescription('Serial number for the system described by this component.')
t_general_information = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 2))
if mibBuilder.loadTexts:
tGeneralInformation.setStatus('mandatory')
if mibBuilder.loadTexts:
tGeneralInformation.setDescription('This group defines general information about this system.')
e_general_information = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 2, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'))
if mibBuilder.loadTexts:
eGeneralInformation.setStatus('mandatory')
if mibBuilder.loadTexts:
eGeneralInformation.setDescription('')
a2_system_name = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 2, 1, 1), dmi_displaystring()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
a2SystemName.setStatus('mandatory')
if mibBuilder.loadTexts:
a2SystemName.setDescription('A name to identify this system.')
a2_system_location = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 2, 1, 2), dmi_displaystring()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
a2SystemLocation.setStatus('mandatory')
if mibBuilder.loadTexts:
a2SystemLocation.setDescription('The physical location of this system.')
a2_system_primary_user_name = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 2, 1, 3), dmi_displaystring()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
a2SystemPrimaryUserName.setStatus('mandatory')
if mibBuilder.loadTexts:
a2SystemPrimaryUserName.setDescription('The name of the primary user or owner of this system.')
a2_system_primary_user_phone = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 2, 1, 4), dmi_displaystring()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
a2SystemPrimaryUserPhone.setStatus('mandatory')
if mibBuilder.loadTexts:
a2SystemPrimaryUserPhone.setDescription('The phone number of the primary user of this system.')
a2_system_boot_up_time = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 2, 1, 5), dmi_date()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a2SystemBootUpTime.setStatus('mandatory')
if mibBuilder.loadTexts:
a2SystemBootUpTime.setDescription('The time at which the system was last booted')
a2_system_date_time = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 2, 1, 6), dmi_date()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
a2SystemDateTime.setStatus('mandatory')
if mibBuilder.loadTexts:
a2SystemDateTime.setDescription('This attribute returns the actual system date and time.')
t_operating_system = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 3))
if mibBuilder.loadTexts:
tOperatingSystem.setStatus('mandatory')
if mibBuilder.loadTexts:
tOperatingSystem.setDescription('This group defines general information about operating systems installed on this system.')
e_operating_system = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 3, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'), (0, 'PCSYSTEMSMIF-MIB', 'a3OperatingSystemIndex'))
if mibBuilder.loadTexts:
eOperatingSystem.setStatus('mandatory')
if mibBuilder.loadTexts:
eOperatingSystem.setDescription('')
a3_operating_system_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 3, 1, 1), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a3OperatingSystemIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a3OperatingSystemIndex.setDescription('The index into the operating system table.')
a3_operating_system_name = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 3, 1, 2), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a3OperatingSystemName.setStatus('mandatory')
if mibBuilder.loadTexts:
a3OperatingSystemName.setDescription('The name of this operating system.')
a3_operating_system_version = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 3, 1, 3), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a3OperatingSystemVersion.setStatus('mandatory')
if mibBuilder.loadTexts:
a3OperatingSystemVersion.setDescription('The version number of this operating system.')
a3_primary_operating_system = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 3, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('vFalse', 0), ('vTrue', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a3PrimaryOperatingSystem.setStatus('mandatory')
if mibBuilder.loadTexts:
a3PrimaryOperatingSystem.setDescription('If true, this is the primary operating system.')
a3_operating_system_boot_device_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 3, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vHard-disk', 3), ('vFloppy-disk', 4), ('vOptical-rom', 5), ('vOptical-worm', 6), ('vOptical-rw', 7), ('vCompact-disk', 8), ('vFlash-disk', 9), ('vBernoulli', 10), ('vOpticalFloppyDisk', 11)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a3OperatingSystemBootDeviceStorageType.setStatus('mandatory')
if mibBuilder.loadTexts:
a3OperatingSystemBootDeviceStorageType.setDescription('An index into the Disks Table to indicate the device from which this operating system was booted. To fully access the Disks Table, this index must be combined with the attribute Boot Device Index')
a3_operating_system_boot_device_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 3, 1, 6), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a3OperatingSystemBootDeviceIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a3OperatingSystemBootDeviceIndex.setDescription('An index into the Disks Table')
a3_operating_system_boot_partition_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 3, 1, 7), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a3OperatingSystemBootPartitionIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a3OperatingSystemBootPartitionIndex.setDescription('An index into the Partition table indicating the partition from which this operating system booted.')
a3_operating_system_description = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 3, 1, 8), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a3OperatingSystemDescription.setStatus('mandatory')
if mibBuilder.loadTexts:
a3OperatingSystemDescription.setDescription('A description of this operating system.')
t_system_bios = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 4))
if mibBuilder.loadTexts:
tSystemBios.setStatus('mandatory')
if mibBuilder.loadTexts:
tSystemBios.setDescription('This group defines the attributes for the System BIOS.')
e_system_bios = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 4, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'), (0, 'PCSYSTEMSMIF-MIB', 'a4BiosIndex'))
if mibBuilder.loadTexts:
eSystemBios.setStatus('mandatory')
if mibBuilder.loadTexts:
eSystemBios.setDescription('')
a4_bios_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 4, 1, 1), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a4BiosIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a4BiosIndex.setDescription('The index into the system BIOS table.')
a4_manufacturer = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 4, 1, 2), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a4Manufacturer.setStatus('mandatory')
if mibBuilder.loadTexts:
a4Manufacturer.setDescription('The name of the company that wrote this System BIOS.')
a4_version = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 4, 1, 3), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a4Version.setStatus('mandatory')
if mibBuilder.loadTexts:
a4Version.setDescription('The version number or version string of this BIOS.')
a4_bios_rom_size = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 4, 1, 4), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a4BiosRomSize.setStatus('mandatory')
if mibBuilder.loadTexts:
a4BiosRomSize.setDescription('The physical size of this BIOS ROM device in Kilo Bytes')
a4_starting_address = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 4, 1, 5), dmi_integer64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a4StartingAddress.setStatus('mandatory')
if mibBuilder.loadTexts:
a4StartingAddress.setDescription('The starting physical address for the memory which the BIOS occupies')
a4_ending_address = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 4, 1, 6), dmi_integer64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a4EndingAddress.setStatus('mandatory')
if mibBuilder.loadTexts:
a4EndingAddress.setDescription('The ending physical address for the memory which the BIOS occupies')
a4_loader_version = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 4, 1, 7), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a4LoaderVersion.setStatus('mandatory')
if mibBuilder.loadTexts:
a4LoaderVersion.setDescription('The BIOS flash loader version number or string.')
a4_bios_release_date = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 4, 1, 8), dmi_date()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a4BiosReleaseDate.setStatus('mandatory')
if mibBuilder.loadTexts:
a4BiosReleaseDate.setDescription('The BIOS release date.')
a4_primary_bios = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 4, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('vFalse', 0), ('vTrue', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a4PrimaryBios.setStatus('mandatory')
if mibBuilder.loadTexts:
a4PrimaryBios.setDescription('If true, this is the primary System BIOS.')
t_system_bios_characteristic = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 5))
if mibBuilder.loadTexts:
tSystemBiosCharacteristic.setStatus('mandatory')
if mibBuilder.loadTexts:
tSystemBiosCharacteristic.setDescription('This group defines the characteristics for the System BIOS.')
e_system_bios_characteristic = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 5, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'), (0, 'PCSYSTEMSMIF-MIB', 'a5BiosCharacteristicsIndex'), (0, 'PCSYSTEMSMIF-MIB', 'a5BiosNumber'))
if mibBuilder.loadTexts:
eSystemBiosCharacteristic.setStatus('mandatory')
if mibBuilder.loadTexts:
eSystemBiosCharacteristic.setDescription('')
a5_bios_characteristics_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 5, 1, 1), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a5BiosCharacteristicsIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a5BiosCharacteristicsIndex.setDescription('This is an index into the BIOS Characteristics table. ')
a5_bios_number = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 5, 1, 2), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a5BiosNumber.setStatus('mandatory')
if mibBuilder.loadTexts:
a5BiosNumber.setDescription('This field refers to the BIOS number, which correlates to the System BIOS Index. ')
a5_bios_characteristics = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 5, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vUnsupported', 3), ('vIsa-support', 4), ('vMca-support', 5), ('vEisa-support', 6), ('vPci-support', 7), ('vPcmcia-support', 8), ('vPnp-support', 9), ('vApmSupport', 10), ('vUpgradeable-bios', 11), ('vBios-shadowing-allowed', 12), ('vVl-vesa-support', 13), ('vEscdSupport', 14)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a5BiosCharacteristics.setStatus('mandatory')
if mibBuilder.loadTexts:
a5BiosCharacteristics.setDescription('The different attributes supported by this version of the BIOS')
a5_bios_characteristics_description = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 5, 1, 4), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a5BiosCharacteristicsDescription.setStatus('mandatory')
if mibBuilder.loadTexts:
a5BiosCharacteristicsDescription.setDescription('An expanded description of this BIOS Characteristic.')
t_processor = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 6))
if mibBuilder.loadTexts:
tProcessor.setStatus('mandatory')
if mibBuilder.loadTexts:
tProcessor.setDescription('This group defines the attributes for each and every processor installed in this system.')
e_processor = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 6, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'), (0, 'PCSYSTEMSMIF-MIB', 'a6ProcessorIndex'))
if mibBuilder.loadTexts:
eProcessor.setStatus('mandatory')
if mibBuilder.loadTexts:
eProcessor.setDescription('')
a6_processor_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 6, 1, 1), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a6ProcessorIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a6ProcessorIndex.setDescription('An index into the processor table.')
a6_type = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 6, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vCentralProcessor', 3), ('vMath-processor', 4), ('vDsp-processor', 5), ('vVideo-processor', 6)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a6Type.setStatus('mandatory')
if mibBuilder.loadTexts:
a6Type.setDescription('The type of processor currently in the system.')
a6_processor_family = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 6, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 32, 48, 64, 80, 96, 112, 128, 144))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('v8086', 3), ('v80286', 4), ('v80386', 5), ('v80486', 6), ('v8087', 7), ('v80287', 8), ('v80387', 9), ('v80487', 10), ('vPentiumFamily', 11), ('vPowerPcFamily', 32), ('vAlphaFamily', 48), ('vMipsFamily', 64), ('vSparcFamily', 80), ('v68040Family', 96), ('vHobbitFamily', 112), ('vWeitek', 128), ('vPa-riscFamily', 144)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a6ProcessorFamily.setStatus('mandatory')
if mibBuilder.loadTexts:
a6ProcessorFamily.setDescription('The family of processors to which this processor belongs.')
a6_version_information = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 6, 1, 4), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a6VersionInformation.setStatus('mandatory')
if mibBuilder.loadTexts:
a6VersionInformation.setDescription('The version number or string for this processor.')
a6_maximum_speed = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 6, 1, 5), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a6MaximumSpeed.setStatus('mandatory')
if mibBuilder.loadTexts:
a6MaximumSpeed.setDescription('The maximum speed (in MHz) of this processor.')
a6_current_speed = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 6, 1, 6), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a6CurrentSpeed.setStatus('mandatory')
if mibBuilder.loadTexts:
a6CurrentSpeed.setDescription('The current speed (in MHz) of this processor.')
a6_processor_upgrade = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 6, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vDaughterBoard', 3), ('vZifSocket', 4), ('vReplacementpiggyBack', 5), ('vNone', 6)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a6ProcessorUpgrade.setStatus('mandatory')
if mibBuilder.loadTexts:
a6ProcessorUpgrade.setDescription('The method by which this processor can be upgraded, if upgrades are supported. ')
a6_fru_group_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 6, 1, 8), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a6FruGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a6FruGroupIndex.setDescription('If this is a Field Replaceable Unit or if it is partof another FRU, this provides index into the FRU table.A Value = -1 means that the group is not a FRU')
a6_operational_group_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 6, 1, 9), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a6OperationalGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a6OperationalGroupIndex.setDescription('The index into the Operational State Table for this device if applicable')
t_motherboard = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 7))
if mibBuilder.loadTexts:
tMotherboard.setStatus('mandatory')
if mibBuilder.loadTexts:
tMotherboard.setDescription('This group defines attributes for the mother board')
e_motherboard = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 7, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'))
if mibBuilder.loadTexts:
eMotherboard.setStatus('mandatory')
if mibBuilder.loadTexts:
eMotherboard.setDescription('')
a7_number_of_expansion_slots = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 7, 1, 1), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a7NumberOfExpansionSlots.setStatus('mandatory')
if mibBuilder.loadTexts:
a7NumberOfExpansionSlots.setDescription('This attribute indicates the total number of expansion slots which physically exist on the motherboard whether occupied or not (See System Slots groups)')
a7_fru_group_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 7, 1, 2), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a7FruGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a7FruGroupIndex.setDescription('If this is a Field Replaceable Unit or if it is partof another FRU, this provides index into the FRU table.A Value = -1 means that the group is not a FRU')
a7_operational_group_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 7, 1, 3), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a7OperationalGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a7OperationalGroupIndex.setDescription('The index into the Operational State Table for this device if applicable')
t_physical_memory = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 8))
if mibBuilder.loadTexts:
tPhysicalMemory.setStatus('mandatory')
if mibBuilder.loadTexts:
tPhysicalMemory.setDescription('This group defines the physical attributes for system memory and any add- on memory installed in this system.')
e_physical_memory = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 8, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'), (0, 'PCSYSTEMSMIF-MIB', 'a8PhysicalMemoryIndex'))
if mibBuilder.loadTexts:
ePhysicalMemory.setStatus('mandatory')
if mibBuilder.loadTexts:
ePhysicalMemory.setDescription('')
a8_physical_memory_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 8, 1, 1), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a8PhysicalMemoryIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a8PhysicalMemoryIndex.setDescription('An index into the physical memory table.')
a8_physical_memory_location = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 8, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vSystemBoardOrMotherBoard', 3), ('vIsaAddOnCard', 4), ('vEisaAddOnCard', 5), ('vPciAddOnCard', 6), ('vMcaAddOnCard', 7), ('vPcmciaAddOnCard', 8), ('vProprietaryAddOnCard', 9)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a8PhysicalMemoryLocation.setStatus('mandatory')
if mibBuilder.loadTexts:
a8PhysicalMemoryLocation.setDescription('The location of the memory modules, whether on the system board or an add on board.')
a8_memory_starting_address = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 8, 1, 3), dmi_integer64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a8MemoryStartingAddress.setStatus('mandatory')
if mibBuilder.loadTexts:
a8MemoryStartingAddress.setDescription('This is the starting physical address mapped by this memory component')
a8_memory_ending_address = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 8, 1, 4), dmi_integer64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a8MemoryEndingAddress.setStatus('mandatory')
if mibBuilder.loadTexts:
a8MemoryEndingAddress.setDescription('This is the ending physical address mapped by this memory component')
a8_memory_usage = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 8, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vSystemMemory', 3), ('vVideoMemory', 4), ('vFlashMemory', 5), ('vNonVolatileRam', 6)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a8MemoryUsage.setStatus('mandatory')
if mibBuilder.loadTexts:
a8MemoryUsage.setDescription('What this memory component is used for.')
a8_maximum_memory_capacity = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 8, 1, 6), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a8MaximumMemoryCapacity.setStatus('mandatory')
if mibBuilder.loadTexts:
a8MaximumMemoryCapacity.setDescription('The maximum memory capacity, in MegaBytes on this device.')
a8_number_of_simm_slots = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 8, 1, 7), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a8NumberOfSimmSlots.setStatus('mandatory')
if mibBuilder.loadTexts:
a8NumberOfSimmSlots.setDescription('The number of SIMM slots available for this type of memory on this device.')
a8_number_of_simm_slots_used = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 8, 1, 8), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a8NumberOfSimmSlotsUsed.setStatus('mandatory')
if mibBuilder.loadTexts:
a8NumberOfSimmSlotsUsed.setDescription('The number of SIMM slots in use for this type of memory on this device')
a8_memory_speed = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 8, 1, 9), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a8MemorySpeed.setStatus('mandatory')
if mibBuilder.loadTexts:
a8MemorySpeed.setDescription('The speed of this memory component in nano seconds')
a8_memory_error_correction = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 8, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vNone', 3), ('vParity', 4), ('vSingleBitEcc', 5), ('vMultibitEcc', 6)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a8MemoryErrorCorrection.setStatus('mandatory')
if mibBuilder.loadTexts:
a8MemoryErrorCorrection.setDescription('The main type of error correction scheme supported by this memory component.')
a8_fru_group_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 8, 1, 11), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a8FruGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a8FruGroupIndex.setDescription('If this is a Field Replaceable Unit or if it is partof another FRU, this provides index into the FRU table.A Value = -1 means that the group is not a FRU')
a8_operational_group_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 8, 1, 12), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a8OperationalGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a8OperationalGroupIndex.setDescription('The index into the Operational State Table for this device if applicable')
t_logical_memory = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 9))
if mibBuilder.loadTexts:
tLogicalMemory.setStatus('mandatory')
if mibBuilder.loadTexts:
tLogicalMemory.setDescription('This group defines the logical memory attributes for system memory and any add-on memory installed in this system.')
e_logical_memory = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 9, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'))
if mibBuilder.loadTexts:
eLogicalMemory.setStatus('mandatory')
if mibBuilder.loadTexts:
eLogicalMemory.setDescription('')
a9_base_memory_size = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 9, 1, 1), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a9BaseMemorySize.setStatus('mandatory')
if mibBuilder.loadTexts:
a9BaseMemorySize.setDescription('The total size of the base memory in Kilo Bytes.')
a9_free_base_memory_size = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 9, 1, 2), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a9FreeBaseMemorySize.setStatus('mandatory')
if mibBuilder.loadTexts:
a9FreeBaseMemorySize.setDescription('The size of free base memory in Kilo Bytes.')
a9_extended_memory_size = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 9, 1, 3), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a9ExtendedMemorySize.setStatus('mandatory')
if mibBuilder.loadTexts:
a9ExtendedMemorySize.setDescription('The total size of the extended memory in Kilo Bytes.')
a9_free_extended_memory_size = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 9, 1, 4), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a9FreeExtendedMemorySize.setStatus('mandatory')
if mibBuilder.loadTexts:
a9FreeExtendedMemorySize.setDescription('The size of free extended memory in Kilo Bytes.')
a9_extended_memory_manager_name = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 9, 1, 5), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a9ExtendedMemoryManagerName.setStatus('mandatory')
if mibBuilder.loadTexts:
a9ExtendedMemoryManagerName.setDescription('The name of the extended memory manager.')
a9_extended_memory_manager_version = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 9, 1, 6), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a9ExtendedMemoryManagerVersion.setStatus('mandatory')
if mibBuilder.loadTexts:
a9ExtendedMemoryManagerVersion.setDescription('The version information of the extended memory manager.')
a9_expanded_memory_size = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 9, 1, 7), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a9ExpandedMemorySize.setStatus('mandatory')
if mibBuilder.loadTexts:
a9ExpandedMemorySize.setDescription('The total size of the expanded memory in Kilo Bytes.')
a9_free_expanded_memory_size = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 9, 1, 8), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a9FreeExpandedMemorySize.setStatus('mandatory')
if mibBuilder.loadTexts:
a9FreeExpandedMemorySize.setDescription('The size of free expanded memory in Kilo Bytes.')
a9_expanded_memory_manager_name = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 9, 1, 9), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a9ExpandedMemoryManagerName.setStatus('mandatory')
if mibBuilder.loadTexts:
a9ExpandedMemoryManagerName.setDescription('The name of the expanded memory manager.')
a9_expanded_memory_manager_version = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 9, 1, 10), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a9ExpandedMemoryManagerVersion.setStatus('mandatory')
if mibBuilder.loadTexts:
a9ExpandedMemoryManagerVersion.setDescription('The version information of the expanded memory manager.')
a9_expanded_memory_page_frame_address = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 9, 1, 11), dmi_integer64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a9ExpandedMemoryPageFrameAddress.setStatus('mandatory')
if mibBuilder.loadTexts:
a9ExpandedMemoryPageFrameAddress.setDescription('The starting physical address of the expanded memory page frame.')
a9_expanded_memory_page_frame_size = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 9, 1, 12), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a9ExpandedMemoryPageFrameSize.setStatus('mandatory')
if mibBuilder.loadTexts:
a9ExpandedMemoryPageFrameSize.setDescription('The size in Kilo Bytes of the expanded memory page frame.')
a9_expanded_memory_page_size = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 9, 1, 13), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a9ExpandedMemoryPageSize.setStatus('mandatory')
if mibBuilder.loadTexts:
a9ExpandedMemoryPageSize.setDescription('The size in Kilo Bytes of an expanded memory page, as opposed to the expanded memory page frame, which consists of a number of memory pages.')
t_system_cache = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 10))
if mibBuilder.loadTexts:
tSystemCache.setStatus('mandatory')
if mibBuilder.loadTexts:
tSystemCache.setDescription('This group defines the attributes for different System Caches installed in this system.')
e_system_cache = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 10, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'), (0, 'PCSYSTEMSMIF-MIB', 'a10SystemCacheIndex'))
if mibBuilder.loadTexts:
eSystemCache.setStatus('mandatory')
if mibBuilder.loadTexts:
eSystemCache.setDescription('')
a10_system_cache_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 10, 1, 1), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a10SystemCacheIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a10SystemCacheIndex.setDescription('An index into the System Cache table.')
a10_system_cache_level = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vPrimary', 3), ('vSecondary', 4), ('vTertiary', 5)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a10SystemCacheLevel.setStatus('mandatory')
if mibBuilder.loadTexts:
a10SystemCacheLevel.setDescription('Defines primary or secondary System Cache, or a subsidiary cache.')
a10_system_cache_speed = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 10, 1, 3), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a10SystemCacheSpeed.setStatus('mandatory')
if mibBuilder.loadTexts:
a10SystemCacheSpeed.setDescription('The speed of this System Cache module in nano seconds')
a10_system_cache_size = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 10, 1, 4), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a10SystemCacheSize.setStatus('mandatory')
if mibBuilder.loadTexts:
a10SystemCacheSize.setDescription('The size of this System Cache module in Kilo Bytes.')
a10_system_cache_write_policy = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 10, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vWriteBack', 3), ('vWriteThrough', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a10SystemCacheWritePolicy.setStatus('mandatory')
if mibBuilder.loadTexts:
a10SystemCacheWritePolicy.setDescription('Is this a write-back or a write-through cache?')
a10_system_cache_error_correction = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 10, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vNone', 3), ('vParity', 4), ('vSingleBitEcc', 5), ('vMultibitEcc', 6)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a10SystemCacheErrorCorrection.setStatus('mandatory')
if mibBuilder.loadTexts:
a10SystemCacheErrorCorrection.setDescription('This field describes the main type of error correction scheme supported by thiscache component.')
a10_fru_group_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 10, 1, 7), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a10FruGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a10FruGroupIndex.setDescription('If this is a Field Replaceable Unit or if it is partof another FRU, this provides an index into the FRU table.A Value = -1 means that the group is not a FRU')
a10_operational_group_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 10, 1, 8), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a10OperationalGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a10OperationalGroupIndex.setDescription('The index into the Operational State Table for this device if applicable')
t_parallel_ports = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 11))
if mibBuilder.loadTexts:
tParallelPorts.setStatus('mandatory')
if mibBuilder.loadTexts:
tParallelPorts.setDescription('This group defines the attributes for parallel ports in this system.')
e_parallel_ports = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 11, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'), (0, 'PCSYSTEMSMIF-MIB', 'a11ParallelPortIndex'))
if mibBuilder.loadTexts:
eParallelPorts.setStatus('mandatory')
if mibBuilder.loadTexts:
eParallelPorts.setDescription('')
a11_parallel_port_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 11, 1, 1), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a11ParallelPortIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a11ParallelPortIndex.setDescription('An index into the parallel ports table.')
a11_parallel_base_io_address = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 11, 1, 2), dmi_integer64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a11ParallelBaseIoAddress.setStatus('mandatory')
if mibBuilder.loadTexts:
a11ParallelBaseIoAddress.setDescription('Base I/O address for this parallel port.')
a11_irq_used = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 11, 1, 3), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a11IrqUsed.setStatus('mandatory')
if mibBuilder.loadTexts:
a11IrqUsed.setDescription('IRQ number that is being used by this parallel port.')
a11_logical_name = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 11, 1, 4), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a11LogicalName.setStatus('mandatory')
if mibBuilder.loadTexts:
a11LogicalName.setDescription('The logical name of the I/O device on this parallel port, under this operating environment.')
a11_connector_type = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 11, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vDb-25Female', 3), ('vDb-25Male', 4), ('vCentronics', 5), ('vMini-centronics', 6), ('vProprietary', 7)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a11ConnectorType.setStatus('mandatory')
if mibBuilder.loadTexts:
a11ConnectorType.setDescription('The connector used to interface with this I/O device on this parallel port.')
a11_connector_pinout = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 11, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vXtat', 3), ('vPs2', 4), ('vIeee1284', 5), ('vProprietary', 6)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a11ConnectorPinout.setStatus('mandatory')
if mibBuilder.loadTexts:
a11ConnectorPinout.setDescription('The pinout used by the I/O device on this parallel port.')
a11_dma_support = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 11, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('vFalse', 0), ('vTrue', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a11DmaSupport.setStatus('mandatory')
if mibBuilder.loadTexts:
a11DmaSupport.setDescription('If true, DMA is supported.')
a11_parallel_port_capabilities = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 11, 1, 8), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a11ParallelPortCapabilities.setStatus('mandatory')
if mibBuilder.loadTexts:
a11ParallelPortCapabilities.setDescription('Capabilities of this parallel port. This is a bit field mask with the bits defined as follows: Bit 0 set = XT/AT compatible Bit 1 set = PS/2 compatible Bit 2 set = ECP Bit 3 set = EPP')
a11_operational_group_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 11, 1, 9), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a11OperationalGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a11OperationalGroupIndex.setDescription('The index into the Operational State Table for this device if applicable')
t_serial_ports = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 12))
if mibBuilder.loadTexts:
tSerialPorts.setStatus('mandatory')
if mibBuilder.loadTexts:
tSerialPorts.setDescription('This group defines the attributes for serial ports in this system.')
e_serial_ports = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 12, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'), (0, 'PCSYSTEMSMIF-MIB', 'a12SerialPortIndex'))
if mibBuilder.loadTexts:
eSerialPorts.setStatus('mandatory')
if mibBuilder.loadTexts:
eSerialPorts.setDescription('')
a12_serial_port_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 12, 1, 1), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a12SerialPortIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a12SerialPortIndex.setDescription('An index into the serial ports table.')
a12_serial_base_io = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 12, 1, 2), dmi_integer64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a12SerialBaseIo.setStatus('mandatory')
if mibBuilder.loadTexts:
a12SerialBaseIo.setDescription('Base I/O address for this serial port.')
a12_irq_used = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 12, 1, 3), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a12IrqUsed.setStatus('mandatory')
if mibBuilder.loadTexts:
a12IrqUsed.setDescription('IRQ number that is being used by this serial port.')
a12_logical_name = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 12, 1, 4), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a12LogicalName.setStatus('mandatory')
if mibBuilder.loadTexts:
a12LogicalName.setDescription('The logical name of this serial port under this operating environment.')
a12_connector_type = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 12, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vDb-9PinMale', 3), ('vDb-9PinFemale', 4), ('vDb-25PinMale', 5), ('vDb-25PinFemale', 6), ('vRj-11', 7), ('vRj-45', 8), ('vProprietary', 9)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a12ConnectorType.setStatus('mandatory')
if mibBuilder.loadTexts:
a12ConnectorType.setDescription('The connector used to interface with the I/O device on this serial port.')
a12_maximum_speed = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 12, 1, 6), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a12MaximumSpeed.setStatus('mandatory')
if mibBuilder.loadTexts:
a12MaximumSpeed.setDescription('Maximum transfer speed of the device on this serial port in bits per second.')
a12_serial_port_capabilities = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 12, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vXtatCcompatible', 3), ('v16450Compatible', 4), ('v16550Compatible', 5), ('v16550aCompatible', 6)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a12SerialPortCapabilities.setStatus('mandatory')
if mibBuilder.loadTexts:
a12SerialPortCapabilities.setDescription('The capabilities of this Serial port.')
a12_operational_group_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 12, 1, 8), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a12OperationalGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a12OperationalGroupIndex.setDescription('The index into the Operational State Table for this device if applicable')
t_irq = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 13))
if mibBuilder.loadTexts:
tIrq.setStatus('mandatory')
if mibBuilder.loadTexts:
tIrq.setDescription('This groups defines attributes for IRQs in this system.')
e_irq = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 13, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'), (0, 'PCSYSTEMSMIF-MIB', 'a13IrqNumber'))
if mibBuilder.loadTexts:
eIrq.setStatus('mandatory')
if mibBuilder.loadTexts:
eIrq.setDescription('')
a13_irq_number = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 13, 1, 1), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a13IrqNumber.setStatus('mandatory')
if mibBuilder.loadTexts:
a13IrqNumber.setDescription('The current IRQ number for this IRQ.')
a13_availability_of_irq = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 13, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vAvailable', 3), ('vInUse', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a13AvailabilityOfIrq.setStatus('mandatory')
if mibBuilder.loadTexts:
a13AvailabilityOfIrq.setDescription('Is this IRQ available or in use.')
a13_irq_trigger_type = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 13, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vLevel', 3), ('vEdge', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a13IrqTriggerType.setStatus('mandatory')
if mibBuilder.loadTexts:
a13IrqTriggerType.setDescription('The attribute indicates the trigger type of the IRQ')
a13_irq_shareable = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 13, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('vFalse', 0), ('vTrue', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a13IrqShareable.setStatus('mandatory')
if mibBuilder.loadTexts:
a13IrqShareable.setDescription('If true, this IRQ is shareable.')
a13_irq_description = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 13, 1, 5), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a13IrqDescription.setStatus('mandatory')
if mibBuilder.loadTexts:
a13IrqDescription.setDescription('The name of the logical device name that is currently using this IRQ.')
t_dma = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 14))
if mibBuilder.loadTexts:
tDma.setStatus('mandatory')
if mibBuilder.loadTexts:
tDma.setDescription('This group defines various attributes for the various DMA channels in this system.')
e_dma = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 14, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'), (0, 'PCSYSTEMSMIF-MIB', 'a14DmaNumber'))
if mibBuilder.loadTexts:
eDma.setStatus('mandatory')
if mibBuilder.loadTexts:
eDma.setDescription('')
a14_dma_number = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 14, 1, 1), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a14DmaNumber.setStatus('mandatory')
if mibBuilder.loadTexts:
a14DmaNumber.setDescription('The current DMA channel number.')
a14_availability_of_dma = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 14, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('vFalse', 0), ('vTrue', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a14AvailabilityOfDma.setStatus('mandatory')
if mibBuilder.loadTexts:
a14AvailabilityOfDma.setDescription('If true, this DMA channel is available.')
a14_dma_burst_mode = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 14, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('vFalse', 0), ('vTrue', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a14DmaBurstMode.setStatus('mandatory')
if mibBuilder.loadTexts:
a14DmaBurstMode.setDescription('If true, this DMA channel supports burst mode.')
a14_dma_description = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 14, 1, 4), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a14DmaDescription.setStatus('mandatory')
if mibBuilder.loadTexts:
a14DmaDescription.setDescription('The name of the logical device that is currently using this DMA channel.')
t_memory_mapped_io = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 15))
if mibBuilder.loadTexts:
tMemoryMappedIo.setStatus('mandatory')
if mibBuilder.loadTexts:
tMemoryMappedIo.setDescription('This group defines various attributes for memory mapped I/O on this system.')
e_memory_mapped_io = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 15, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'), (0, 'PCSYSTEMSMIF-MIB', 'a15MemoryMappedIoStartingAddress'))
if mibBuilder.loadTexts:
eMemoryMappedIo.setStatus('mandatory')
if mibBuilder.loadTexts:
eMemoryMappedIo.setDescription('')
a15_memory_mapped_io_starting_address = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 15, 1, 1), dmi_integer64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a15MemoryMappedIoStartingAddress.setStatus('mandatory')
if mibBuilder.loadTexts:
a15MemoryMappedIoStartingAddress.setDescription('The starting address of a contiguous System memory mapped I/O region.')
a15_memory_mapped_io_ending_address = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 15, 1, 2), dmi_integer64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a15MemoryMappedIoEndingAddress.setStatus('mandatory')
if mibBuilder.loadTexts:
a15MemoryMappedIoEndingAddress.setDescription('The ending address of a contiguous System memory mapped I/O region.')
a15_memory_mapped_io_description = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 15, 1, 3), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a15MemoryMappedIoDescription.setStatus('mandatory')
if mibBuilder.loadTexts:
a15MemoryMappedIoDescription.setDescription('The name of the logical device currently using this Memory Mapped I/O.')
t_system_enclosure = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 16))
if mibBuilder.loadTexts:
tSystemEnclosure.setStatus('mandatory')
if mibBuilder.loadTexts:
tSystemEnclosure.setDescription('This group defines the attributes for the system enclosure.')
e_system_enclosure = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 16, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'))
if mibBuilder.loadTexts:
eSystemEnclosure.setStatus('mandatory')
if mibBuilder.loadTexts:
eSystemEnclosure.setDescription('')
a16_enclosure_or_chassis = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 16, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vDesktop', 3), ('vLowProfileDesktop', 4), ('vPizzaBox', 5), ('vMiniTower', 6), ('vTower', 7), ('vPortable', 8), ('vLaptop', 9), ('vNotebook', 10), ('vHandHeld', 11), ('vDockingStation', 12)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a16EnclosureOrChassis.setStatus('mandatory')
if mibBuilder.loadTexts:
a16EnclosureOrChassis.setDescription('The type of Enclosure.')
a16_asset_tag = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 16, 1, 2), dmi_displaystring()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
a16AssetTag.setStatus('mandatory')
if mibBuilder.loadTexts:
a16AssetTag.setDescription('The system asset tag number or string')
a16_chassis_lock_present = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 16, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('vFalse', 0), ('vTrue', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a16ChassisLockPresent.setStatus('mandatory')
if mibBuilder.loadTexts:
a16ChassisLockPresent.setDescription('If true, a chassis lock is present.')
a16_boot_up_state = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 16, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vSafe', 3), ('vWarning', 4), ('vCritical', 5)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a16BootUpState.setStatus('mandatory')
if mibBuilder.loadTexts:
a16BootUpState.setDescription('The current state of this system when it booted.')
a16_power_state = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 16, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vSafe', 3), ('vWarning', 4), ('vCritical', 5)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a16PowerState.setStatus('mandatory')
if mibBuilder.loadTexts:
a16PowerState.setDescription('The current state of the power supply state for this system.')
a16_thermal_state = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 16, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vSafe', 3), ('vWarning', 4), ('vCritical', 5)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a16ThermalState.setStatus('mandatory')
if mibBuilder.loadTexts:
a16ThermalState.setDescription('The current thermal state of this system.')
a16_fru_group_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 16, 1, 7), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a16FruGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a16FruGroupIndex.setDescription('If this is a Field Replaceable Unit or if it is partof another FRU, this provides index into the FRU table.A Value = -1 means that the group is not a FRU')
a16_operational_group_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 16, 1, 8), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a16OperationalGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a16OperationalGroupIndex.setDescription('The index into the Operational State Table for this device if applicable')
t_power_supply = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 17))
if mibBuilder.loadTexts:
tPowerSupply.setStatus('mandatory')
if mibBuilder.loadTexts:
tPowerSupply.setDescription('This group defines various attributes for power supplies in this system.')
e_power_supply = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 17, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'), (0, 'PCSYSTEMSMIF-MIB', 'a17PowerSupplyIndex'))
if mibBuilder.loadTexts:
ePowerSupply.setStatus('mandatory')
if mibBuilder.loadTexts:
ePowerSupply.setDescription('')
a17_power_supply_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 17, 1, 1), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a17PowerSupplyIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a17PowerSupplyIndex.setDescription('The index number of the current power supply.')
a17_fru_group_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 17, 1, 2), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a17FruGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a17FruGroupIndex.setDescription('If this is a Field Replaceable Unit or if it is partof another FRU, this provides index into the FRU table.A Value = -1 means that the group is not a FRU')
a17_operational_group_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 17, 1, 3), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a17OperationalGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a17OperationalGroupIndex.setDescription('The index into the Operational State Table for this device if applicable')
t_cooling_device = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 18))
if mibBuilder.loadTexts:
tCoolingDevice.setStatus('mandatory')
if mibBuilder.loadTexts:
tCoolingDevice.setDescription('This group defines various attributes for cooling devices in this system.')
e_cooling_device = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 18, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'), (0, 'PCSYSTEMSMIF-MIB', 'a18CoolingDeviceIndex'))
if mibBuilder.loadTexts:
eCoolingDevice.setStatus('mandatory')
if mibBuilder.loadTexts:
eCoolingDevice.setDescription('')
a18_cooling_device_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 18, 1, 1), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a18CoolingDeviceIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a18CoolingDeviceIndex.setDescription('An index into the cooling device table.')
a18_fru_group_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 18, 1, 2), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a18FruGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a18FruGroupIndex.setDescription('If this is a Field Replaceable Unit or if it is partof another FRU, this provides index into the FRU table.A Value = -1 means that the group is not a FRU')
a18_operational_group_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 18, 1, 3), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a18OperationalGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a18OperationalGroupIndex.setDescription('The index into the Operational State Table for this device if applicable')
t_system_slots = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 19))
if mibBuilder.loadTexts:
tSystemSlots.setStatus('mandatory')
if mibBuilder.loadTexts:
tSystemSlots.setDescription('This group defines the attributes for the different system expansion slots supported in this system.')
e_system_slots = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 19, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'), (0, 'PCSYSTEMSMIF-MIB', 'a19SlotIndex'))
if mibBuilder.loadTexts:
eSystemSlots.setStatus('mandatory')
if mibBuilder.loadTexts:
eSystemSlots.setDescription('')
a19_slot_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 19, 1, 1), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a19SlotIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a19SlotIndex.setDescription('An index into the system slot table. This is the hardware ID number for each expansion slot, whether it is occupied or not (starting with 1)')
a19_slot_type = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 19, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 4, 8, 16, 18, 20, 24))).clone(namedValues=named_values(('vUnknown', 1), ('vIsa', 2), ('vEisa', 4), ('vMca', 8), ('vPci', 16), ('vPciIsa', 18), ('vPciEisa', 20), ('vPciMca', 24)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a19SlotType.setStatus('mandatory')
if mibBuilder.loadTexts:
a19SlotType.setDescription('The bus type supported in this slot. This is a bit field with the following definitions.Bit 0, if set, means it is a long-length card; if 0, it is a short-length cardBit 1, if set, is ISA, Bit 2 is EISA, Bit 3 is MCA, Bit 4 is PCI, Bit 5 is VL, and Bit 6 is PCMCIA.')
a19_slot_width = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 19, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('v8BitCard', 3), ('v16BitCard', 4), ('v32BitCard', 5), ('v64BitCard', 6), ('v128BitCard', 7)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a19SlotWidth.setStatus('mandatory')
if mibBuilder.loadTexts:
a19SlotWidth.setDescription('The maximum bus width of cards accepted in this slot.')
a19_current_usage = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 19, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vAvailable', 3), ('vInUse1', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a19CurrentUsage.setStatus('mandatory')
if mibBuilder.loadTexts:
a19CurrentUsage.setDescription('Is this slot is currently in use?')
a19_slot_description = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 19, 1, 5), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a19SlotDescription.setStatus('mandatory')
if mibBuilder.loadTexts:
a19SlotDescription.setDescription('The field describes the card currently occupying this slot.')
t_video = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20))
if mibBuilder.loadTexts:
tVideo.setStatus('mandatory')
if mibBuilder.loadTexts:
tVideo.setDescription('This group defines the attributes of video devices in this system.')
e_video = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'), (0, 'PCSYSTEMSMIF-MIB', 'a20VideoIndex'))
if mibBuilder.loadTexts:
eVideo.setStatus('mandatory')
if mibBuilder.loadTexts:
eVideo.setDescription('')
a20_video_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20, 1, 1), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a20VideoIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a20VideoIndex.setDescription('An index into the video table.')
a20_video_type = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vCga', 3), ('vEga', 4), ('vVga', 5), ('vSvga', 6), ('vMda', 7), ('vHgc', 8), ('vMcga', 9), ('v8514a', 10), ('vXga', 11), ('vLinearFrameBuffer', 12)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a20VideoType.setStatus('mandatory')
if mibBuilder.loadTexts:
a20VideoType.setDescription('The architecture of the video subsystem in this system.')
a20_current_video_mode = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20, 1, 3), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a20CurrentVideoMode.setStatus('mandatory')
if mibBuilder.loadTexts:
a20CurrentVideoMode.setDescription('The current video mode in this system')
a20_minimum_refresh_rate = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20, 1, 4), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a20MinimumRefreshRate.setStatus('mandatory')
if mibBuilder.loadTexts:
a20MinimumRefreshRate.setDescription('The minimum refresh rate for this video subsystem in Hz.')
a20_maximum_refresh_rate = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20, 1, 5), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a20MaximumRefreshRate.setStatus('mandatory')
if mibBuilder.loadTexts:
a20MaximumRefreshRate.setDescription('The maximum refresh rate for this video subsystem in Hz.')
a20_video_memory_type = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vVram', 3), ('vDram', 4), ('vSram', 5)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a20VideoMemoryType.setStatus('mandatory')
if mibBuilder.loadTexts:
a20VideoMemoryType.setDescription('The type of Video Memory for this adapter.')
a20_video_ram_memory_size = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20, 1, 7), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a20VideoRamMemorySize.setStatus('mandatory')
if mibBuilder.loadTexts:
a20VideoRamMemorySize.setDescription('Video adapter memory size in Kilo Bytes.')
a20_scan_mode = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vInterlaced', 3), ('vNonInterlaced', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a20ScanMode.setStatus('mandatory')
if mibBuilder.loadTexts:
a20ScanMode.setDescription('The scan mode for this video device.')
a20_video_physical_location = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vIntegrated', 3), ('vAddOnCard', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a20VideoPhysicalLocation.setStatus('mandatory')
if mibBuilder.loadTexts:
a20VideoPhysicalLocation.setDescription('The location of the video controller circuitry.')
a20_current_vertical_resolution = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20, 1, 10), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a20CurrentVerticalResolution.setStatus('mandatory')
if mibBuilder.loadTexts:
a20CurrentVerticalResolution.setDescription('The current number of vertical pixels.')
a20_current_horizontal_resolution = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20, 1, 11), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a20CurrentHorizontalResolution.setStatus('mandatory')
if mibBuilder.loadTexts:
a20CurrentHorizontalResolution.setDescription('The current number of horizontal pixels.')
a20_current_number_of_bits_per_pixel = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20, 1, 12), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a20CurrentNumberOfBitsPerPixel.setStatus('mandatory')
if mibBuilder.loadTexts:
a20CurrentNumberOfBitsPerPixel.setDescription('The number of bits used to display each pixel for this video device.')
a20_current_number_of_rows = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20, 1, 13), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a20CurrentNumberOfRows.setStatus('mandatory')
if mibBuilder.loadTexts:
a20CurrentNumberOfRows.setDescription('The number of rows in character mode for this video device.')
a20_current_number_of_columns = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20, 1, 14), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a20CurrentNumberOfColumns.setStatus('mandatory')
if mibBuilder.loadTexts:
a20CurrentNumberOfColumns.setDescription('The number of columns in character mode for this video device.')
a20_current_refresh_rate = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20, 1, 15), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a20CurrentRefreshRate.setStatus('mandatory')
if mibBuilder.loadTexts:
a20CurrentRefreshRate.setDescription('The current refresh rate in Hz for this video device.')
a20_fru_group_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20, 1, 16), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a20FruGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a20FruGroupIndex.setDescription('If this is a Field Replaceable Unit or if it is part of another RU, this provides an index into the FRU table. A value = -1 means that the group is not a FRU.')
a20_operational_group_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 20, 1, 17), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a20OperationalGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a20OperationalGroupIndex.setDescription('The index into the Operational State Table for this device')
t_video_bios = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 21))
if mibBuilder.loadTexts:
tVideoBios.setStatus('mandatory')
if mibBuilder.loadTexts:
tVideoBios.setDescription('This group defines the attributes for the Video BIOS.')
e_video_bios = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 21, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'), (0, 'PCSYSTEMSMIF-MIB', 'a21VideoBiosIndex'))
if mibBuilder.loadTexts:
eVideoBios.setStatus('mandatory')
if mibBuilder.loadTexts:
eVideoBios.setDescription('')
a21_video_bios_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 21, 1, 1), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a21VideoBiosIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a21VideoBiosIndex.setDescription('The index into the Video BIOS table.')
a21_video_bios_manufacturer = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 21, 1, 2), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a21VideoBiosManufacturer.setStatus('mandatory')
if mibBuilder.loadTexts:
a21VideoBiosManufacturer.setDescription('The name of the company that wrote this Video BIOS.')
a21_video_bios_version = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 21, 1, 3), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a21VideoBiosVersion.setStatus('mandatory')
if mibBuilder.loadTexts:
a21VideoBiosVersion.setDescription('The version number or version string of this Video BIOS.')
a21_video_bios_release_date = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 21, 1, 4), dmi_date()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a21VideoBiosReleaseDate.setStatus('mandatory')
if mibBuilder.loadTexts:
a21VideoBiosReleaseDate.setDescription('The Video BIOS release date.')
a21_video_bios_shadowing_state = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 21, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('vFalse', 0), ('vTrue', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a21VideoBiosShadowingState.setStatus('mandatory')
if mibBuilder.loadTexts:
a21VideoBiosShadowingState.setDescription('If true, the Video BIOS is currently being shadowed ')
t_video_bios_characteristic = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 22))
if mibBuilder.loadTexts:
tVideoBiosCharacteristic.setStatus('mandatory')
if mibBuilder.loadTexts:
tVideoBiosCharacteristic.setDescription('This group defines the characteristics for the Video BIOS.')
e_video_bios_characteristic = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 22, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'), (0, 'PCSYSTEMSMIF-MIB', 'a22VideoBiosCharacteristicsIndex'), (0, 'PCSYSTEMSMIF-MIB', 'a22VideoBiosNumber'))
if mibBuilder.loadTexts:
eVideoBiosCharacteristic.setStatus('mandatory')
if mibBuilder.loadTexts:
eVideoBiosCharacteristic.setDescription('')
a22_video_bios_characteristics_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 22, 1, 1), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a22VideoBiosCharacteristicsIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a22VideoBiosCharacteristicsIndex.setDescription('This is an index into the Video BIOS Characteristics table. ')
a22_video_bios_number = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 22, 1, 2), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a22VideoBiosNumber.setStatus('mandatory')
if mibBuilder.loadTexts:
a22VideoBiosNumber.setDescription('This is the Video BIOS number which correlates to the Video BIOS Index. ')
a22_video_bios_characteristics = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 22, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vUnsupported', 3), ('vStandardVideoBios', 4), ('vVesaBiosExtensionsSupported', 5), ('vVesaPowerManagementSupported', 6), ('vVesaDisplayDataChannelSupported', 7), ('vVideoBios-shadowing-allowed', 8), ('vVideoBiosUpgradable', 9)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a22VideoBiosCharacteristics.setStatus('mandatory')
if mibBuilder.loadTexts:
a22VideoBiosCharacteristics.setDescription('The attributes and extensions supported by this version of the Video BIOS')
a22_video_bios_characteristics_description = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 22, 1, 4), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a22VideoBiosCharacteristicsDescription.setStatus('mandatory')
if mibBuilder.loadTexts:
a22VideoBiosCharacteristicsDescription.setDescription('Expanded description of this VIDEO BIOS Characteristic.')
t_disk_drives = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 23))
if mibBuilder.loadTexts:
tDiskDrives.setStatus('mandatory')
if mibBuilder.loadTexts:
tDiskDrives.setDescription('This group defines the physical attributes of disk mass storage devices in this system.')
e_disk_drives = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 23, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'), (0, 'PCSYSTEMSMIF-MIB', 'a23StorageType'), (0, 'PCSYSTEMSMIF-MIB', 'a23DiskIndex'))
if mibBuilder.loadTexts:
eDiskDrives.setStatus('mandatory')
if mibBuilder.loadTexts:
eDiskDrives.setDescription('')
a23_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 23, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vHard-disk', 3), ('vFloppy-disk', 4), ('vOptical-rom', 5), ('vOptical-worm', 6), ('vOptical-rw', 7), ('vCompact-disk', 8), ('vFlash-disk', 9), ('vBernoulli', 10), ('vOpticalFloppyDisk', 11)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a23StorageType.setStatus('mandatory')
if mibBuilder.loadTexts:
a23StorageType.setDescription('The type of this mass storage device')
a23_disk_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 23, 1, 2), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a23DiskIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a23DiskIndex.setDescription('An index into the disk table.')
a23_storage_interface_type = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 23, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vScsi', 3), ('vEsdi', 4), ('vIde', 5), ('vCmd', 6), ('vIpi', 7), ('vSt506', 8), ('vDssi', 9), ('vParallel-port', 10), ('vHippi', 11), ('vQic2', 12), ('vFloppy-disk-interface', 13), ('vPcmcia', 14), ('vEnhancedAtaide', 15)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a23StorageInterfaceType.setStatus('mandatory')
if mibBuilder.loadTexts:
a23StorageInterfaceType.setDescription('The interface used by this mass storage device')
a23_interface_description = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 23, 1, 4), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a23InterfaceDescription.setStatus('mandatory')
if mibBuilder.loadTexts:
a23InterfaceDescription.setDescription('A longer description of the mass storage interface.For Example, SCSI2 fast wide')
a23_media_loaded = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 23, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('vFalse', 0), ('vTrue', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a23MediaLoaded.setStatus('mandatory')
if mibBuilder.loadTexts:
a23MediaLoaded.setDescription('If true, the media is loaded')
a23_removable_media = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 23, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('vFalse', 0), ('vTrue', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a23RemovableMedia.setStatus('mandatory')
if mibBuilder.loadTexts:
a23RemovableMedia.setDescription('If true, the media in this drive is removable')
a23_device_id = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 23, 1, 7), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a23DeviceId.setStatus('mandatory')
if mibBuilder.loadTexts:
a23DeviceId.setDescription('The SCSI address of this device')
a23_logical_unit_number = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 23, 1, 8), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a23LogicalUnitNumber.setStatus('mandatory')
if mibBuilder.loadTexts:
a23LogicalUnitNumber.setDescription('The logical unit number of this SCSI device. ')
a23_number_of_physical_cylinders = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 23, 1, 9), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a23NumberOfPhysicalCylinders.setStatus('mandatory')
if mibBuilder.loadTexts:
a23NumberOfPhysicalCylinders.setDescription('The number of reported Physical Cylinders on this device')
a23_number_of_physical_sectors_per_track = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 23, 1, 10), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a23NumberOfPhysicalSectorsPerTrack.setStatus('mandatory')
if mibBuilder.loadTexts:
a23NumberOfPhysicalSectorsPerTrack.setDescription('The number of reported Physical sectors per track for this device')
a23_number_of_physical_heads = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 23, 1, 11), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a23NumberOfPhysicalHeads.setStatus('mandatory')
if mibBuilder.loadTexts:
a23NumberOfPhysicalHeads.setDescription('The number of reported Physical heads for this device')
a23_sector_size = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 23, 1, 12), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a23SectorSize.setStatus('mandatory')
if mibBuilder.loadTexts:
a23SectorSize.setDescription('The Size in bytes of the physical disk sector as reported by the disk. ')
a23_total_physical_size = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 23, 1, 13), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a23TotalPhysicalSize.setStatus('mandatory')
if mibBuilder.loadTexts:
a23TotalPhysicalSize.setDescription('The total size in KiloBytes (1024 bytes) of this device. ')
a23_partitions = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 23, 1, 14), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a23Partitions.setStatus('mandatory')
if mibBuilder.loadTexts:
a23Partitions.setDescription('The number of partitions on this storage unit')
a23_fru_group_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 23, 1, 15), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a23FruGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a23FruGroupIndex.setDescription('If this is a Field Replaceable Unit or if it is part of another FRU, this provides an index into the FRU table. A value = -1 means that the group is not a FRU.')
t_disk_mapping_table = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 24))
if mibBuilder.loadTexts:
tDiskMappingTable.setStatus('mandatory')
if mibBuilder.loadTexts:
tDiskMappingTable.setDescription('A table relating disks to partitions. May have an instance of a disk or partition more than once')
e_disk_mapping_table = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 24, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'), (0, 'PCSYSTEMSMIF-MIB', 'a24StorageType'), (0, 'PCSYSTEMSMIF-MIB', 'a24DiskIndex'), (0, 'PCSYSTEMSMIF-MIB', 'a24PartitionIndex'))
if mibBuilder.loadTexts:
eDiskMappingTable.setStatus('mandatory')
if mibBuilder.loadTexts:
eDiskMappingTable.setDescription('')
a24_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 24, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vHard-disk', 3), ('vFloppy-disk', 4), ('vOptical-rom', 5), ('vOptical-worm', 6), ('vOptical-rw', 7), ('vCompact-disk', 8), ('vFlash-disk', 9), ('vBernoulli', 10), ('vOpticalFloppyDisk', 11)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a24StorageType.setStatus('mandatory')
if mibBuilder.loadTexts:
a24StorageType.setDescription('An index value into the Disk Table')
a24_disk_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 24, 1, 2), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a24DiskIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a24DiskIndex.setDescription('An index value into the Disk Table')
a24_partition_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 24, 1, 3), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a24PartitionIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a24PartitionIndex.setDescription('An index value into the partition table')
t_partition = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 25))
if mibBuilder.loadTexts:
tPartition.setStatus('mandatory')
if mibBuilder.loadTexts:
tPartition.setDescription('This group describes the partitions on particular disks.')
e_partition = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 25, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'), (0, 'PCSYSTEMSMIF-MIB', 'a25PartitionIndex'))
if mibBuilder.loadTexts:
ePartition.setStatus('mandatory')
if mibBuilder.loadTexts:
ePartition.setDescription('')
a25_partition_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 25, 1, 1), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a25PartitionIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a25PartitionIndex.setDescription('The index into the partition table.')
a25_partition_name = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 25, 1, 2), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a25PartitionName.setStatus('mandatory')
if mibBuilder.loadTexts:
a25PartitionName.setDescription('The name used by the system to identify the partition. This is normally the drive letter.')
a25_partition_size = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 25, 1, 3), dmi_integer64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a25PartitionSize.setStatus('mandatory')
if mibBuilder.loadTexts:
a25PartitionSize.setDescription('The size of this partition in Kilo Bytes.')
a25_free_space = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 25, 1, 4), dmi_integer64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a25FreeSpace.setStatus('mandatory')
if mibBuilder.loadTexts:
a25FreeSpace.setDescription('The number of free Kilo Bytes on this partition')
a25_partition_label = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 25, 1, 5), dmi_octetstring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a25PartitionLabel.setStatus('mandatory')
if mibBuilder.loadTexts:
a25PartitionLabel.setDescription('The Partition label or the unique volume label field for this physical volume. (For DOS, this is the volume label plus the 32 bit Volume ID field if available.)')
a25_file_system = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 25, 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))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vFat', 3), ('vHpfs', 4), ('vNtfs', 5), ('vOfs', 6), ('vMfs', 7), ('vHfs', 8), ('vVxfs', 9), ('vSfs', 10), ('vS5', 11), ('vS52k', 12), ('vUfs', 13), ('vFfs', 14), ('vNetware286', 15), ('vNetware386', 16)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a25FileSystem.setStatus('mandatory')
if mibBuilder.loadTexts:
a25FileSystem.setDescription('')
a25_compressed = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 25, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('vFalse', 0), ('vTrue', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a25Compressed.setStatus('mandatory')
if mibBuilder.loadTexts:
a25Compressed.setDescription('If true, this partition is compressed')
a25_encrypted = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 25, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('vFalse', 0), ('vTrue', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a25Encrypted.setStatus('mandatory')
if mibBuilder.loadTexts:
a25Encrypted.setDescription('If true, this partition is encrypted')
a25_number_of_disks_occupied = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 25, 1, 9), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a25NumberOfDisksOccupied.setStatus('mandatory')
if mibBuilder.loadTexts:
a25NumberOfDisksOccupied.setDescription('The number of disks this partition occupies')
t_disk_controller = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 26))
if mibBuilder.loadTexts:
tDiskController.setStatus('mandatory')
if mibBuilder.loadTexts:
tDiskController.setDescription('This group defines the disk controller in this system.')
e_disk_controller = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 26, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'), (0, 'PCSYSTEMSMIF-MIB', 'a26DiskControllerIndex'))
if mibBuilder.loadTexts:
eDiskController.setStatus('mandatory')
if mibBuilder.loadTexts:
eDiskController.setDescription('')
a26_disk_controller_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 26, 1, 1), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a26DiskControllerIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a26DiskControllerIndex.setDescription('Index value used by the system to identify the disk controller')
a26_fru_group_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 26, 1, 2), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a26FruGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a26FruGroupIndex.setDescription('If this is a Field Replaceable Unit or if it is part of another FRU, this provides an index into the FRU table. A value = -1 means that the group is not a FRU')
a26_operational_group_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 26, 1, 3), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a26OperationalGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a26OperationalGroupIndex.setDescription('The index into the Operational State Table for this device')
t_logical_drives = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 27))
if mibBuilder.loadTexts:
tLogicalDrives.setStatus('mandatory')
if mibBuilder.loadTexts:
tLogicalDrives.setDescription('')
e_logical_drives = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 27, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'), (0, 'PCSYSTEMSMIF-MIB', 'a27LogicalDriveIndex'))
if mibBuilder.loadTexts:
eLogicalDrives.setStatus('mandatory')
if mibBuilder.loadTexts:
eLogicalDrives.setDescription('')
a27_logical_drive_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 27, 1, 1), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a27LogicalDriveIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a27LogicalDriveIndex.setDescription('An index into the Logical Drives Table')
a27_logical_drive_name = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 27, 1, 2), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a27LogicalDriveName.setStatus('mandatory')
if mibBuilder.loadTexts:
a27LogicalDriveName.setDescription('Name used by the system to identify this logical driveFor DOS, this could be the logical drive letter (A,B,C...)')
a27_logical_drive_type = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 27, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vFixedDrive', 3), ('vRemovableDrive', 4), ('vRemoteDrive', 5), ('vCdrom', 6), ('vFloppyDrive', 7), ('vRamDrive', 8), ('vDriveArray', 9)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a27LogicalDriveType.setStatus('mandatory')
if mibBuilder.loadTexts:
a27LogicalDriveType.setDescription('This defines the Logical Drive type')
a27_logical_drive_size = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 27, 1, 4), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a27LogicalDriveSize.setStatus('mandatory')
if mibBuilder.loadTexts:
a27LogicalDriveSize.setDescription('The size of this Logical Drive in Kilo Bytes')
a27_free_logical_drive_size = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 27, 1, 5), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a27FreeLogicalDriveSize.setStatus('mandatory')
if mibBuilder.loadTexts:
a27FreeLogicalDriveSize.setDescription('The remaining space on this Logical Drive in Kilo Bytes')
a27_logical_drive_path = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 27, 1, 6), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a27LogicalDrivePath.setStatus('mandatory')
if mibBuilder.loadTexts:
a27LogicalDrivePath.setDescription('The path used to access this Logical Drive (for remote drives)')
t_mouse = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 28))
if mibBuilder.loadTexts:
tMouse.setStatus('mandatory')
if mibBuilder.loadTexts:
tMouse.setDescription('')
e_mouse = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 28, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'))
if mibBuilder.loadTexts:
eMouse.setStatus('mandatory')
if mibBuilder.loadTexts:
eMouse.setDescription('')
a28_mouse_interface = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 28, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vSerial', 3), ('vPs2', 4), ('vInfrared', 5), ('vHp-hil', 6), ('vBusMouse', 7)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a28MouseInterface.setStatus('mandatory')
if mibBuilder.loadTexts:
a28MouseInterface.setDescription('The interface type of this mouse.')
a28_mouse_irq = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 28, 1, 2), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a28MouseIrq.setStatus('mandatory')
if mibBuilder.loadTexts:
a28MouseIrq.setDescription('The IRQ number used by this mouse.')
a28_mouse_buttons = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 28, 1, 3), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a28MouseButtons.setStatus('mandatory')
if mibBuilder.loadTexts:
a28MouseButtons.setDescription('The number of mouse buttons on this mouse.')
a28_mouse_port_name = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 28, 1, 4), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a28MousePortName.setStatus('mandatory')
if mibBuilder.loadTexts:
a28MousePortName.setDescription('The name of the port currently being used by this mouse.')
a28_mouse_driver_name = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 28, 1, 5), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a28MouseDriverName.setStatus('mandatory')
if mibBuilder.loadTexts:
a28MouseDriverName.setDescription('The name of the mouse driver.')
a28_mouse_driver_version = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 28, 1, 6), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a28MouseDriverVersion.setStatus('mandatory')
if mibBuilder.loadTexts:
a28MouseDriverVersion.setDescription('The version number of the mouse driver.')
a28_fru_group_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 28, 1, 7), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a28FruGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a28FruGroupIndex.setDescription('If this is a Field Replaceable Unit or if it is part of another FRU, this attribute provides an index into the FRU table. A value = -1 means that the group is not a FRU')
a28_operational_group_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 28, 1, 8), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a28OperationalGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a28OperationalGroupIndex.setDescription('The index into the Operational State Table for this device')
t_keyboard = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 29))
if mibBuilder.loadTexts:
tKeyboard.setStatus('mandatory')
if mibBuilder.loadTexts:
tKeyboard.setDescription('This group defines the characteristics of the PC keyboard')
e_keyboard = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 29, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'))
if mibBuilder.loadTexts:
eKeyboard.setStatus('mandatory')
if mibBuilder.loadTexts:
eKeyboard.setDescription('')
a29_keyboard_layout = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 29, 1, 1), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a29KeyboardLayout.setStatus('mandatory')
if mibBuilder.loadTexts:
a29KeyboardLayout.setDescription('A description of the layout description of this keyboard.')
a29_keyboard_type = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 29, 1, 2), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a29KeyboardType.setStatus('mandatory')
if mibBuilder.loadTexts:
a29KeyboardType.setDescription('The type description of this keyboard.')
a29_keyboard_connector_type = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 29, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vMini-din', 3), ('vMicro-din', 4), ('vPs2', 5), ('vInfrared', 6), ('vHp-hil', 7), ('vDb-9', 8), ('vAccessbus', 9)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a29KeyboardConnectorType.setStatus('mandatory')
if mibBuilder.loadTexts:
a29KeyboardConnectorType.setDescription('The type description of the keyboard connector used by this keyboard.')
a29_fru_group_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 29, 1, 4), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a29FruGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a29FruGroupIndex.setDescription('If this is a Field Replaceable Unit or if it is part of another FRU, this provides an FRU index into the FRU table. A value = -1 means that the group is not a FRU')
a29_operational_group_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 29, 1, 5), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a29OperationalGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a29OperationalGroupIndex.setDescription('The index into the Operational State Table for this device')
t_field_replacable_unit = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 30))
if mibBuilder.loadTexts:
tFieldReplacableUnit.setStatus('mandatory')
if mibBuilder.loadTexts:
tFieldReplacableUnit.setDescription("An FRU, or Field Replaceable Unit, is defined as a hardware component which is designed to be separately removable for replacement or repair. For the purposes of this definition, a motherboard and a fixed hard disk are FRU's, whereas a fixed hard disk platter or a chip fixed in place on the motherboard are not FRU's since they are not designed to be separately removable. Each instance within the FRU table should contain the device group and instance data for the associated hardware component")
e_field_replacable_unit = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 30, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'), (0, 'PCSYSTEMSMIF-MIB', 'a30FruIndex'))
if mibBuilder.loadTexts:
eFieldReplacableUnit.setStatus('mandatory')
if mibBuilder.loadTexts:
eFieldReplacableUnit.setDescription('')
a30_fru_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 30, 1, 1), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a30FruIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a30FruIndex.setDescription('The index into the FRU table')
a30_device_group_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 30, 1, 2), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a30DeviceGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a30DeviceGroupIndex.setDescription('The group ID of the group referencing this FRU instance')
a30_description = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 30, 1, 3), dmi_displaystring()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
a30Description.setStatus('mandatory')
if mibBuilder.loadTexts:
a30Description.setDescription('A clear description of this FRU')
a30_manufacturer = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 30, 1, 4), dmi_displaystring()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
a30Manufacturer.setStatus('mandatory')
if mibBuilder.loadTexts:
a30Manufacturer.setDescription('The name of the company manufacturing or providing this FRU')
a30_model = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 30, 1, 5), dmi_displaystring()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
a30Model.setStatus('mandatory')
if mibBuilder.loadTexts:
a30Model.setDescription("The manufacturer's model number for this FRU")
a30_part_number = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 30, 1, 6), dmi_displaystring()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
a30PartNumber.setStatus('mandatory')
if mibBuilder.loadTexts:
a30PartNumber.setDescription('A part number by which a replacement part can be ordered for this FRU')
a30_fru_serial_number = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 30, 1, 7), dmi_displaystring()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
a30FruSerialNumber.setStatus('mandatory')
if mibBuilder.loadTexts:
a30FruSerialNumber.setDescription("The manufacturer's serial number for this FRU")
a30_revision_level = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 30, 1, 8), dmi_displaystring()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
a30RevisionLevel.setStatus('mandatory')
if mibBuilder.loadTexts:
a30RevisionLevel.setDescription('The revision level of this FRU')
t_operational_state = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 31))
if mibBuilder.loadTexts:
tOperationalState.setStatus('mandatory')
if mibBuilder.loadTexts:
tOperationalState.setDescription('This group provides the operational state, usage, and availabili y status, and administrative state indicators for specific Device Group instance .')
e_operational_state = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 31, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'), (0, 'PCSYSTEMSMIF-MIB', 'a31OperationalStateInstanceIndex'))
if mibBuilder.loadTexts:
eOperationalState.setStatus('mandatory')
if mibBuilder.loadTexts:
eOperationalState.setDescription('')
a31_operational_state_instance_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 31, 1, 1), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a31OperationalStateInstanceIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a31OperationalStateInstanceIndex.setDescription('The Index into the Operational State table')
a31_device_group_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 31, 1, 2), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a31DeviceGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a31DeviceGroupIndex.setDescription('The group ID of the group referencing this instance')
a31_operational_status = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 31, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vEnabled', 3), ('vDisabled', 4), ('vNotApplicable', 5)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a31OperationalStatus.setStatus('mandatory')
if mibBuilder.loadTexts:
a31OperationalStatus.setDescription('The operational status of the Device group instance')
a31_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 31, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vIdle', 3), ('vActive', 4), ('vBusy', 5), ('vNotApplicable1', 6)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a31UsageState.setStatus('mandatory')
if mibBuilder.loadTexts:
a31UsageState.setDescription('The usage state of the Device Group instance')
a31_availability_status = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 31, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vRunning', 3), ('vWarning', 4), ('vInTest', 5), ('vNotApplicable', 6), ('vPowerOff', 7), ('vOffLine', 8), ('vOffDuty', 9), ('vDegraded', 10), ('vNotInstalled', 11), ('vInstallError', 12), ('vPowerSave', 13)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a31AvailabilityStatus.setStatus('mandatory')
if mibBuilder.loadTexts:
a31AvailabilityStatus.setDescription('The availability status of the Device Group instance')
a31_administrative_state = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 31, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vLocked', 3), ('vUnlocked', 4), ('vNotApplicable', 5), ('vShuttingDown', 6)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a31AdministrativeState.setStatus('mandatory')
if mibBuilder.loadTexts:
a31AdministrativeState.setDescription('The administrative state of the Device Group instance')
a31_fatal_error_count = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 31, 1, 7), dmi_counter()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a31FatalErrorCount.setStatus('mandatory')
if mibBuilder.loadTexts:
a31FatalErrorCount.setDescription('The accumulated fatal error count for this Device Group Instance')
a31_major_error_count = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 31, 1, 8), dmi_counter()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a31MajorErrorCount.setStatus('mandatory')
if mibBuilder.loadTexts:
a31MajorErrorCount.setDescription('The accumulated major error count for this Device Group Instance')
a31_warning_error_count = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 31, 1, 9), dmi_counter()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a31WarningErrorCount.setStatus('mandatory')
if mibBuilder.loadTexts:
a31WarningErrorCount.setDescription('The accumulated warning error count for this Device Group Instance')
t_system_resources_description = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 32))
if mibBuilder.loadTexts:
tSystemResourcesDescription.setStatus('mandatory')
if mibBuilder.loadTexts:
tSystemResourcesDescription.setDescription('The System Resources Description group describes the number of entries in the System Resources Group. ')
e_system_resources_description = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 32, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'), (0, 'PCSYSTEMSMIF-MIB', 'a32DeviceCount'))
if mibBuilder.loadTexts:
eSystemResourcesDescription.setStatus('mandatory')
if mibBuilder.loadTexts:
eSystemResourcesDescription.setDescription('')
a32_device_count = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 32, 1, 1), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a32DeviceCount.setStatus('mandatory')
if mibBuilder.loadTexts:
a32DeviceCount.setDescription('A counter of the number of different hardware devices represente in this table.')
a32_system_resource_count = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 32, 1, 2), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a32SystemResourceCount.setStatus('mandatory')
if mibBuilder.loadTexts:
a32SystemResourceCount.setDescription('A count of the total number of system resources on this sytemins ances in this table.')
t_system_resources = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 33))
if mibBuilder.loadTexts:
tSystemResources.setStatus('mandatory')
if mibBuilder.loadTexts:
tSystemResources.setDescription('The System Resources group contains hardware descriptions which are commonly used in PC style computers such as IRQs, IO ports and memory address ranges.')
e_system_resources = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 33, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'), (0, 'PCSYSTEMSMIF-MIB', 'a33ResourceInstance'), (0, 'PCSYSTEMSMIF-MIB', 'a33ResourceParentGroupIndex'))
if mibBuilder.loadTexts:
eSystemResources.setStatus('mandatory')
if mibBuilder.loadTexts:
eSystemResources.setDescription('')
a33_resource_instance = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 33, 1, 1), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a33ResourceInstance.setStatus('mandatory')
if mibBuilder.loadTexts:
a33ResourceInstance.setDescription('Instance identifier for a group in this table.')
a33_resource_parent_group_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 33, 1, 2), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a33ResourceParentGroupIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a33ResourceParentGroupIndex.setDescription('The group ID of the group referencing this instance in the table')
a33_resource_type = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 33, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('vOther', 1), ('vUnknown', 2), ('vMemoryRange', 3), ('vIoPort', 4), ('vIrq', 5), ('vDma', 6)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a33ResourceType.setStatus('mandatory')
if mibBuilder.loadTexts:
a33ResourceType.setDescription('The type of system resource represented by this entry.')
a33_resource_base = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 33, 1, 4), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a33ResourceBase.setStatus('mandatory')
if mibBuilder.loadTexts:
a33ResourceBase.setDescription('The starting address of the system resource in the appropriatead ress space.')
a33_resource_size = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 33, 1, 5), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a33ResourceSize.setStatus('mandatory')
if mibBuilder.loadTexts:
a33ResourceSize.setDescription('The size of the system resource.')
a33_resource_flags = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 33, 1, 6), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a33ResourceFlags.setStatus('mandatory')
if mibBuilder.loadTexts:
a33ResourceFlags.setDescription('This attribute contains fields representing the status of this resource entry. The meaning of this field varies according to the the Resource Type field in this group.')
t_netfinity_dmi_install = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 34))
if mibBuilder.loadTexts:
tNetfinityDmiInstall.setStatus('mandatory')
if mibBuilder.loadTexts:
tNetfinityDmiInstall.setDescription("This group uniquely identifies NetFinity's instrumentation of this PC Systems MIF.")
e_netfinity_dmi_install = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 34, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'))
if mibBuilder.loadTexts:
eNetfinityDmiInstall.setStatus('mandatory')
if mibBuilder.loadTexts:
eNetfinityDmiInstall.setDescription('')
a34_product_name = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 34, 1, 1), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a34ProductName.setStatus('mandatory')
if mibBuilder.loadTexts:
a34ProductName.setDescription('Name of this product')
t_microchannel_adapter_information = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 35))
if mibBuilder.loadTexts:
tMicrochannelAdapterInformation.setStatus('mandatory')
if mibBuilder.loadTexts:
tMicrochannelAdapterInformation.setDescription('This group provides detailed information about the Microchannel devices detected in your system')
e_microchannel_adapter_information = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 35, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'), (0, 'PCSYSTEMSMIF-MIB', 'a35AdapterIndex'))
if mibBuilder.loadTexts:
eMicrochannelAdapterInformation.setStatus('mandatory')
if mibBuilder.loadTexts:
eMicrochannelAdapterInformation.setDescription('')
a35_adapter_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 35, 1, 1), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a35AdapterIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a35AdapterIndex.setDescription('Index into the MCA adapter table ')
a35_slot_number = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 35, 1, 2), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a35SlotNumber.setStatus('mandatory')
if mibBuilder.loadTexts:
a35SlotNumber.setDescription('The slot in which the adapter was detected.')
a35_adapter_id = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 35, 1, 3), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a35AdapterId.setStatus('mandatory')
if mibBuilder.loadTexts:
a35AdapterId.setDescription('The unique number that identifies the adapter.')
a35_pos_data = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 35, 1, 4), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a35PosData.setStatus('mandatory')
if mibBuilder.loadTexts:
a35PosData.setDescription('This is Programmable Option Select data used to automatically configure the system.')
a35_adapter_name = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 35, 1, 5), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a35AdapterName.setStatus('mandatory')
if mibBuilder.loadTexts:
a35AdapterName.setDescription('The name of this adapter.')
t_pci_device_information = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 36))
if mibBuilder.loadTexts:
tPciDeviceInformation.setStatus('mandatory')
if mibBuilder.loadTexts:
tPciDeviceInformation.setDescription('This group provides detailed information about the PCI devices detected in your system')
e_pci_device_information = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 36, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'), (0, 'PCSYSTEMSMIF-MIB', 'a36DeviceIndex'))
if mibBuilder.loadTexts:
ePciDeviceInformation.setStatus('mandatory')
if mibBuilder.loadTexts:
ePciDeviceInformation.setDescription('')
a36_device_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 36, 1, 1), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a36DeviceIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a36DeviceIndex.setDescription('Index into the PCI device table ')
a36_class_code = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 36, 1, 2), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a36ClassCode.setStatus('mandatory')
if mibBuilder.loadTexts:
a36ClassCode.setDescription('Number that identifies the base class, sub-class, and programmin interface')
a36_pci_device_name = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 36, 1, 3), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a36PciDeviceName.setStatus('mandatory')
if mibBuilder.loadTexts:
a36PciDeviceName.setDescription('Description of device that includes manufacturer and device function')
a36_vendor_id = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 36, 1, 4), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a36VendorId.setStatus('mandatory')
if mibBuilder.loadTexts:
a36VendorId.setDescription('Number that uniquely identifies the manufacturer')
a36_device_id = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 36, 1, 5), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a36DeviceId.setStatus('mandatory')
if mibBuilder.loadTexts:
a36DeviceId.setDescription('Number assigned by the manufacturer that uniquely identifes the device')
a36_bus_number = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 36, 1, 6), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a36BusNumber.setStatus('mandatory')
if mibBuilder.loadTexts:
a36BusNumber.setDescription('PCI bus that this device is on')
a36_device_number = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 36, 1, 7), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a36DeviceNumber.setStatus('mandatory')
if mibBuilder.loadTexts:
a36DeviceNumber.setDescription('Number in the range 0..31 that uniquely selects a device on a PCI bus')
a36_revision_id = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 36, 1, 8), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a36RevisionId.setStatus('mandatory')
if mibBuilder.loadTexts:
a36RevisionId.setDescription('')
t_eisa_device_information = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 37))
if mibBuilder.loadTexts:
tEisaDeviceInformation.setStatus('mandatory')
if mibBuilder.loadTexts:
tEisaDeviceInformation.setDescription('This group provides detailed information about the EISA devices detected in your system')
e_eisa_device_information = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 37, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'), (0, 'PCSYSTEMSMIF-MIB', 'a37DeviceIndex'))
if mibBuilder.loadTexts:
eEisaDeviceInformation.setStatus('mandatory')
if mibBuilder.loadTexts:
eEisaDeviceInformation.setDescription('')
a37_device_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 37, 1, 1), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a37DeviceIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a37DeviceIndex.setDescription('Index into the EISA device table ')
a37_product_id = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 37, 1, 2), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a37ProductId.setStatus('mandatory')
if mibBuilder.loadTexts:
a37ProductId.setDescription('Number that uniquely identifies the device')
a37_eisa_device_name = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 37, 1, 3), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a37EisaDeviceName.setStatus('mandatory')
if mibBuilder.loadTexts:
a37EisaDeviceName.setDescription('Description of device')
a37_manufacturer = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 37, 1, 4), dmi_displaystring()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a37Manufacturer.setStatus('mandatory')
if mibBuilder.loadTexts:
a37Manufacturer.setDescription('Name of manufacturer of the system board or adapter')
a37_slot_location = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 37, 1, 5), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a37SlotLocation.setStatus('mandatory')
if mibBuilder.loadTexts:
a37SlotLocation.setDescription('The physical or logical slot number in the system of the device. Thesystem board is always slot 0. Slots 1-15 are physical slots. Slots 16-64 are for virtual devices.')
a37_slot_type = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 37, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('vExpansionSlot', 0), ('vEmbeddedDevice', 1), ('vVirtual', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a37SlotType.setStatus('mandatory')
if mibBuilder.loadTexts:
a37SlotType.setDescription('An expansion slot is a physical slot. An embedded device is an EISA I/O device integrated onto the system board. A virtual device is generally a software driver that may needsystem resources.')
a37_number_of_device_functions = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 37, 1, 7), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a37NumberOfDeviceFunctions.setStatus('mandatory')
if mibBuilder.loadTexts:
a37NumberOfDeviceFunctions.setDescription('Number of device functions associated with the device (i.e. memory function, serial function, parallel function, etc).')
a37_id_type = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 37, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('vReadable', 0), ('vNotReadable', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a37IdType.setStatus('mandatory')
if mibBuilder.loadTexts:
a37IdType.setDescription('An EISA system may have EISA and ISA adapters. ISA adapters will nothave readable IDs')
t_raid_adapter_information = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 38))
if mibBuilder.loadTexts:
tRaidAdapterInformation.setStatus('mandatory')
if mibBuilder.loadTexts:
tRaidAdapterInformation.setDescription('This group provides detailed information about the RAID adapters in your system')
e_raid_adapter_information = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 38, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'), (0, 'PCSYSTEMSMIF-MIB', 'a38RaidAdapterIndex'))
if mibBuilder.loadTexts:
eRaidAdapterInformation.setStatus('mandatory')
if mibBuilder.loadTexts:
eRaidAdapterInformation.setDescription('')
a38_raid_adapter_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 38, 1, 1), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a38RaidAdapterIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a38RaidAdapterIndex.setDescription('Index into the RAID Adapter table ')
a38_number_of_logical_volumes = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 38, 1, 2), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a38NumberOfLogicalVolumes.setStatus('mandatory')
if mibBuilder.loadTexts:
a38NumberOfLogicalVolumes.setDescription('Number of Logical Volumes for this adapter')
a38_number_of_physical_devices = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 38, 1, 3), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a38NumberOfPhysicalDevices.setStatus('mandatory')
if mibBuilder.loadTexts:
a38NumberOfPhysicalDevices.setDescription('Number of Physical Devices for this adapter')
a38_number_of_physical_drives_offline = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 38, 1, 4), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a38NumberOfPhysicalDrivesOffline.setStatus('mandatory')
if mibBuilder.loadTexts:
a38NumberOfPhysicalDrivesOffline.setDescription('Name of Physical Drives Offline for this adapter')
a38_number_of_critical_virtual_drives = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 38, 1, 5), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a38NumberOfCriticalVirtualDrives.setStatus('mandatory')
if mibBuilder.loadTexts:
a38NumberOfCriticalVirtualDrives.setDescription('Number of Critical Virtual Drives for this adapter')
a38_number_of_defunct_physical_drives = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 38, 1, 6), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a38NumberOfDefunctPhysicalDrives.setStatus('mandatory')
if mibBuilder.loadTexts:
a38NumberOfDefunctPhysicalDrives.setDescription('Number of Defunct Physical Drives for this adapter')
t_raid_virtual_drives_information = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 39))
if mibBuilder.loadTexts:
tRaidVirtualDrivesInformation.setStatus('mandatory')
if mibBuilder.loadTexts:
tRaidVirtualDrivesInformation.setDescription('This group provides detailed information about the RAID Virtual drivesin your system')
e_raid_virtual_drives_information = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 39, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'), (0, 'PCSYSTEMSMIF-MIB', 'a39RaidVirtualDriveIndex'), (0, 'PCSYSTEMSMIF-MIB', 'a39RaidAdapterIndex'))
if mibBuilder.loadTexts:
eRaidVirtualDrivesInformation.setStatus('mandatory')
if mibBuilder.loadTexts:
eRaidVirtualDrivesInformation.setDescription('')
a39_raid_virtual_drive_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 39, 1, 1), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a39RaidVirtualDriveIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a39RaidVirtualDriveIndex.setDescription('Index into the RAID Virtual Drives table ')
a39_raid_adapter_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 39, 1, 2), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a39RaidAdapterIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a39RaidAdapterIndex.setDescription('Index into RAID Adapter Table')
a39_virtual_drive_state = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 39, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('vOnline', 0), ('vOffline', 1), ('vCritical', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a39VirtualDriveState.setStatus('mandatory')
if mibBuilder.loadTexts:
a39VirtualDriveState.setDescription('State of Virtual Drive')
a39_virtual_drive_size = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 39, 1, 4), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a39VirtualDriveSize.setStatus('mandatory')
if mibBuilder.loadTexts:
a39VirtualDriveSize.setDescription('Size of Virtual Drive in Kilobytes')
t_raid_physical_drive_information = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 40))
if mibBuilder.loadTexts:
tRaidPhysicalDriveInformation.setStatus('mandatory')
if mibBuilder.loadTexts:
tRaidPhysicalDriveInformation.setDescription('This group provides detailed information about the RAID physical drivesin your system')
e_raid_physical_drive_information = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 40, 1)).setIndexNames((0, 'PCSYSTEMSMIF-MIB', 'DmiComponentIndex'), (0, 'PCSYSTEMSMIF-MIB', 'a40RaidPhysicalDriveIndex'), (0, 'PCSYSTEMSMIF-MIB', 'a40RaidAdapterIndex'))
if mibBuilder.loadTexts:
eRaidPhysicalDriveInformation.setStatus('mandatory')
if mibBuilder.loadTexts:
eRaidPhysicalDriveInformation.setDescription('')
a40_raid_physical_drive_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 40, 1, 1), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a40RaidPhysicalDriveIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a40RaidPhysicalDriveIndex.setDescription('Index into the RAID Physical Drives table ')
a40_raid_adapter_index = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 40, 1, 2), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a40RaidAdapterIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
a40RaidAdapterIndex.setDescription('Index into RAID Adapter Table')
a40_physical_drive_size = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 40, 1, 3), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a40PhysicalDriveSize.setStatus('mandatory')
if mibBuilder.loadTexts:
a40PhysicalDriveSize.setDescription('Size of Physical Drive in Kilobytes')
a40_channel_number = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 40, 1, 4), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a40ChannelNumber.setStatus('mandatory')
if mibBuilder.loadTexts:
a40ChannelNumber.setDescription('Channel on RAID Adapter on which this physical drive is located')
a40_target_number = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 40, 1, 5), dmi_integer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a40TargetNumber.setStatus('mandatory')
if mibBuilder.loadTexts:
a40TargetNumber.setDescription('Target number on RAID Adapter on which this physical drive is located')
a40_raid_physical_device_state = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 71, 200, 1, 1, 40, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('vOnline', 0), ('vOffline', 1), ('vDefunct', 2), ('vHotspare', 3), ('vStandbyHotspare', 4), ('vDeadHotspare', 5), ('vReady', 6), ('vRebuild', 7), ('vStandby', 8)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
a40RaidPhysicalDeviceState.setStatus('mandatory')
if mibBuilder.loadTexts:
a40RaidPhysicalDeviceState.setDescription('Device state of the Physical Drive')
mibBuilder.exportSymbols('PCSYSTEMSMIF-MIB', a1SerialNumber=a1SerialNumber, a30FruSerialNumber=a30FruSerialNumber, ePartition=ePartition, a10SystemCacheLevel=a10SystemCacheLevel, a4Manufacturer=a4Manufacturer, a2SystemLocation=a2SystemLocation, a30Model=a30Model, a31AdministrativeState=a31AdministrativeState, a32SystemResourceCount=a32SystemResourceCount, a30RevisionLevel=a30RevisionLevel, a33ResourceParentGroupIndex=a33ResourceParentGroupIndex, tPowerSupply=tPowerSupply, a3OperatingSystemBootPartitionIndex=a3OperatingSystemBootPartitionIndex, a14DmaDescription=a14DmaDescription, a38NumberOfPhysicalDevices=a38NumberOfPhysicalDevices, tMemoryMappedIo=tMemoryMappedIo, a6CurrentSpeed=a6CurrentSpeed, a24StorageType=a24StorageType, a40RaidPhysicalDeviceState=a40RaidPhysicalDeviceState, eComponentid1=eComponentid1, a8MemoryErrorCorrection=a8MemoryErrorCorrection, a12MaximumSpeed=a12MaximumSpeed, tMicrochannelAdapterInformation=tMicrochannelAdapterInformation, a36PciDeviceName=a36PciDeviceName, a9ExpandedMemorySize=a9ExpandedMemorySize, tLogicalDrives=tLogicalDrives, a2SystemName=a2SystemName, a38RaidAdapterIndex=a38RaidAdapterIndex, a3OperatingSystemDescription=a3OperatingSystemDescription, a40RaidAdapterIndex=a40RaidAdapterIndex, tMotherboard=tMotherboard, a25NumberOfDisksOccupied=a25NumberOfDisksOccupied, a30Manufacturer=a30Manufacturer, tCoolingDevice=tCoolingDevice, eNetfinityDmiInstall=eNetfinityDmiInstall, a36DeviceId=a36DeviceId, eSystemCache=eSystemCache, a37IdType=a37IdType, tFieldReplacableUnit=tFieldReplacableUnit, tSerialPorts=tSerialPorts, a39VirtualDriveState=a39VirtualDriveState, tPhysicalMemory=tPhysicalMemory, a36BusNumber=a36BusNumber, a37ProductId=a37ProductId, a9FreeExtendedMemorySize=a9FreeExtendedMemorySize, a8MemoryEndingAddress=a8MemoryEndingAddress, a1Product=a1Product, a8FruGroupIndex=a8FruGroupIndex, a29KeyboardLayout=a29KeyboardLayout, a23StorageInterfaceType=a23StorageInterfaceType, a30PartNumber=a30PartNumber, a18CoolingDeviceIndex=a18CoolingDeviceIndex, a38NumberOfPhysicalDrivesOffline=a38NumberOfPhysicalDrivesOffline, tVideoBiosCharacteristic=tVideoBiosCharacteristic, eProcessor=eProcessor, a15MemoryMappedIoDescription=a15MemoryMappedIoDescription, a31UsageState=a31UsageState, a8MemorySpeed=a8MemorySpeed, a37EisaDeviceName=a37EisaDeviceName, a33ResourceFlags=a33ResourceFlags, a25PartitionSize=a25PartitionSize, a21VideoBiosReleaseDate=a21VideoBiosReleaseDate, eOperatingSystem=eOperatingSystem, a23NumberOfPhysicalHeads=a23NumberOfPhysicalHeads, a36ClassCode=a36ClassCode, a9ExpandedMemoryPageFrameAddress=a9ExpandedMemoryPageFrameAddress, eMotherboard=eMotherboard, a3OperatingSystemBootDeviceIndex=a3OperatingSystemBootDeviceIndex, a5BiosNumber=a5BiosNumber, a36RevisionId=a36RevisionId, eKeyboard=eKeyboard, a39VirtualDriveSize=a39VirtualDriveSize, eDma=eDma, a13IrqNumber=a13IrqNumber, ePowerSupply=ePowerSupply, eSystemBiosCharacteristic=eSystemBiosCharacteristic, a16PowerState=a16PowerState, eEisaDeviceInformation=eEisaDeviceInformation, a25FileSystem=a25FileSystem, a32DeviceCount=a32DeviceCount, a22VideoBiosNumber=a22VideoBiosNumber, ibmProd=ibmProd, a29OperationalGroupIndex=a29OperationalGroupIndex, a8MemoryStartingAddress=a8MemoryStartingAddress, a31OperationalStatus=a31OperationalStatus, tPartition=tPartition, tRaidPhysicalDriveInformation=tRaidPhysicalDriveInformation, a31FatalErrorCount=a31FatalErrorCount, a37SlotLocation=a37SlotLocation, eSystemResourcesDescription=eSystemResourcesDescription, eRaidAdapterInformation=eRaidAdapterInformation, a36DeviceNumber=a36DeviceNumber, a15MemoryMappedIoStartingAddress=a15MemoryMappedIoStartingAddress, a11ParallelBaseIoAddress=a11ParallelBaseIoAddress, a25Encrypted=a25Encrypted, a37SlotType=a37SlotType, a21VideoBiosVersion=a21VideoBiosVersion, a9ExtendedMemoryManagerName=a9ExtendedMemoryManagerName, a4PrimaryBios=a4PrimaryBios, a9ExpandedMemoryManagerName=a9ExpandedMemoryManagerName, tVideoBios=tVideoBios, netFinitySystemsMIB=netFinitySystemsMIB, a28MouseInterface=a28MouseInterface, a11ConnectorType=a11ConnectorType, a20CurrentHorizontalResolution=a20CurrentHorizontalResolution, tRaidVirtualDrivesInformation=tRaidVirtualDrivesInformation, eSerialPorts=eSerialPorts, a2SystemDateTime=a2SystemDateTime, a1Version=a1Version, a16FruGroupIndex=a16FruGroupIndex, tSystemResources=tSystemResources, a4BiosReleaseDate=a4BiosReleaseDate, DmiOctetstring=DmiOctetstring, tLogicalMemory=tLogicalMemory, a12OperationalGroupIndex=a12OperationalGroupIndex, a20CurrentNumberOfRows=a20CurrentNumberOfRows, eRaidVirtualDrivesInformation=eRaidVirtualDrivesInformation, a9ExpandedMemoryPageSize=a9ExpandedMemoryPageSize, eMicrochannelAdapterInformation=eMicrochannelAdapterInformation, a20MinimumRefreshRate=a20MinimumRefreshRate, a16ChassisLockPresent=a16ChassisLockPresent, a6FruGroupIndex=a6FruGroupIndex, a39RaidVirtualDriveIndex=a39RaidVirtualDriveIndex, a23DiskIndex=a23DiskIndex, DmiInteger64=DmiInteger64, eDiskMappingTable=eDiskMappingTable, a38NumberOfCriticalVirtualDrives=a38NumberOfCriticalVirtualDrives, a23Partitions=a23Partitions, a16AssetTag=a16AssetTag, a23LogicalUnitNumber=a23LogicalUnitNumber, a6VersionInformation=a6VersionInformation, eOperationalState=eOperationalState, a20VideoRamMemorySize=a20VideoRamMemorySize, eVideoBios=eVideoBios, a6ProcessorIndex=a6ProcessorIndex, a14DmaBurstMode=a14DmaBurstMode, eDiskDrives=eDiskDrives, a21VideoBiosManufacturer=a21VideoBiosManufacturer, a28OperationalGroupIndex=a28OperationalGroupIndex, tOperationalState=tOperationalState, a24DiskIndex=a24DiskIndex, a17OperationalGroupIndex=a17OperationalGroupIndex, a9ExtendedMemorySize=a9ExtendedMemorySize, eSystemBios=eSystemBios, a40ChannelNumber=a40ChannelNumber, a11LogicalName=a11LogicalName, DmiCounter=DmiCounter, a22VideoBiosCharacteristicsIndex=a22VideoBiosCharacteristicsIndex, a2SystemPrimaryUserName=a2SystemPrimaryUserName, a40RaidPhysicalDriveIndex=a40RaidPhysicalDriveIndex, a37NumberOfDeviceFunctions=a37NumberOfDeviceFunctions, a30DeviceGroupIndex=a30DeviceGroupIndex, a28MouseDriverVersion=a28MouseDriverVersion, a8MemoryUsage=a8MemoryUsage, a20CurrentVerticalResolution=a20CurrentVerticalResolution, a31MajorErrorCount=a31MajorErrorCount, DmiComponentIndex=DmiComponentIndex, a6ProcessorFamily=a6ProcessorFamily, a35SlotNumber=a35SlotNumber, a13IrqShareable=a13IrqShareable, ePhysicalMemory=ePhysicalMemory, a23SectorSize=a23SectorSize, a29FruGroupIndex=a29FruGroupIndex, a20VideoType=a20VideoType, DmiDate=DmiDate, a27LogicalDriveType=a27LogicalDriveType, dmiMibs=dmiMibs, a40PhysicalDriveSize=a40PhysicalDriveSize, a27LogicalDrivePath=a27LogicalDrivePath, eLogicalDrives=eLogicalDrives, eMemoryMappedIo=eMemoryMappedIo, a12ConnectorType=a12ConnectorType, a26OperationalGroupIndex=a26OperationalGroupIndex, a4EndingAddress=a4EndingAddress, tOperatingSystem=tOperatingSystem, a11OperationalGroupIndex=a11OperationalGroupIndex, a35AdapterId=a35AdapterId, a23DeviceId=a23DeviceId, a8NumberOfSimmSlotsUsed=a8NumberOfSimmSlotsUsed, eFieldReplacableUnit=eFieldReplacableUnit, a27LogicalDriveName=a27LogicalDriveName, eMouse=eMouse, tSystemBios=tSystemBios, a20VideoPhysicalLocation=a20VideoPhysicalLocation, a16ThermalState=a16ThermalState, a37DeviceIndex=a37DeviceIndex, a9BaseMemorySize=a9BaseMemorySize, tRaidAdapterInformation=tRaidAdapterInformation, a31OperationalStateInstanceIndex=a31OperationalStateInstanceIndex, a12LogicalName=a12LogicalName, a10SystemCacheIndex=a10SystemCacheIndex, a14AvailabilityOfDma=a14AvailabilityOfDma, a12SerialBaseIo=a12SerialBaseIo, a35AdapterIndex=a35AdapterIndex, eCoolingDevice=eCoolingDevice, a12SerialPortCapabilities=a12SerialPortCapabilities, a27LogicalDriveSize=a27LogicalDriveSize, a11IrqUsed=a11IrqUsed, tMouse=tMouse, a37Manufacturer=a37Manufacturer, a31AvailabilityStatus=a31AvailabilityStatus, eVideo=eVideo, a5BiosCharacteristicsDescription=a5BiosCharacteristicsDescription, a13IrqDescription=a13IrqDescription, a23TotalPhysicalSize=a23TotalPhysicalSize, a27FreeLogicalDriveSize=a27FreeLogicalDriveSize, tIrq=tIrq, ibm=ibm, a8PhysicalMemoryLocation=a8PhysicalMemoryLocation, a24PartitionIndex=a24PartitionIndex, a33ResourceBase=a33ResourceBase, tKeyboard=tKeyboard, a23MediaLoaded=a23MediaLoaded, a19SlotIndex=a19SlotIndex, tNetfinityDmiInstall=tNetfinityDmiInstall, a30Description=a30Description, a13IrqTriggerType=a13IrqTriggerType, a23InterfaceDescription=a23InterfaceDescription, eSystemEnclosure=eSystemEnclosure, tGeneralInformation=tGeneralInformation, a15MemoryMappedIoEndingAddress=a15MemoryMappedIoEndingAddress, a20CurrentNumberOfColumns=a20CurrentNumberOfColumns, a6MaximumSpeed=a6MaximumSpeed, a14DmaNumber=a14DmaNumber, a4LoaderVersion=a4LoaderVersion, eSystemResources=eSystemResources, a33ResourceSize=a33ResourceSize, a31WarningErrorCount=a31WarningErrorCount, a6OperationalGroupIndex=a6OperationalGroupIndex, a1Manufacturer=a1Manufacturer, a28MousePortName=a28MousePortName, eVideoBiosCharacteristic=eVideoBiosCharacteristic, a6ProcessorUpgrade=a6ProcessorUpgrade, a33ResourceType=a33ResourceType, a8MaximumMemoryCapacity=a8MaximumMemoryCapacity, a3OperatingSystemVersion=a3OperatingSystemVersion, a22VideoBiosCharacteristics=a22VideoBiosCharacteristics, a36DeviceIndex=a36DeviceIndex, a11DmaSupport=a11DmaSupport, a20FruGroupIndex=a20FruGroupIndex, a25PartitionName=a25PartitionName, a5BiosCharacteristics=a5BiosCharacteristics, a9ExtendedMemoryManagerVersion=a9ExtendedMemoryManagerVersion, a28MouseButtons=a28MouseButtons, a21VideoBiosIndex=a21VideoBiosIndex, a20CurrentRefreshRate=a20CurrentRefreshRate, a11ParallelPortIndex=a11ParallelPortIndex, tDma=tDma, a10SystemCacheSpeed=a10SystemCacheSpeed, a23NumberOfPhysicalSectorsPerTrack=a23NumberOfPhysicalSectorsPerTrack, tProcessor=tProcessor, tSystemEnclosure=tSystemEnclosure, tVideo=tVideo, a7OperationalGroupIndex=a7OperationalGroupIndex)
mibBuilder.exportSymbols('PCSYSTEMSMIF-MIB', a3OperatingSystemBootDeviceStorageType=a3OperatingSystemBootDeviceStorageType, a20VideoMemoryType=a20VideoMemoryType, a10FruGroupIndex=a10FruGroupIndex, a9FreeBaseMemorySize=a9FreeBaseMemorySize, a8NumberOfSimmSlots=a8NumberOfSimmSlots, a12IrqUsed=a12IrqUsed, a9ExpandedMemoryPageFrameSize=a9ExpandedMemoryPageFrameSize, a27LogicalDriveIndex=a27LogicalDriveIndex, eRaidPhysicalDriveInformation=eRaidPhysicalDriveInformation, a6Type=a6Type, a28MouseIrq=a28MouseIrq, a35PosData=a35PosData, a10SystemCacheSize=a10SystemCacheSize, tSystemCache=tSystemCache, a11ParallelPortCapabilities=a11ParallelPortCapabilities, a34ProductName=a34ProductName, a26DiskControllerIndex=a26DiskControllerIndex, a19CurrentUsage=a19CurrentUsage, a20ScanMode=a20ScanMode, a2SystemBootUpTime=a2SystemBootUpTime, a25FreeSpace=a25FreeSpace, a8OperationalGroupIndex=a8OperationalGroupIndex, a20OperationalGroupIndex=a20OperationalGroupIndex, a23RemovableMedia=a23RemovableMedia, a29KeyboardConnectorType=a29KeyboardConnectorType, eIrq=eIrq, a31DeviceGroupIndex=a31DeviceGroupIndex, a30FruIndex=a30FruIndex, dmtfGroups1=dmtfGroups1, a2SystemPrimaryUserPhone=a2SystemPrimaryUserPhone, a29KeyboardType=a29KeyboardType, a8PhysicalMemoryIndex=a8PhysicalMemoryIndex, a3OperatingSystemName=a3OperatingSystemName, netFinity=netFinity, a25Compressed=a25Compressed, a25PartitionIndex=a25PartitionIndex, tPciDeviceInformation=tPciDeviceInformation, tEisaDeviceInformation=tEisaDeviceInformation, a18FruGroupIndex=a18FruGroupIndex, a23NumberOfPhysicalCylinders=a23NumberOfPhysicalCylinders, a9ExpandedMemoryManagerVersion=a9ExpandedMemoryManagerVersion, a35AdapterName=a35AdapterName, a36VendorId=a36VendorId, a17PowerSupplyIndex=a17PowerSupplyIndex, tComponentid1=tComponentid1, a20MaximumRefreshRate=a20MaximumRefreshRate, a7FruGroupIndex=a7FruGroupIndex, a9FreeExpandedMemorySize=a9FreeExpandedMemorySize, eDiskController=eDiskController, a38NumberOfDefunctPhysicalDrives=a38NumberOfDefunctPhysicalDrives, a4StartingAddress=a4StartingAddress, a3PrimaryOperatingSystem=a3PrimaryOperatingSystem, a10SystemCacheErrorCorrection=a10SystemCacheErrorCorrection, eGeneralInformation=eGeneralInformation, eSystemSlots=eSystemSlots, a22VideoBiosCharacteristicsDescription=a22VideoBiosCharacteristicsDescription, a13AvailabilityOfIrq=a13AvailabilityOfIrq, tDiskMappingTable=tDiskMappingTable, a4Version=a4Version, a21VideoBiosShadowingState=a21VideoBiosShadowingState, a11ConnectorPinout=a11ConnectorPinout, a10OperationalGroupIndex=a10OperationalGroupIndex, a25PartitionLabel=a25PartitionLabel, tDiskDrives=tDiskDrives, eParallelPorts=eParallelPorts, tSystemSlots=tSystemSlots, a3OperatingSystemIndex=a3OperatingSystemIndex, DmiInteger=DmiInteger, a20VideoIndex=a20VideoIndex, a26FruGroupIndex=a26FruGroupIndex, a19SlotType=a19SlotType, a19SlotWidth=a19SlotWidth, ePciDeviceInformation=ePciDeviceInformation, DmiDisplaystring=DmiDisplaystring, a20CurrentNumberOfBitsPerPixel=a20CurrentNumberOfBitsPerPixel, a28FruGroupIndex=a28FruGroupIndex, a23StorageType=a23StorageType, a20CurrentVideoMode=a20CurrentVideoMode, a18OperationalGroupIndex=a18OperationalGroupIndex, a10SystemCacheWritePolicy=a10SystemCacheWritePolicy, tParallelPorts=tParallelPorts, tDiskController=tDiskController, a40TargetNumber=a40TargetNumber, a38NumberOfLogicalVolumes=a38NumberOfLogicalVolumes, tSystemResourcesDescription=tSystemResourcesDescription, a5BiosCharacteristicsIndex=a5BiosCharacteristicsIndex, a39RaidAdapterIndex=a39RaidAdapterIndex, a17FruGroupIndex=a17FruGroupIndex, a16BootUpState=a16BootUpState, eLogicalMemory=eLogicalMemory, a23FruGroupIndex=a23FruGroupIndex, a12SerialPortIndex=a12SerialPortIndex, a4BiosIndex=a4BiosIndex, a19SlotDescription=a19SlotDescription, a28MouseDriverName=a28MouseDriverName, a33ResourceInstance=a33ResourceInstance, a16EnclosureOrChassis=a16EnclosureOrChassis, a16OperationalGroupIndex=a16OperationalGroupIndex, tSystemBiosCharacteristic=tSystemBiosCharacteristic, a7NumberOfExpansionSlots=a7NumberOfExpansionSlots, a4BiosRomSize=a4BiosRomSize) |
# output: ok
count = 0
total = 0
last = 0
for i in (1, 2, 3):
count += 1
total += i
last = i
assert count == 3
assert total == 6
assert last == 3
count = 0
total = 0
last = 0
i = 1
while i <= 3:
count += 1
total += i
last = i
i += 1
assert count == 3
assert total == 6
assert last == 3
count = 0
total = 0
last = 0
for i in (1, 2, 3):
count += 1
total += i
last = i
if i == 2:
break
assert count == 2
assert total == 3
assert last == 2
count = 0
total = 0
last = 0
i = 1
while i <= 3:
count += 1
total += i
last = i
if i == 2:
break
i += 1
assert count == 2
assert total == 3
assert last == 2
count = 0
total = 0
last = 0
for i in (1, 2, 3):
if i == 2:
continue
count += 1
total += i
last = i
assert count == 2
assert total == 4
assert last == 3
count = 0
total = 0
last = 0
i = 1
while i <= 3:
if i == 2:
i += 1
continue
count += 1
total += i
last = i
i += 1
assert count == 2
assert total == 4
assert last == 3
f = 0
for i in (1, 2, 3):
try:
if i == 2:
break
finally:
f = i
assert f == 2
f = 0
for i in (1, 2, 3):
try:
try:
try:
if i == 1:
break
finally:
f += 1
except Exception:
pass
finally:
f += 1
assert f == 2
f = 0
for i in (1, 2, 3):
try:
if i == 2:
continue
finally:
f += 1
assert f == 3
# else clause
didElse = False
for i in []:
pass
else:
didElse = True
assert(didElse)
didElse = False
for i in (1, 2, 3):
pass
else:
didElse = True
assert(didElse)
didElse = False
for i in (1, 2, 3):
if i == 3:
continue
else:
didElse = True
assert(didElse)
didElse = False
for i in (1, 2, 3):
if i == 3:
break
else:
didElse = True
assert(not didElse)
class OwnSequence:
def __init__(self, wrapped):
self.wrapped = wrapped
def __getitem__(self, index):
return self.wrapped[index]
count = 0
total = 0
last = 0
for i in OwnSequence([1, 2, 3]):
count += 1
total += i
last = i
assert count == 3
assert total == 6
assert last == 3
print('ok')
| count = 0
total = 0
last = 0
for i in (1, 2, 3):
count += 1
total += i
last = i
assert count == 3
assert total == 6
assert last == 3
count = 0
total = 0
last = 0
i = 1
while i <= 3:
count += 1
total += i
last = i
i += 1
assert count == 3
assert total == 6
assert last == 3
count = 0
total = 0
last = 0
for i in (1, 2, 3):
count += 1
total += i
last = i
if i == 2:
break
assert count == 2
assert total == 3
assert last == 2
count = 0
total = 0
last = 0
i = 1
while i <= 3:
count += 1
total += i
last = i
if i == 2:
break
i += 1
assert count == 2
assert total == 3
assert last == 2
count = 0
total = 0
last = 0
for i in (1, 2, 3):
if i == 2:
continue
count += 1
total += i
last = i
assert count == 2
assert total == 4
assert last == 3
count = 0
total = 0
last = 0
i = 1
while i <= 3:
if i == 2:
i += 1
continue
count += 1
total += i
last = i
i += 1
assert count == 2
assert total == 4
assert last == 3
f = 0
for i in (1, 2, 3):
try:
if i == 2:
break
finally:
f = i
assert f == 2
f = 0
for i in (1, 2, 3):
try:
try:
try:
if i == 1:
break
finally:
f += 1
except Exception:
pass
finally:
f += 1
assert f == 2
f = 0
for i in (1, 2, 3):
try:
if i == 2:
continue
finally:
f += 1
assert f == 3
did_else = False
for i in []:
pass
else:
did_else = True
assert didElse
did_else = False
for i in (1, 2, 3):
pass
else:
did_else = True
assert didElse
did_else = False
for i in (1, 2, 3):
if i == 3:
continue
else:
did_else = True
assert didElse
did_else = False
for i in (1, 2, 3):
if i == 3:
break
else:
did_else = True
assert not didElse
class Ownsequence:
def __init__(self, wrapped):
self.wrapped = wrapped
def __getitem__(self, index):
return self.wrapped[index]
count = 0
total = 0
last = 0
for i in own_sequence([1, 2, 3]):
count += 1
total += i
last = i
assert count == 3
assert total == 6
assert last == 3
print('ok') |
ix.enable_command_history()
ix.api.SdkHelpers.create_shading_layer_for_items_selected(ix.application, 3)
ix.disable_command_history() | ix.enable_command_history()
ix.api.SdkHelpers.create_shading_layer_for_items_selected(ix.application, 3)
ix.disable_command_history() |
# If we list all the natural numbers below 10 that are multiples
# of 3 or 5, we get 3, 5, 6 and 9. The sum of these multiples is 23.
#
# Find the sum of all the multiples of 3 or 5 below 1000.
if __name__ == "__main__":
numbers = [ n for n in range(1,1000) if n % 3 == 0 or n % 5 == 0 ]
print(sum(numbers))
| if __name__ == '__main__':
numbers = [n for n in range(1, 1000) if n % 3 == 0 or n % 5 == 0]
print(sum(numbers)) |
class Solver:
def __init__(self, cells):
self.cells = cells
def determine_cell_possibilities(self):
for cell in self.cells:
candidates = list(range(1, 10))
for association in cell.get_unique_associations():
if association.number is not None:
if association.number in candidates:
candidates.remove(association.number)
cell.possibilities = candidates
def assign_cells_having_single_possibility(self):
for cell in self.cells:
if len(cell.possibilities) == 1:
cell.number = cell.possibilities[0]
def get_empty_cell_count(self):
empty = 0
for cell in self.cells:
if cell.number is None:
empty += 1
return empty
def solution_alpha(self):
while True:
prelim_empty_cells = self.get_empty_cell_count()
self.determine_cell_possibilities()
self.assign_cells_having_single_possibility()
has_changed = prelim_empty_cells > self.get_empty_cell_count()
if not has_changed or self.get_empty_cell_count() == 0:
break
# def determine_single_option_in_row_for_number(self):
# for row_seed in range(0, 9): # Loop through each row
# for num in range(1, 10): # Loop through each number 1-9
# options = []
# for row_iterator in range(row_seed * 9, row_seed * 9 + 8): # Loop through each cell in the row testing for the number
# if num in self.cells[row_iterator].possibilities:
# options.append(self.cells[row_iterator])
# if len(options) == 1:
# options[0].number = num
# def solution_beta(self):
# self.determine_cell_possibilities()
# self.determine_single_option_in_row_for_number()
def solve(self):
self.solution_alpha()
# if self.get_empty_cell_count() > 0:
# self.solution_beta()
| class Solver:
def __init__(self, cells):
self.cells = cells
def determine_cell_possibilities(self):
for cell in self.cells:
candidates = list(range(1, 10))
for association in cell.get_unique_associations():
if association.number is not None:
if association.number in candidates:
candidates.remove(association.number)
cell.possibilities = candidates
def assign_cells_having_single_possibility(self):
for cell in self.cells:
if len(cell.possibilities) == 1:
cell.number = cell.possibilities[0]
def get_empty_cell_count(self):
empty = 0
for cell in self.cells:
if cell.number is None:
empty += 1
return empty
def solution_alpha(self):
while True:
prelim_empty_cells = self.get_empty_cell_count()
self.determine_cell_possibilities()
self.assign_cells_having_single_possibility()
has_changed = prelim_empty_cells > self.get_empty_cell_count()
if not has_changed or self.get_empty_cell_count() == 0:
break
def solve(self):
self.solution_alpha() |
n = int(input())
arr = []
i = list(map(int, input().split()))
arr = list(range(i[0], i[1]+1))
for each in range(n - 1):
i = list(map(int, input().split()))
for c,every in enumerate(arr):
if every < i[0]:
arr[c] = -1
elif every > i[1]:
arr[c] = -1
if sum(arr) == (-1*len(arr)):
print("edward is right")
else:
print("gunilla has a point")
| n = int(input())
arr = []
i = list(map(int, input().split()))
arr = list(range(i[0], i[1] + 1))
for each in range(n - 1):
i = list(map(int, input().split()))
for (c, every) in enumerate(arr):
if every < i[0]:
arr[c] = -1
elif every > i[1]:
arr[c] = -1
if sum(arr) == -1 * len(arr):
print('edward is right')
else:
print('gunilla has a point') |
# __author__ = 'tusharmakkar08'
class Wallet:
def __init__(self):
self.amount = 0 # TODO: get init amount on the basis of user name from db
def load_money(self, amount):
self.amount += amount
def deduct_money(self, amount):
self.amount -= amount
def get_money(self):
return self.amount
| class Wallet:
def __init__(self):
self.amount = 0
def load_money(self, amount):
self.amount += amount
def deduct_money(self, amount):
self.amount -= amount
def get_money(self):
return self.amount |
r_TPC = 0.664
r_FSWires = 0.668
r_FSGuards = 0.680
path_main = '/dali/lgrandi/peres/efieldsim/'
path_cache = path_main + 'cache/'
path_root_files = path_main + '/solved_outputs/EField_SR0/' | r_tpc = 0.664
r_fs_wires = 0.668
r_fs_guards = 0.68
path_main = '/dali/lgrandi/peres/efieldsim/'
path_cache = path_main + 'cache/'
path_root_files = path_main + '/solved_outputs/EField_SR0/' |
# The following is used as a global constant to represent
# the contribution rate.
CONTRIBUTION_RATE = 0.05
def main():
gross_pay = float(input('Enter the gross pay: '))
bonus = float(input('Enter the amount of bonuses: '))
show_pay_contrib(gross_pay)
show_bonus_contrib(bonus)
# The show_pay_contrib function accepts the gross
# pay as an argument and displays the retirement
# contribution for that amount of pay.
def show_pay_contrib(gross):
contrib = gross * CONTRIBUTION_RATE
print('Contribution for gross pay: $', \
format(contrib, ',.2f'), \
sep='')
# The show_bonus_contrib function accepts the
# bonus amount as an argument and displays the
# retirement contribution for that amount of pay.
def show_bonus_contrib(bonus):
contrib = bonus * CONTRIBUTION_RATE
print('Contribution for bonuses: $', \
format(contrib, ',.2f'), \
sep='')
# Call the main function.
main()
| contribution_rate = 0.05
def main():
gross_pay = float(input('Enter the gross pay: '))
bonus = float(input('Enter the amount of bonuses: '))
show_pay_contrib(gross_pay)
show_bonus_contrib(bonus)
def show_pay_contrib(gross):
contrib = gross * CONTRIBUTION_RATE
print('Contribution for gross pay: $', format(contrib, ',.2f'), sep='')
def show_bonus_contrib(bonus):
contrib = bonus * CONTRIBUTION_RATE
print('Contribution for bonuses: $', format(contrib, ',.2f'), sep='')
main() |
def test_create_stat_table():
pass
def test_get_latest_successful_ts():
pass
def test_update_latest_successful_ts():
pass
| def test_create_stat_table():
pass
def test_get_latest_successful_ts():
pass
def test_update_latest_successful_ts():
pass |
books = int(input("How many books do you want to buy? "))
amount = int(input("How much do you have? "))
amount_required = 100
if books == amount_required > amount:
print("you can purchase the books")
else:
print("You donot have sufficient funds to buy the books")
print(f"You will need {amount} to buy the book.") | books = int(input('How many books do you want to buy? '))
amount = int(input('How much do you have? '))
amount_required = 100
if books == amount_required > amount:
print('you can purchase the books')
else:
print('You donot have sufficient funds to buy the books')
print(f'You will need {amount} to buy the book.') |
class i18n(object):
def __init__(self):
# Default domain
self._domain = 'idn'
def domain(self, country):
self._domain = country
def translate(self, domain):
dic = {}
dic['idn'] = {
# Month
'Januari': 'January',
'Februari': 'February',
'Maret': 'March',
'April': 'April',
'Mei': 'May',
'Juni': 'June',
'Juli': 'July',
'Agustus': 'August',
'September': 'September',
'Oktober': 'October',
'November': 'November',
'Desember': 'December',
# Month abbrevation
'Jan': 'Jan',
'Feb': 'Feb',
'Mar': 'Mar',
'Apr': 'Apr',
'Mei': 'May',
'Jun': 'Jun',
'Jul': 'Jul',
'Agt': 'Aug',
'Sep': 'Sep',
'Okt': 'Oct',
'Nov': 'Nov',
'Des': 'Dec',
}
return dic[domain] if domain in dic else {}
def __call__(self, string):
t = self.translate(self._domain)
if string in t:
return t[string]
return string
| class I18N(object):
def __init__(self):
self._domain = 'idn'
def domain(self, country):
self._domain = country
def translate(self, domain):
dic = {}
dic['idn'] = {'Januari': 'January', 'Februari': 'February', 'Maret': 'March', 'April': 'April', 'Mei': 'May', 'Juni': 'June', 'Juli': 'July', 'Agustus': 'August', 'September': 'September', 'Oktober': 'October', 'November': 'November', 'Desember': 'December', 'Jan': 'Jan', 'Feb': 'Feb', 'Mar': 'Mar', 'Apr': 'Apr', 'Mei': 'May', 'Jun': 'Jun', 'Jul': 'Jul', 'Agt': 'Aug', 'Sep': 'Sep', 'Okt': 'Oct', 'Nov': 'Nov', 'Des': 'Dec'}
return dic[domain] if domain in dic else {}
def __call__(self, string):
t = self.translate(self._domain)
if string in t:
return t[string]
return string |
#
# @lc app=leetcode.cn id=1700 lang=python3
#
# [1700] minimum-deletion-cost-to-avoid-repeating-letters
#
None
# @lc code=end | None |
#
# Code property of Jared Scarito
#
testCases = int(input())
outCases = []
for i in range(testCases):
weights = []
dataSet = str(input())
case = dataSet.split(" ")[0]
maxWeight = int(dataSet.split(" ")[1])
for weightIndex in range(len(dataSet.split(" "))):
if int(weightIndex) > 1:
weight = dataSet.split(" ")[int(weightIndex)]
weights.append(int(weight))
outCases.append("NO")
sum = 0
#sorted(weights, key=int) # Don't think it actually needs to be sorted...
for weight in weights:
sum += weight
if sum > maxWeight:
sum -= weight
if sum == maxWeight:
outCases[i] = "YES"
break
else:
outCases[i] = "NO"
for caseNum in range(len(outCases)):
print(str(caseNum + 1), str(outCases[caseNum]))
| test_cases = int(input())
out_cases = []
for i in range(testCases):
weights = []
data_set = str(input())
case = dataSet.split(' ')[0]
max_weight = int(dataSet.split(' ')[1])
for weight_index in range(len(dataSet.split(' '))):
if int(weightIndex) > 1:
weight = dataSet.split(' ')[int(weightIndex)]
weights.append(int(weight))
outCases.append('NO')
sum = 0
for weight in weights:
sum += weight
if sum > maxWeight:
sum -= weight
if sum == maxWeight:
outCases[i] = 'YES'
break
else:
outCases[i] = 'NO'
for case_num in range(len(outCases)):
print(str(caseNum + 1), str(outCases[caseNum])) |
SMS_setting = {
'secretId':'',
'secretKey':'',
'req_Appid':'',
'req_Sign':'',
'req_SessionContext':'',
'req_NumberSet':[],
'req_TemplateID':'',
'req_TemplateParmSet':[],
}
| sms_setting = {'secretId': '', 'secretKey': '', 'req_Appid': '', 'req_Sign': '', 'req_SessionContext': '', 'req_NumberSet': [], 'req_TemplateID': '', 'req_TemplateParmSet': []} |
LEFT = 0
UP = 1
RIGHT = 2
DOWN = 3
vectors = [(-1, 0), (0, 1), (1, 0), (0, -1)]
class Laser:
def __init__(self, board, x, y):
self.board = board
class Board:
def __init__(self, size):
self.size = size
self.real = [[False for _ in range(size)] for _ in range(size)]
def set_mirror(self, x, y):
self.real[x][y] = True
def has_mirror(self, x, y):
return x >= 0 and x < self.size and y >= 0 and y < self.size and self.real[x][y]
def debug(self):
for y, row in self.real[-1::-1]:
print(" ".join(["()" if v else "__" for v in row]))
| left = 0
up = 1
right = 2
down = 3
vectors = [(-1, 0), (0, 1), (1, 0), (0, -1)]
class Laser:
def __init__(self, board, x, y):
self.board = board
class Board:
def __init__(self, size):
self.size = size
self.real = [[False for _ in range(size)] for _ in range(size)]
def set_mirror(self, x, y):
self.real[x][y] = True
def has_mirror(self, x, y):
return x >= 0 and x < self.size and (y >= 0) and (y < self.size) and self.real[x][y]
def debug(self):
for (y, row) in self.real[-1::-1]:
print(' '.join(['()' if v else '__' for v in row])) |
#!/usr/bin/env python3
# Based on the code in
# https://www.cs.princeton.edu/courses/archive/spr09/cos333/beautiful.html
# by Rob Pike.
def match(regexp, text):
if regexp and regexp[0] == '^':
return match_here(regexp[1:], text)
while text:
print('\nmatch({!r}, {!r})'.format(regexp, text))
if match_here(regexp, text):
return True
text = text[1:]
return False
def match_here(regexp, text):
print('match_here({!r}, {!r})'.format(regexp, text))
if not regexp:
return True
if len(regexp) > 1 and regexp[1] == '*':
return match_star(regexp[0], regexp[2:], text)
if len(regexp) == 1 and regexp[0] == '$':
return len(text) == 0
if text and regexp and (regexp[0] in ['.', text[0]]):
return match_here(regexp[1:], text[1:]) # consuming memory
return False
def match_star(c, regexp, text):
while True:
print('match_star({!r}, {!r}, {!r})'.format(c, regexp, text))
if match_here(regexp, text):
return True
if c not in ['.', text[0]]:
break
text = text[1:] # consuming memory
return False
| def match(regexp, text):
if regexp and regexp[0] == '^':
return match_here(regexp[1:], text)
while text:
print('\nmatch({!r}, {!r})'.format(regexp, text))
if match_here(regexp, text):
return True
text = text[1:]
return False
def match_here(regexp, text):
print('match_here({!r}, {!r})'.format(regexp, text))
if not regexp:
return True
if len(regexp) > 1 and regexp[1] == '*':
return match_star(regexp[0], regexp[2:], text)
if len(regexp) == 1 and regexp[0] == '$':
return len(text) == 0
if text and regexp and (regexp[0] in ['.', text[0]]):
return match_here(regexp[1:], text[1:])
return False
def match_star(c, regexp, text):
while True:
print('match_star({!r}, {!r}, {!r})'.format(c, regexp, text))
if match_here(regexp, text):
return True
if c not in ['.', text[0]]:
break
text = text[1:]
return False |
expected_output = {
'socket_connections': {
'total_socket_connections': 4,
'sockets_in_listen_state': ['Tunnel1-head-0', 'Tunnel2-head-0', 'Tunnel3-head-0', 'Tunnel20-head-0'],
'Tu1': {
'peers': {
'remote_ip': '10.0.0.2',
'local_ip': '85.45.1.1'
},
'local_ident': {
'protocol': 47,
'mask': '255.255.255.255',
'port': 0,
'address': '85.45.1.1'
},
'remote_ident': {
'protocol': 47,
'mask': '255.255.255.255',
'port': 0,
'address': '10.0.0.2'
},
'socket_state': 'Open',
'ipsec_profile': 'star',
'client_state': 'Active',
'client_name': 'TUNNEL SEC'
},
'Tu2': {
'peers': {
'remote_ip': '10.0.0.2',
'local_ip': '85.45.2.1'
},
'local_ident': {
'protocol': 47,
'mask': '255.255.255.255',
'port': 0,
'address': '85.45.2.1'
},
'remote_ident': {
'protocol': 47,
'mask': '255.255.255.255',
'port': 0,
'address': '10.0.0.2'
},
'socket_state': 'Open',
'ipsec_profile': 'star',
'client_state': 'Active',
'client_name': 'TUNNEL SEC'
},
'Tu3': {
'peers': {
'remote_ip': '10.0.0.2',
'local_ip': '85.45.3.1'
},
'local_ident': {
'protocol': 47,
'mask': '255.255.255.255',
'port': 0,
'address': '85.45.3.1'
},
'remote_ident': {
'protocol': 47,
'mask': '255.255.255.255',
'port': 0,
'address': '10.0.0.2'
},
'socket_state': 'Open',
'ipsec_profile': 'star',
'client_state': 'Active',
'client_name': 'TUNNEL SEC',
'true_ident': ['0.0.0.0/0.0.0.0/0/0 -> 0.0.0.0/0.0.0.0/0/0', '::/0/0/0 -> ::/0/0/0']
},
'Tu20': {
'peers': {
'remote_ip': '22.1.1.1',
'local_ip': '21.1.1.1'
},
'local_ident': {
'protocol': 0,
'mask': '0.0.0.0',
'port': 0,
'address': '0.0.0.0'
},
'remote_ident': {
'protocol': 0,
'mask': '0.0.0.0',
'port': 0,
'address': '0.0.0.0'
},
'socket_state': 'Open',
'ipsec_profile': 'IPSEC_PROFILE',
'client_state': 'Active',
'client_name': 'TUNNEL SEC',
'true_ident': ['172.18.1.0/255.255.255.0/0/0 -> 10.4.0.0/255.255.255.0/0/0',
'172.17.1.0/255.255.255.0/0/0 -> 10.4.0.0/255.255.255.0/0/0',
'172.17.1.0/255.255.255.0/0/0 -> 10.1.0.0/255.255.255.0/0/0',
'172.16.1.0/255.255.255.0/0/0 -> 10.1.0.0/255.255.255.0/0/0',
'6664:3038:6162:6364::/64/0/0 -> 6664:3038:6665:6564::/64/0/0']
}
}
} | expected_output = {'socket_connections': {'total_socket_connections': 4, 'sockets_in_listen_state': ['Tunnel1-head-0', 'Tunnel2-head-0', 'Tunnel3-head-0', 'Tunnel20-head-0'], 'Tu1': {'peers': {'remote_ip': '10.0.0.2', 'local_ip': '85.45.1.1'}, 'local_ident': {'protocol': 47, 'mask': '255.255.255.255', 'port': 0, 'address': '85.45.1.1'}, 'remote_ident': {'protocol': 47, 'mask': '255.255.255.255', 'port': 0, 'address': '10.0.0.2'}, 'socket_state': 'Open', 'ipsec_profile': 'star', 'client_state': 'Active', 'client_name': 'TUNNEL SEC'}, 'Tu2': {'peers': {'remote_ip': '10.0.0.2', 'local_ip': '85.45.2.1'}, 'local_ident': {'protocol': 47, 'mask': '255.255.255.255', 'port': 0, 'address': '85.45.2.1'}, 'remote_ident': {'protocol': 47, 'mask': '255.255.255.255', 'port': 0, 'address': '10.0.0.2'}, 'socket_state': 'Open', 'ipsec_profile': 'star', 'client_state': 'Active', 'client_name': 'TUNNEL SEC'}, 'Tu3': {'peers': {'remote_ip': '10.0.0.2', 'local_ip': '85.45.3.1'}, 'local_ident': {'protocol': 47, 'mask': '255.255.255.255', 'port': 0, 'address': '85.45.3.1'}, 'remote_ident': {'protocol': 47, 'mask': '255.255.255.255', 'port': 0, 'address': '10.0.0.2'}, 'socket_state': 'Open', 'ipsec_profile': 'star', 'client_state': 'Active', 'client_name': 'TUNNEL SEC', 'true_ident': ['0.0.0.0/0.0.0.0/0/0 -> 0.0.0.0/0.0.0.0/0/0', '::/0/0/0 -> ::/0/0/0']}, 'Tu20': {'peers': {'remote_ip': '22.1.1.1', 'local_ip': '21.1.1.1'}, 'local_ident': {'protocol': 0, 'mask': '0.0.0.0', 'port': 0, 'address': '0.0.0.0'}, 'remote_ident': {'protocol': 0, 'mask': '0.0.0.0', 'port': 0, 'address': '0.0.0.0'}, 'socket_state': 'Open', 'ipsec_profile': 'IPSEC_PROFILE', 'client_state': 'Active', 'client_name': 'TUNNEL SEC', 'true_ident': ['172.18.1.0/255.255.255.0/0/0 -> 10.4.0.0/255.255.255.0/0/0', '172.17.1.0/255.255.255.0/0/0 -> 10.4.0.0/255.255.255.0/0/0', '172.17.1.0/255.255.255.0/0/0 -> 10.1.0.0/255.255.255.0/0/0', '172.16.1.0/255.255.255.0/0/0 -> 10.1.0.0/255.255.255.0/0/0', '6664:3038:6162:6364::/64/0/0 -> 6664:3038:6665:6564::/64/0/0']}}} |
def list_function(x):
return x
n = [3, 5, 7]
print(list_function(n))
| def list_function(x):
return x
n = [3, 5, 7]
print(list_function(n)) |
t = int(input())
for i in range(t):
n = int(input())
m = n-1
arr = []
# print(arr)
uparr = list(range(1,n)) + list(range(n-1,0,-1))
down = 2
up = 0
# print(uparr)
start = 1
for j in range(n):
if j>0:
start += down
down += 1
temp = []
temp2 = start
for k in range(n):
if k==0:
temp.append(temp2)
else:
temp2 += uparr[j+k-1]
temp.append(temp2)
arr.append(temp)
# print(arr)
for j in arr:
for k in range(len(j)):
if k!=(len(j)-1):
print(j[k],end=' ')
else:
print(j[k]) | t = int(input())
for i in range(t):
n = int(input())
m = n - 1
arr = []
uparr = list(range(1, n)) + list(range(n - 1, 0, -1))
down = 2
up = 0
start = 1
for j in range(n):
if j > 0:
start += down
down += 1
temp = []
temp2 = start
for k in range(n):
if k == 0:
temp.append(temp2)
else:
temp2 += uparr[j + k - 1]
temp.append(temp2)
arr.append(temp)
for j in arr:
for k in range(len(j)):
if k != len(j) - 1:
print(j[k], end=' ')
else:
print(j[k]) |
def sum(a , b):
return a + b
def getAllData():
listOfCategory = [
{
'id': 1,
'cat_name': 'Cell phone',
'products': [
{
'product_id': 1,
'product_name': 'iPhone 12 Pro Max'
},
{
'product_id': 2,
'product_name': 'iPhone 11 Pro'
},
{
'product_id': 3,
'product_name': 'iPhone XS'
}
]
},
{
'id': 2,
'cate_name': 'Tablet'
}
]
return listOfCategory | def sum(a, b):
return a + b
def get_all_data():
list_of_category = [{'id': 1, 'cat_name': 'Cell phone', 'products': [{'product_id': 1, 'product_name': 'iPhone 12 Pro Max'}, {'product_id': 2, 'product_name': 'iPhone 11 Pro'}, {'product_id': 3, 'product_name': 'iPhone XS'}]}, {'id': 2, 'cate_name': 'Tablet'}]
return listOfCategory |
class MULT18X18():
def __init__(self, clk=True, site=None, **kwargs):
self.inst = inst("MULT18X18SIO", site, **kwargs)
self.setcfgs({
"AREG": "0",
"BREG": "0",
"B_INPUT": "DIRECT",
"CEAINV": "CEA",
"CEBINV": "CEB",
"CEPINV": "CEP",
"CLKINV": "CLK",
"PREG": "0",
"PREG_CLKINVERSION": "0",
"RSTAINV": "RSTA",
"RSTBINV": "RSTB",
"RSTPINV": "RSTP"
})
if clk is not None:
if clk is True:
clk = clock()
wire(clk, self.inst.CLK)
A, B = [], []
for i in xrange(18):
A += [self.inst.getpin("A%d" % i)]
B += [self.inst.getpin("B%d" % i)]
self.I = [[A], [B]]
self.O = []
for i in xrange(36):
self.O += [self.inst.getpin("P%d" % i)]
| class Mult18X18:
def __init__(self, clk=True, site=None, **kwargs):
self.inst = inst('MULT18X18SIO', site, **kwargs)
self.setcfgs({'AREG': '0', 'BREG': '0', 'B_INPUT': 'DIRECT', 'CEAINV': 'CEA', 'CEBINV': 'CEB', 'CEPINV': 'CEP', 'CLKINV': 'CLK', 'PREG': '0', 'PREG_CLKINVERSION': '0', 'RSTAINV': 'RSTA', 'RSTBINV': 'RSTB', 'RSTPINV': 'RSTP'})
if clk is not None:
if clk is True:
clk = clock()
wire(clk, self.inst.CLK)
(a, b) = ([], [])
for i in xrange(18):
a += [self.inst.getpin('A%d' % i)]
b += [self.inst.getpin('B%d' % i)]
self.I = [[A], [B]]
self.O = []
for i in xrange(36):
self.O += [self.inst.getpin('P%d' % i)] |
# NBA Game Predictor
# File: baseline.py
# Authors: Tarmily Wen & Andrew Petrosky
#
# A baseline predictor based purely of winning percentage
def model(train_x, train_y, test_x, test_y):
# Train test
print("Testing on training data...")
correct = 0.0
total = 0.0
for i in range(len(train_x)):
t = 0 if train_x[i][-2] < train_x[i][-1] else 1
if t == train_y[i]:
correct += 1.0
total += 1.0
acc = correct / total
print("Training Accuracy = " + str(acc))
print("Testing on test data...")
correct = 0.0
total = 0.0
for i in range(len(test_x)):
t = 0 if test_x[i][-2] < test_x[i][-1] else 1
if t == test_y[i]:
correct += 1.0
total += 1.0
acc = correct / total
print("Testing Accuracy = " + str(acc))
| def model(train_x, train_y, test_x, test_y):
print('Testing on training data...')
correct = 0.0
total = 0.0
for i in range(len(train_x)):
t = 0 if train_x[i][-2] < train_x[i][-1] else 1
if t == train_y[i]:
correct += 1.0
total += 1.0
acc = correct / total
print('Training Accuracy = ' + str(acc))
print('Testing on test data...')
correct = 0.0
total = 0.0
for i in range(len(test_x)):
t = 0 if test_x[i][-2] < test_x[i][-1] else 1
if t == test_y[i]:
correct += 1.0
total += 1.0
acc = correct / total
print('Testing Accuracy = ' + str(acc)) |
def name_file(fmt, nbr, start):
if not isinstance(nbr, int) or not isinstance(start, int) or nbr <= 0:
return []
filename = fmt.replace('<index_no>', '{0}').format
return [filename(a) for a in xrange(start, start + nbr)]
| def name_file(fmt, nbr, start):
if not isinstance(nbr, int) or not isinstance(start, int) or nbr <= 0:
return []
filename = fmt.replace('<index_no>', '{0}').format
return [filename(a) for a in xrange(start, start + nbr)] |
SHARD_COUNT = 2**10 # 1024
EPOCH_LENGTH = 2**6 # 64 slots, 6.4 minutes
TARGET_COMMITTEE_SIZE = 2**8 # 256 validators
| shard_count = 2 ** 10
epoch_length = 2 ** 6
target_committee_size = 2 ** 8 |
class Stack:
'''Visual FX Stack'''
def __init__(self, layers=[]):
self.layers = layers
def apply(self, frame):
'''Return the frame with the fx layers applied.'''
output = frame.copy()
for layer in self.layers:
if layer.active:
output = layer.apply(output)
return output
def userInput(self, key):
'''Pass the user input to the fx layers.'''
for i in range(len(self.layers)):
if key == ord(str(i + 1)):
self.layers[i].active = not self.layers[i].active
for layer in self.layers:
if layer.active:
layer.userInput(key)
def getTooltips(self):
tooltips = ["Press 'Q' to quit",
"Press 'R' to record",
"Press 'I' to take a snapshot"]
for layer in self.layers:
if layer.active:
try:
for tooltip in layer.tooltips:
if tooltip not in tooltips:
tooltips.append(tooltip)
except:
continue
return tooltips
def getReadouts(self):
readouts = []
for layer in self.layers:
if layer.active:
try:
for readout in layer.readouts:
if readout not in readouts:
readouts.append(readout)
except:
continue
return readouts
def getLayerNames(self):
layerNames = []
for l in range(len(self.layers)):
if self.layers[l].active:
status = "ON"
else:
status = "OFF"
layerNames.append(
"{}-{} {}".format(l + 1, self.layers[l].type, status))
return layerNames
| class Stack:
"""Visual FX Stack"""
def __init__(self, layers=[]):
self.layers = layers
def apply(self, frame):
"""Return the frame with the fx layers applied."""
output = frame.copy()
for layer in self.layers:
if layer.active:
output = layer.apply(output)
return output
def user_input(self, key):
"""Pass the user input to the fx layers."""
for i in range(len(self.layers)):
if key == ord(str(i + 1)):
self.layers[i].active = not self.layers[i].active
for layer in self.layers:
if layer.active:
layer.userInput(key)
def get_tooltips(self):
tooltips = ["Press 'Q' to quit", "Press 'R' to record", "Press 'I' to take a snapshot"]
for layer in self.layers:
if layer.active:
try:
for tooltip in layer.tooltips:
if tooltip not in tooltips:
tooltips.append(tooltip)
except:
continue
return tooltips
def get_readouts(self):
readouts = []
for layer in self.layers:
if layer.active:
try:
for readout in layer.readouts:
if readout not in readouts:
readouts.append(readout)
except:
continue
return readouts
def get_layer_names(self):
layer_names = []
for l in range(len(self.layers)):
if self.layers[l].active:
status = 'ON'
else:
status = 'OFF'
layerNames.append('{}-{} {}'.format(l + 1, self.layers[l].type, status))
return layerNames |
class Solution:
def searchRange(self, nums: list[int], target: int) -> list[int]:
first,last = -1,-1
def search(lo,hi):
nonlocal first,last
if nums[lo]<=target<=nums[hi]:
mid = (lo+hi)//2
if nums[mid]==target:
if first==-1:
first = mid
else : first = min(first,mid)
last = max(last,mid)
if lo!=hi:
search(lo,mid-1)
search(mid+1,hi)
search(0,len(nums)-1)
return [first,last]
if __name__=="__main__":
sol = Solution()
nums = [5,7,7,8,8,10]
target = 8
print(sol.searchRange(nums,target)) | class Solution:
def search_range(self, nums: list[int], target: int) -> list[int]:
(first, last) = (-1, -1)
def search(lo, hi):
nonlocal first, last
if nums[lo] <= target <= nums[hi]:
mid = (lo + hi) // 2
if nums[mid] == target:
if first == -1:
first = mid
else:
first = min(first, mid)
last = max(last, mid)
if lo != hi:
search(lo, mid - 1)
search(mid + 1, hi)
search(0, len(nums) - 1)
return [first, last]
if __name__ == '__main__':
sol = solution()
nums = [5, 7, 7, 8, 8, 10]
target = 8
print(sol.searchRange(nums, target)) |
regions = {'jp': 'amazon.co.jp',
'uk': 'amazon.co.uk',
'de': 'amazon.de',
'eu': 'amazon.co.uk',
'us': 'amazon.com',
'na': 'amazon.com'}
| regions = {'jp': 'amazon.co.jp', 'uk': 'amazon.co.uk', 'de': 'amazon.de', 'eu': 'amazon.co.uk', 'us': 'amazon.com', 'na': 'amazon.com'} |
# coding: utf-8
n, m = [int(i) for i in input().split()]
d = {}
for i in range(m):
tmp = input().split()
d[tmp[0]] = tmp[1]
s = input().split()
for i in range(n):
if len(s[i])>len(d[s[i]]):
s[i] = d[s[i]]
print(' '.join(s))
| (n, m) = [int(i) for i in input().split()]
d = {}
for i in range(m):
tmp = input().split()
d[tmp[0]] = tmp[1]
s = input().split()
for i in range(n):
if len(s[i]) > len(d[s[i]]):
s[i] = d[s[i]]
print(' '.join(s)) |
#MergeSort.py
# 20 Oct 2017
#written by Amin dehghan
#DS & Algorithms With Python
def merge(seq,start,mid,stop):
lst=[]
i=start
j=mid
while i<mid and j<stop:
if seq[i]<seq[j]:
lst.append(seq[i])
i+=1
else:
lst.append(seq[j])
j+=1
while i<mid:
lst.append(seq[i])
i+=1
for i in range(len(lst)):
seq[start+i]=lst[i]
def mergerecursion(seq,start,stop):
if start>stop-1:
return
mid = (start+stop)//2
mergerecursion(seq,start,mid)
mergerecursion(seq,mid,stop)
merge(seq,start,mid,stop)
def mergeSort(seq):
mergerecursion(seq,0,len(seq))
| def merge(seq, start, mid, stop):
lst = []
i = start
j = mid
while i < mid and j < stop:
if seq[i] < seq[j]:
lst.append(seq[i])
i += 1
else:
lst.append(seq[j])
j += 1
while i < mid:
lst.append(seq[i])
i += 1
for i in range(len(lst)):
seq[start + i] = lst[i]
def mergerecursion(seq, start, stop):
if start > stop - 1:
return
mid = (start + stop) // 2
mergerecursion(seq, start, mid)
mergerecursion(seq, mid, stop)
merge(seq, start, mid, stop)
def merge_sort(seq):
mergerecursion(seq, 0, len(seq)) |
# A Dynamic Programming based Python Program for the Egg Dropping Puzzle
INT_MAX = 32767
# Function to get minimum number of trials needed in worst
# case with n eggs and k floors
def eggDrop(n, k):
# A 2D table where entery eggFloor[i][j] will represent minimum
# number of trials needed for i eggs and j floors.
eggFloor = [[0 for x in range(k + 1)] for x in range(n + 1)]
# We need one trial for one floor and0 trials for 0 floors
for i in range(1, n + 1):
eggFloor[i][1] = 1
eggFloor[i][0] = 0
# We always need j trials for one egg and j floors.
for j in range(1, k + 1):
eggFloor[1][j] = j
# Fill rest of the entries in table using optimal substructure
# property
for i in range(2, n + 1):
for j in range(2, k + 1):
eggFloor[i][j] = INT_MAX
for x in range(1, j + 1):
res = 1 + max(eggFloor[i - 1][x - 1], eggFloor[i][j - x])
if res < eggFloor[i][j]:
eggFloor[i][j] = res
# eggFloor[n][k] holds the result
return eggFloor[n][k]
# Python3 program to find minimum
# number of trials in worst case.
# Find sum of binomial coefficients
# xCi (where i varies from 1 to n).
# If the sum becomes more than K
def binomialCoeff(x, n, k):
sum = 0
term = 1
i = 1
while i <= n and sum < k:
term *= x - i + 1
term /= i
sum += term
i += 1
return sum
# Do binary search to find minimum
# number of trials in worst case.
def minTrials(n, k):
# Initialize low and high as
# 1st and last floors
low = 1
high = k
# Do binary search, for every
# mid, find sum of binomial
# coefficients and check if
# the sum is greater than k or not.
while low < high:
mid = int((low + high) / 2)
if binomialCoeff(mid, n, k) < k:
low = mid + 1
else:
high = mid
return int(low)
# Driver program to test to pront printDups
n = 2
k = 10
print(
"Minimum number of trials in worst case with"
+ str(n)
+ "eggs and "
+ str(k)
+ " floors is "
+ str(eggDrop(n, k))
)
# Driver Code
print(minTrials(n, k))
| int_max = 32767
def egg_drop(n, k):
egg_floor = [[0 for x in range(k + 1)] for x in range(n + 1)]
for i in range(1, n + 1):
eggFloor[i][1] = 1
eggFloor[i][0] = 0
for j in range(1, k + 1):
eggFloor[1][j] = j
for i in range(2, n + 1):
for j in range(2, k + 1):
eggFloor[i][j] = INT_MAX
for x in range(1, j + 1):
res = 1 + max(eggFloor[i - 1][x - 1], eggFloor[i][j - x])
if res < eggFloor[i][j]:
eggFloor[i][j] = res
return eggFloor[n][k]
def binomial_coeff(x, n, k):
sum = 0
term = 1
i = 1
while i <= n and sum < k:
term *= x - i + 1
term /= i
sum += term
i += 1
return sum
def min_trials(n, k):
low = 1
high = k
while low < high:
mid = int((low + high) / 2)
if binomial_coeff(mid, n, k) < k:
low = mid + 1
else:
high = mid
return int(low)
n = 2
k = 10
print('Minimum number of trials in worst case with' + str(n) + 'eggs and ' + str(k) + ' floors is ' + str(egg_drop(n, k)))
print(min_trials(n, k)) |
def my_map(transformation_function, sequence):
for elt in sequence:
yield transformation_function(elt)
powers_of_two = my_map(lambda x: x**2, range(1,11))
print(powers_of_two)
print(next(powers_of_two))
print(list(powers_of_two)) | def my_map(transformation_function, sequence):
for elt in sequence:
yield transformation_function(elt)
powers_of_two = my_map(lambda x: x ** 2, range(1, 11))
print(powers_of_two)
print(next(powers_of_two))
print(list(powers_of_two)) |
class Node:
def __init__(self, value):
self.value = value
self.next = None
def __repr__(self):
return f'{self.value}'
class Stack:
def __init__(self):
self.top = None
self.bottom = None
self.length = 0
def isEmpty(self):
return self.top == None
def push(self, value):
node = Node(value)
node.next = self.top
self.top = node
self.length += 1
def pop(self):
if self.length <= 0:
print('nothing to pop')
return
temp = self.top
self.top = self.top.next
popped = temp.value
self.length -= 1
return popped
def peek(self):
if self.length <= 0:
print('nothing to peek')
return
print(self.top.value)
return self.top.value
class Queue:
def __init__(self):
self.front = None
self.rear = None
self.length = 0
def isEmpty(self):
return self.front == None
def enqueue(self, value):
self.length += 1
new_node = Node(value)
if self.rear == None:
self.front = self.rear = new_node
return
self.rear.next = new_node
self.rear = new_node
def dequeue(self):
self.length -= 1
if self.isEmpty():
self.queue = []
print('queue is empty')
return self.queue
temp = self.front
self.front = temp.next
if self.front == None:
self.rear = None
return str(temp.value)
def peek(self):
return self.front.value
| class Node:
def __init__(self, value):
self.value = value
self.next = None
def __repr__(self):
return f'{self.value}'
class Stack:
def __init__(self):
self.top = None
self.bottom = None
self.length = 0
def is_empty(self):
return self.top == None
def push(self, value):
node = node(value)
node.next = self.top
self.top = node
self.length += 1
def pop(self):
if self.length <= 0:
print('nothing to pop')
return
temp = self.top
self.top = self.top.next
popped = temp.value
self.length -= 1
return popped
def peek(self):
if self.length <= 0:
print('nothing to peek')
return
print(self.top.value)
return self.top.value
class Queue:
def __init__(self):
self.front = None
self.rear = None
self.length = 0
def is_empty(self):
return self.front == None
def enqueue(self, value):
self.length += 1
new_node = node(value)
if self.rear == None:
self.front = self.rear = new_node
return
self.rear.next = new_node
self.rear = new_node
def dequeue(self):
self.length -= 1
if self.isEmpty():
self.queue = []
print('queue is empty')
return self.queue
temp = self.front
self.front = temp.next
if self.front == None:
self.rear = None
return str(temp.value)
def peek(self):
return self.front.value |
#
# PySNMP MIB module HPN-ICF-LswQos-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/HPN-ICF-LswQos-MIB
# Produced by pysmi-0.3.4 at Mon Apr 29 19:27:47 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
Integer, ObjectIdentifier, OctetString = mibBuilder.importSymbols("ASN1", "Integer", "ObjectIdentifier", "OctetString")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ValueSizeConstraint, ValueRangeConstraint, ConstraintsIntersection, SingleValueConstraint, ConstraintsUnion = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueSizeConstraint", "ValueRangeConstraint", "ConstraintsIntersection", "SingleValueConstraint", "ConstraintsUnion")
hpnicflswCommon, = mibBuilder.importSymbols("HPN-ICF-OID-MIB", "hpnicflswCommon")
NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance")
ObjectIdentity, Counter64, iso, IpAddress, MibScalar, MibTable, MibTableRow, MibTableColumn, MibIdentifier, ModuleIdentity, TimeTicks, Bits, Unsigned32, Integer32, Counter32, NotificationType, Gauge32 = mibBuilder.importSymbols("SNMPv2-SMI", "ObjectIdentity", "Counter64", "iso", "IpAddress", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "MibIdentifier", "ModuleIdentity", "TimeTicks", "Bits", "Unsigned32", "Integer32", "Counter32", "NotificationType", "Gauge32")
RowStatus, DisplayString, MacAddress, TextualConvention, TruthValue = mibBuilder.importSymbols("SNMPv2-TC", "RowStatus", "DisplayString", "MacAddress", "TextualConvention", "TruthValue")
hpnicfLswQosAclMib = ModuleIdentity((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16))
hpnicfLswQosAclMib.setRevisions(('2002-11-19 00:00',))
if mibBuilder.loadTexts: hpnicfLswQosAclMib.setLastUpdated('200211190000Z')
if mibBuilder.loadTexts: hpnicfLswQosAclMib.setOrganization('')
class HpnicfMirrorOrMonitorType(TextualConvention, Integer32):
status = 'current'
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2))
namedValues = NamedValues(("port", 1), ("board", 2))
hpnicfLswQosMibObject = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2))
hpnicfPriorityTrustMode = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4))).clone(namedValues=NamedValues(("default", 0), ("dscp", 1), ("ipprecedence", 2), ("cos", 3), ("localprecedence", 4)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfPriorityTrustMode.setStatus('current')
hpnicfPortMonitorBothIfIndex = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfPortMonitorBothIfIndex.setStatus('current')
hpnicfQueueTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 3), )
if mibBuilder.loadTexts: hpnicfQueueTable.setStatus('current')
hpnicfQueueEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 3, 1), ).setIndexNames((0, "HPN-ICF-LswQos-MIB", "hpnicfQueueIfIndex"))
if mibBuilder.loadTexts: hpnicfQueueEntry.setStatus('current')
hpnicfQueueIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 3, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfQueueIfIndex.setStatus('current')
hpnicfQueueScheduleMode = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 3, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=NamedValues(("sp", 1), ("wrr", 2), ("wrr-max-delay", 3), ("sc-0", 4), ("sc-1", 5), ("sc-2", 6), ("rr", 7), ("wfq", 8), ("hq-wrr", 9))).clone('sp')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfQueueScheduleMode.setStatus('current')
hpnicfQueueWeight1 = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 3, 1, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfQueueWeight1.setStatus('current')
hpnicfQueueWeight2 = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 3, 1, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfQueueWeight2.setStatus('current')
hpnicfQueueWeight3 = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 3, 1, 5), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfQueueWeight3.setStatus('current')
hpnicfQueueWeight4 = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 3, 1, 6), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfQueueWeight4.setStatus('current')
hpnicfQueueMaxDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 3, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfQueueMaxDelay.setStatus('current')
hpnicfQueueWeight5 = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 3, 1, 8), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfQueueWeight5.setStatus('current')
hpnicfQueueWeight6 = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 3, 1, 9), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfQueueWeight6.setStatus('current')
hpnicfQueueWeight7 = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 3, 1, 10), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfQueueWeight7.setStatus('current')
hpnicfQueueWeight8 = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 3, 1, 11), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfQueueWeight8.setStatus('current')
hpnicfRateLimitTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4), )
if mibBuilder.loadTexts: hpnicfRateLimitTable.setStatus('current')
hpnicfRateLimitEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1), ).setIndexNames((0, "HPN-ICF-LswQos-MIB", "hpnicfRateLimitAclIndex"), (0, "HPN-ICF-LswQos-MIB", "hpnicfRateLimitIfIndex"), (0, "HPN-ICF-LswQos-MIB", "hpnicfRateLimitVlanID"), (0, "HPN-ICF-LswQos-MIB", "hpnicfRateLimitDirection"))
if mibBuilder.loadTexts: hpnicfRateLimitEntry.setStatus('current')
hpnicfRateLimitAclIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2999))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRateLimitAclIndex.setStatus('current')
hpnicfRateLimitIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 2), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRateLimitIfIndex.setStatus('current')
hpnicfRateLimitVlanID = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4094))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRateLimitVlanID.setStatus('current')
hpnicfRateLimitDirection = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("invalid", 0), ("input", 1), ("output", 2)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRateLimitDirection.setStatus('current')
hpnicfRateLimitUserAclNum = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(5000, 5999), ValueRangeConstraint(10000, 12999), ))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRateLimitUserAclNum.setStatus('current')
hpnicfRateLimitUserAclRule = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRateLimitUserAclRule.setStatus('current')
hpnicfRateLimitIpAclNum = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(2000, 3999), ValueRangeConstraint(10000, 12999), ))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRateLimitIpAclNum.setStatus('current')
hpnicfRateLimitIpAclRule = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRateLimitIpAclRule.setStatus('current')
hpnicfRateLimitLinkAclNum = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(4000, 4999), ValueRangeConstraint(10000, 12999), ))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRateLimitLinkAclNum.setStatus('current')
hpnicfRateLimitLinkAclRule = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRateLimitLinkAclRule.setStatus('current')
hpnicfRateLimitTargetRateMbps = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 11), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRateLimitTargetRateMbps.setStatus('current')
hpnicfRateLimitTargetRateKbps = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 12), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRateLimitTargetRateKbps.setStatus('current')
hpnicfRateLimitPeakRate = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(64, 8388608), ))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRateLimitPeakRate.setStatus('current')
hpnicfRateLimitCIR = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 14), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 34120000))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRateLimitCIR.setStatus('current')
hpnicfRateLimitCBS = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 15), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1048575))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRateLimitCBS.setStatus('current')
hpnicfRateLimitEBS = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 16), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 268435455))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRateLimitEBS.setStatus('current')
hpnicfRateLimitPIR = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 17), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 34120000))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRateLimitPIR.setStatus('current')
hpnicfRateLimitConformLocalPre = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 18), Integer32().clone(1)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRateLimitConformLocalPre.setStatus('current')
hpnicfRateLimitConformActionType = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("invalid", 0), ("remark-cos", 1), ("remark-drop-priority", 2), ("remark-cos-drop-priority", 3), ("remark-policed-service", 4), ("remark-dscp", 5))).clone(1)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRateLimitConformActionType.setStatus('current')
hpnicfRateLimitExceedActionType = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4))).clone(namedValues=NamedValues(("invalid", 0), ("forward", 1), ("drop", 2), ("remarkdscp", 3), ("exceed-cos", 4))).clone(1)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRateLimitExceedActionType.setStatus('current')
hpnicfRateLimitExceedDscp = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 63), ValueRangeConstraint(255, 255), )).clone(255)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRateLimitExceedDscp.setStatus('current')
hpnicfRateLimitRuntime = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 22), TruthValue()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfRateLimitRuntime.setStatus('current')
hpnicfRateLimitRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 23), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRateLimitRowStatus.setStatus('current')
hpnicfRateLimitExceedCos = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 24), Integer32().clone(255)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRateLimitExceedCos.setStatus('current')
hpnicfRateLimitConformCos = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 25), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 7), ValueRangeConstraint(255, 255), )).clone(255)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRateLimitConformCos.setStatus('current')
hpnicfRateLimitConformDscp = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 26), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 63), ValueRangeConstraint(255, 255), )).clone(255)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRateLimitConformDscp.setStatus('current')
hpnicfRateLimitMeterStatByteCount = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 27), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfRateLimitMeterStatByteCount.setStatus('current')
hpnicfRateLimitMeterStatByteXCount = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 28), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfRateLimitMeterStatByteXCount.setStatus('current')
hpnicfRateLimitMeterStatState = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 29), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("set", 1), ("unDo", 2), ("reset", 3), ("running", 4), ("notRunning", 5)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRateLimitMeterStatState.setStatus('current')
hpnicfPriorityTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5), )
if mibBuilder.loadTexts: hpnicfPriorityTable.setStatus('current')
hpnicfPriorityEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1), ).setIndexNames((0, "HPN-ICF-LswQos-MIB", "hpnicfPriorityAclIndex"), (0, "HPN-ICF-LswQos-MIB", "hpnicfPriorityIfIndex"), (0, "HPN-ICF-LswQos-MIB", "hpnicfPriorityVlanID"), (0, "HPN-ICF-LswQos-MIB", "hpnicfPriorityDirection"))
if mibBuilder.loadTexts: hpnicfPriorityEntry.setStatus('current')
hpnicfPriorityAclIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2999))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfPriorityAclIndex.setStatus('current')
hpnicfPriorityIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 2), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfPriorityIfIndex.setStatus('current')
hpnicfPriorityVlanID = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4094))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfPriorityVlanID.setStatus('current')
hpnicfPriorityDirection = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("invalid", 0), ("input", 1), ("output", 2)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfPriorityDirection.setStatus('current')
hpnicfPriorityUserAclNum = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(5000, 5999), ValueRangeConstraint(10000, 12999), ))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfPriorityUserAclNum.setStatus('current')
hpnicfPriorityUserAclRule = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfPriorityUserAclRule.setStatus('current')
hpnicfPriorityIpAclNum = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(2000, 3999), ValueRangeConstraint(10000, 12999), ))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfPriorityIpAclNum.setStatus('current')
hpnicfPriorityIpAclRule = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfPriorityIpAclRule.setStatus('current')
hpnicfPriorityLinkAclNum = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(4000, 4999), ValueRangeConstraint(10000, 12999), ))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfPriorityLinkAclNum.setStatus('current')
hpnicfPriorityLinkAclRule = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfPriorityLinkAclRule.setStatus('current')
hpnicfPriorityDscp = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 63), ValueRangeConstraint(255, 255), )).clone(255)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfPriorityDscp.setStatus('current')
hpnicfPriorityIpPre = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 7), ValueRangeConstraint(255, 255), )).clone(255)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfPriorityIpPre.setStatus('current')
hpnicfPriorityIpPreFromCos = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 13), TruthValue().clone(2)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfPriorityIpPreFromCos.setStatus('current')
hpnicfPriorityCos = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 7), ValueRangeConstraint(255, 255), )).clone(255)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfPriorityCos.setStatus('current')
hpnicfPriorityCosFromIpPre = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 15), TruthValue().clone(2)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfPriorityCosFromIpPre.setStatus('current')
hpnicfPriorityLocalPre = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 7), ValueRangeConstraint(255, 255), )).clone(255)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfPriorityLocalPre.setStatus('current')
hpnicfPriorityPolicedServiceType = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4))).clone(namedValues=NamedValues(("invalid", 0), ("auto", 1), ("trust-dscp", 2), ("new-dscp", 3), ("untrusted", 4)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfPriorityPolicedServiceType.setStatus('current')
hpnicfPriorityPolicedServiceDscp = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 63), ValueRangeConstraint(255, 255), )).clone(255)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfPriorityPolicedServiceDscp.setStatus('current')
hpnicfPriorityPolicedServiceExp = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 7), ValueRangeConstraint(255, 255), )).clone(255)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfPriorityPolicedServiceExp.setStatus('current')
hpnicfPriorityPolicedServiceCos = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 7), ValueRangeConstraint(255, 255), )).clone(255)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfPriorityPolicedServiceCos.setStatus('current')
hpnicfPriorityPolicedServiceLoaclPre = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 7), ValueRangeConstraint(255, 255), )).clone(255)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfPriorityPolicedServiceLoaclPre.setStatus('current')
hpnicfPriorityPolicedServiceDropPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 22), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 2), ValueRangeConstraint(255, 255), )).clone(255)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfPriorityPolicedServiceDropPriority.setStatus('current')
hpnicfPriorityRuntime = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 23), TruthValue()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfPriorityRuntime.setStatus('current')
hpnicfPriorityRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 24), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfPriorityRowStatus.setStatus('current')
hpnicfRedirectTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6), )
if mibBuilder.loadTexts: hpnicfRedirectTable.setStatus('current')
hpnicfRedirectEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1), ).setIndexNames((0, "HPN-ICF-LswQos-MIB", "hpnicfRedirectAclIndex"), (0, "HPN-ICF-LswQos-MIB", "hpnicfRedirectIfIndex"), (0, "HPN-ICF-LswQos-MIB", "hpnicfRedirectVlanID"), (0, "HPN-ICF-LswQos-MIB", "hpnicfRedirectDirection"))
if mibBuilder.loadTexts: hpnicfRedirectEntry.setStatus('current')
hpnicfRedirectAclIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2999))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRedirectAclIndex.setStatus('current')
hpnicfRedirectIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 2), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRedirectIfIndex.setStatus('current')
hpnicfRedirectVlanID = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4094))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRedirectVlanID.setStatus('current')
hpnicfRedirectDirection = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("invalid", 0), ("input", 1), ("output", 2)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRedirectDirection.setStatus('current')
hpnicfRedirectUserAclNum = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(5000, 5999), ValueRangeConstraint(10000, 12999), ))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRedirectUserAclNum.setStatus('current')
hpnicfRedirectUserAclRule = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRedirectUserAclRule.setStatus('current')
hpnicfRedirectIpAclNum = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(2000, 3999), ValueRangeConstraint(10000, 12999), ))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRedirectIpAclNum.setStatus('current')
hpnicfRedirectIpAclRule = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRedirectIpAclRule.setStatus('current')
hpnicfRedirectLinkAclNum = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(4000, 4999), ValueRangeConstraint(10000, 12999), ))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRedirectLinkAclNum.setStatus('current')
hpnicfRedirectLinkAclRule = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRedirectLinkAclRule.setStatus('current')
hpnicfRedirectToCpu = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 11), TruthValue().clone(2)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRedirectToCpu.setStatus('current')
hpnicfRedirectToIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 12), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRedirectToIfIndex.setStatus('current')
hpnicfRedirectToNextHop1 = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 13), IpAddress()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRedirectToNextHop1.setStatus('current')
hpnicfRedirectToNextHop2 = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 14), IpAddress()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRedirectToNextHop2.setStatus('current')
hpnicfRedirectRuntime = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 15), TruthValue()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfRedirectRuntime.setStatus('current')
hpnicfRedirectRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 16), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRedirectRowStatus.setStatus('current')
hpnicfRedirectToSlotNo = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 17), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 16))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRedirectToSlotNo.setStatus('current')
hpnicfRedirectRemarkedDSCP = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 63), ValueRangeConstraint(255, 255), )).clone(255)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRedirectRemarkedDSCP.setStatus('current')
hpnicfRedirectRemarkedPri = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 7), ValueRangeConstraint(255, 255), )).clone(255)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRedirectRemarkedPri.setStatus('current')
hpnicfRedirectRemarkedTos = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 15), ValueRangeConstraint(255, 255), )).clone(255)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRedirectRemarkedTos.setStatus('current')
hpnicfRedirectToNextHop3 = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 21), IpAddress()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRedirectToNextHop3.setStatus('current')
hpnicfRedirectTargetVlanID = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 22), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4094))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRedirectTargetVlanID.setStatus('current')
hpnicfRedirectMode = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 23), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("strict-priority", 1), ("load-balance", 2))).clone('strict-priority')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRedirectMode.setStatus('current')
hpnicfRedirectToNestedVlanID = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 24), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRedirectToNestedVlanID.setStatus('current')
hpnicfRedirectToModifiedVlanID = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 25), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRedirectToModifiedVlanID.setStatus('current')
hpnicfStatisticTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7), )
if mibBuilder.loadTexts: hpnicfStatisticTable.setStatus('current')
hpnicfStatisticEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7, 1), ).setIndexNames((0, "HPN-ICF-LswQos-MIB", "hpnicfStatisticAclIndex"), (0, "HPN-ICF-LswQos-MIB", "hpnicfStatisticIfIndex"), (0, "HPN-ICF-LswQos-MIB", "hpnicfStatisticVlanID"), (0, "HPN-ICF-LswQos-MIB", "hpnicfStatisticDirection"))
if mibBuilder.loadTexts: hpnicfStatisticEntry.setStatus('current')
hpnicfStatisticAclIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2999))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfStatisticAclIndex.setStatus('current')
hpnicfStatisticIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7, 1, 2), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfStatisticIfIndex.setStatus('current')
hpnicfStatisticVlanID = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4094))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfStatisticVlanID.setStatus('current')
hpnicfStatisticDirection = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("invalid", 0), ("input", 1), ("output", 2)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfStatisticDirection.setStatus('current')
hpnicfStatisticUserAclNum = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(5000, 5999), ValueRangeConstraint(10000, 12999), ))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfStatisticUserAclNum.setStatus('current')
hpnicfStatisticUserAclRule = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfStatisticUserAclRule.setStatus('current')
hpnicfStatisticIpAclNum = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(2000, 3999), ValueRangeConstraint(10000, 12999), ))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfStatisticIpAclNum.setStatus('current')
hpnicfStatisticIpAclRule = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfStatisticIpAclRule.setStatus('current')
hpnicfStatisticLinkAclNum = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(4000, 4999), ValueRangeConstraint(10000, 12999), ))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfStatisticLinkAclNum.setStatus('current')
hpnicfStatisticLinkAclRule = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfStatisticLinkAclRule.setStatus('current')
hpnicfStatisticRuntime = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7, 1, 11), TruthValue()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfStatisticRuntime.setStatus('current')
hpnicfStatisticPacketCount = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7, 1, 12), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfStatisticPacketCount.setStatus('current')
hpnicfStatisticByteCount = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7, 1, 13), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfStatisticByteCount.setStatus('current')
hpnicfStatisticCountClear = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("cleared", 1), ("nouse", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfStatisticCountClear.setStatus('current')
hpnicfStatisticRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7, 1, 15), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfStatisticRowStatus.setStatus('current')
hpnicfStatisticPacketXCount = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7, 1, 16), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfStatisticPacketXCount.setStatus('current')
hpnicfStatisticByteXCount = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7, 1, 17), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfStatisticByteXCount.setStatus('current')
hpnicfMirrorTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 8), )
if mibBuilder.loadTexts: hpnicfMirrorTable.setStatus('current')
hpnicfMirrorEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 8, 1), ).setIndexNames((0, "HPN-ICF-LswQos-MIB", "hpnicfMirrorAclIndex"), (0, "HPN-ICF-LswQos-MIB", "hpnicfMirrorIfIndex"), (0, "HPN-ICF-LswQos-MIB", "hpnicfMirrorVlanID"), (0, "HPN-ICF-LswQos-MIB", "hpnicfMirrorDirection"))
if mibBuilder.loadTexts: hpnicfMirrorEntry.setStatus('current')
hpnicfMirrorAclIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 8, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2999))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfMirrorAclIndex.setStatus('current')
hpnicfMirrorIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 8, 1, 2), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfMirrorIfIndex.setStatus('current')
hpnicfMirrorVlanID = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 8, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4094))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfMirrorVlanID.setStatus('current')
hpnicfMirrorDirection = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 8, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("invalid", 0), ("input", 1), ("output", 2)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfMirrorDirection.setStatus('current')
hpnicfMirrorUserAclNum = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 8, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(5000, 5999), ValueRangeConstraint(10000, 12999), ))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfMirrorUserAclNum.setStatus('current')
hpnicfMirrorUserAclRule = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 8, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfMirrorUserAclRule.setStatus('current')
hpnicfMirrorIpAclNum = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 8, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(2000, 3999), ValueRangeConstraint(10000, 12999), ))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfMirrorIpAclNum.setStatus('current')
hpnicfMirrorIpAclRule = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 8, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfMirrorIpAclRule.setStatus('current')
hpnicfMirrorLinkAclNum = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 8, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(4000, 4999), ValueRangeConstraint(10000, 12999), ))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfMirrorLinkAclNum.setStatus('current')
hpnicfMirrorLinkAclRule = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 8, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfMirrorLinkAclRule.setStatus('current')
hpnicfMirrorToIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 8, 1, 11), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfMirrorToIfIndex.setStatus('current')
hpnicfMirrorToCpu = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 8, 1, 12), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfMirrorToCpu.setStatus('current')
hpnicfMirrorRuntime = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 8, 1, 13), TruthValue()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfMirrorRuntime.setStatus('current')
hpnicfMirrorRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 8, 1, 14), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfMirrorRowStatus.setStatus('current')
hpnicfMirrorToGroup = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 8, 1, 15), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfMirrorToGroup.setStatus('current')
hpnicfPortMirrorTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 9), )
if mibBuilder.loadTexts: hpnicfPortMirrorTable.setStatus('current')
hpnicfPortMirrorEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 9, 1), ).setIndexNames((0, "HPN-ICF-LswQos-MIB", "hpnicfPortMirrorIfIndex"))
if mibBuilder.loadTexts: hpnicfPortMirrorEntry.setStatus('current')
hpnicfPortMirrorIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 9, 1, 1), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfPortMirrorIfIndex.setStatus('current')
hpnicfPortMirrorDirection = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 9, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("in", 1), ("out", 2), ("both", 3)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfPortMirrorDirection.setStatus('current')
hpnicfPortMirrorRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 9, 1, 3), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfPortMirrorRowStatus.setStatus('current')
hpnicfLineRateTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 10), )
if mibBuilder.loadTexts: hpnicfLineRateTable.setStatus('current')
hpnicfLineRateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 10, 1), ).setIndexNames((0, "HPN-ICF-LswQos-MIB", "hpnicfLineRateIfIndex"), (0, "HPN-ICF-LswQos-MIB", "hpnicfLineRateDirection"))
if mibBuilder.loadTexts: hpnicfLineRateEntry.setStatus('current')
hpnicfLineRateIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 10, 1, 1), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfLineRateIfIndex.setStatus('current')
hpnicfLineRateDirection = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("in", 1), ("out", 2)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfLineRateDirection.setStatus('current')
hpnicfLineRateValue = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 10, 1, 3), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfLineRateValue.setStatus('current')
hpnicfLineRateRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 10, 1, 4), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfLineRateRowStatus.setStatus('current')
hpnicfBandwidthTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 11), )
if mibBuilder.loadTexts: hpnicfBandwidthTable.setStatus('current')
hpnicfBandwidthEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 11, 1), ).setIndexNames((0, "HPN-ICF-LswQos-MIB", "hpnicfBandwidthAclIndex"), (0, "HPN-ICF-LswQos-MIB", "hpnicfBandwidthIfIndex"), (0, "HPN-ICF-LswQos-MIB", "hpnicfBandwidthVlanID"), (0, "HPN-ICF-LswQos-MIB", "hpnicfBandwidthDirection"))
if mibBuilder.loadTexts: hpnicfBandwidthEntry.setStatus('current')
hpnicfBandwidthAclIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 11, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2999))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfBandwidthAclIndex.setStatus('current')
hpnicfBandwidthIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 11, 1, 2), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfBandwidthIfIndex.setStatus('current')
hpnicfBandwidthVlanID = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 11, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4094))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfBandwidthVlanID.setStatus('current')
hpnicfBandwidthDirection = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 11, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 2))).clone(namedValues=NamedValues(("invalid", 0), ("output", 2)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfBandwidthDirection.setStatus('current')
hpnicfBandwidthIpAclNum = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 11, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(2000, 3999), ValueRangeConstraint(10000, 12999), ))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfBandwidthIpAclNum.setStatus('current')
hpnicfBandwidthIpAclRule = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 11, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfBandwidthIpAclRule.setStatus('current')
hpnicfBandwidthLinkAclNum = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 11, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(4000, 4999), ValueRangeConstraint(10000, 12999), ))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfBandwidthLinkAclNum.setStatus('current')
hpnicfBandwidthLinkAclRule = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 11, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfBandwidthLinkAclRule.setStatus('current')
hpnicfBandwidthMinGuaranteedWidth = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 11, 1, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8388608))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfBandwidthMinGuaranteedWidth.setStatus('current')
hpnicfBandwidthMaxGuaranteedWidth = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 11, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8388608))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfBandwidthMaxGuaranteedWidth.setStatus('current')
hpnicfBandwidthWeight = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 11, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfBandwidthWeight.setStatus('current')
hpnicfBandwidthRuntime = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 11, 1, 12), TruthValue()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfBandwidthRuntime.setStatus('current')
hpnicfBandwidthRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 11, 1, 13), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfBandwidthRowStatus.setStatus('current')
hpnicfRedTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 12), )
if mibBuilder.loadTexts: hpnicfRedTable.setStatus('current')
hpnicfRedEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 12, 1), ).setIndexNames((0, "HPN-ICF-LswQos-MIB", "hpnicfRedAclIndex"), (0, "HPN-ICF-LswQos-MIB", "hpnicfRedIfIndex"), (0, "HPN-ICF-LswQos-MIB", "hpnicfRedVlanID"), (0, "HPN-ICF-LswQos-MIB", "hpnicfRedDirection"))
if mibBuilder.loadTexts: hpnicfRedEntry.setStatus('current')
hpnicfRedAclIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 12, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2999))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRedAclIndex.setStatus('current')
hpnicfRedIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 12, 1, 2), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRedIfIndex.setStatus('current')
hpnicfRedVlanID = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 12, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4094))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRedVlanID.setStatus('current')
hpnicfRedDirection = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 12, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 2))).clone(namedValues=NamedValues(("invalid", 0), ("output", 2)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRedDirection.setStatus('current')
hpnicfRedIpAclNum = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 12, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(2000, 3999), ValueRangeConstraint(10000, 12999), ))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRedIpAclNum.setStatus('current')
hpnicfRedIpAclRule = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 12, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRedIpAclRule.setStatus('current')
hpnicfRedLinkAclNum = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 12, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(4000, 4999), ValueRangeConstraint(10000, 12999), ))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRedLinkAclNum.setStatus('current')
hpnicfRedLinkAclRule = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 12, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRedLinkAclRule.setStatus('current')
hpnicfRedStartQueueLen = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 12, 1, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 262128))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfRedStartQueueLen.setStatus('current')
hpnicfRedStopQueueLen = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 12, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 262128))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfRedStopQueueLen.setStatus('current')
hpnicfRedProbability = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 12, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfRedProbability.setStatus('current')
hpnicfRedRuntime = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 12, 1, 12), TruthValue()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfRedRuntime.setStatus('current')
hpnicfRedRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 12, 1, 13), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfRedRowStatus.setStatus('current')
hpnicfMirrorGroupTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 13), )
if mibBuilder.loadTexts: hpnicfMirrorGroupTable.setStatus('current')
hpnicfMirrorGroupEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 13, 1), ).setIndexNames((0, "HPN-ICF-LswQos-MIB", "hpnicfMirrorGroupID"))
if mibBuilder.loadTexts: hpnicfMirrorGroupEntry.setStatus('current')
hpnicfMirrorGroupID = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 13, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 20))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfMirrorGroupID.setStatus('current')
hpnicfMirrorGroupDirection = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 13, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("input", 1), ("output", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfMirrorGroupDirection.setStatus('current')
hpnicfMirrorGroupMirrorIfIndexList = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 13, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 257))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfMirrorGroupMirrorIfIndexList.setStatus('current')
hpnicfMirrorGroupMonitorIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 13, 1, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfMirrorGroupMonitorIfIndex.setStatus('current')
hpnicfMirrorGroupRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 13, 1, 5), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfMirrorGroupRowStatus.setStatus('current')
hpnicfFlowtempTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14), )
if mibBuilder.loadTexts: hpnicfFlowtempTable.setStatus('current')
hpnicfFlowtempEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1), ).setIndexNames((0, "HPN-ICF-LswQos-MIB", "hpnicfFlowtempIndex"))
if mibBuilder.loadTexts: hpnicfFlowtempEntry.setStatus('current')
hpnicfFlowtempIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("default", 1), ("user-defined", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfFlowtempIndex.setStatus('current')
hpnicfFlowtempIpProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 2), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfFlowtempIpProtocol.setStatus('current')
hpnicfFlowtempTcpFlag = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 3), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfFlowtempTcpFlag.setStatus('current')
hpnicfFlowtempSPort = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 4), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfFlowtempSPort.setStatus('current')
hpnicfFlowtempDPort = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 5), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfFlowtempDPort.setStatus('current')
hpnicfFlowtempIcmpType = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 6), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfFlowtempIcmpType.setStatus('current')
hpnicfFlowtempIcmpCode = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 7), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfFlowtempIcmpCode.setStatus('current')
hpnicfFlowtempFragment = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 8), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfFlowtempFragment.setStatus('current')
hpnicfFlowtempDscp = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 9), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfFlowtempDscp.setStatus('current')
hpnicfFlowtempIpPre = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 10), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfFlowtempIpPre.setStatus('current')
hpnicfFlowtempTos = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 11), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfFlowtempTos.setStatus('current')
hpnicfFlowtempSIp = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 12), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfFlowtempSIp.setStatus('current')
hpnicfFlowtempSIpMask = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 13), IpAddress()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfFlowtempSIpMask.setStatus('current')
hpnicfFlowtempDIp = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 14), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfFlowtempDIp.setStatus('current')
hpnicfFlowtempDIpMask = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 15), IpAddress()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfFlowtempDIpMask.setStatus('current')
hpnicfFlowtempEthProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 16), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfFlowtempEthProtocol.setStatus('current')
hpnicfFlowtempSMac = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 17), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfFlowtempSMac.setStatus('current')
hpnicfFlowtempSMacMask = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 18), MacAddress()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfFlowtempSMacMask.setStatus('current')
hpnicfFlowtempDMac = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 19), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfFlowtempDMac.setStatus('current')
hpnicfFlowtempDMacMask = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 20), MacAddress()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfFlowtempDMacMask.setStatus('current')
hpnicfFlowtempVpn = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 21), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfFlowtempVpn.setStatus('current')
hpnicfFlowtempRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 22), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfFlowtempRowStatus.setStatus('current')
hpnicfFlowtempVlanId = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 23), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfFlowtempVlanId.setStatus('current')
hpnicfFlowtempCos = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 24), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfFlowtempCos.setStatus('current')
hpnicfFlowtempEnableTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 15), )
if mibBuilder.loadTexts: hpnicfFlowtempEnableTable.setStatus('current')
hpnicfFlowtempEnableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 15, 1), ).setIndexNames((0, "HPN-ICF-LswQos-MIB", "hpnicfFlowtempEnableIfIndex"), (0, "HPN-ICF-LswQos-MIB", "hpnicfFlowtempEnableVlanID"))
if mibBuilder.loadTexts: hpnicfFlowtempEnableEntry.setStatus('current')
hpnicfFlowtempEnableIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 15, 1, 1), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfFlowtempEnableIfIndex.setStatus('current')
hpnicfFlowtempEnableVlanID = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 15, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4094))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfFlowtempEnableVlanID.setStatus('current')
hpnicfFlowtempEnableFlowtempIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 15, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("default", 1), ("user-defined", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfFlowtempEnableFlowtempIndex.setStatus('current')
hpnicfTrafficShapeTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 16), )
if mibBuilder.loadTexts: hpnicfTrafficShapeTable.setStatus('current')
hpnicfTrafficShapeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 16, 1), ).setIndexNames((0, "HPN-ICF-LswQos-MIB", "hpnicfTrafficShapeIfIndex"), (0, "HPN-ICF-LswQos-MIB", "hpnicfTrafficShapeQueueId"))
if mibBuilder.loadTexts: hpnicfTrafficShapeEntry.setStatus('current')
hpnicfTrafficShapeIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 16, 1, 1), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfTrafficShapeIfIndex.setStatus('current')
hpnicfTrafficShapeQueueId = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 16, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 7), ValueRangeConstraint(255, 255), ))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfTrafficShapeQueueId.setStatus('current')
hpnicfTrafficShapeMaxRate = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 16, 1, 3), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfTrafficShapeMaxRate.setStatus('current')
hpnicfTrafficShapeBurstSize = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 16, 1, 4), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfTrafficShapeBurstSize.setStatus('current')
hpnicfTrafficShapeBufferLimit = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 16, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(16, 8000), ))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfTrafficShapeBufferLimit.setStatus('current')
hpnicfTrafficShapeRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 16, 1, 6), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfTrafficShapeRowStatus.setStatus('current')
hpnicfPortQueueTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 17), )
if mibBuilder.loadTexts: hpnicfPortQueueTable.setStatus('current')
hpnicfPortQueueEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 17, 1), ).setIndexNames((0, "HPN-ICF-LswQos-MIB", "hpnicfPortQueueIfIndex"), (0, "HPN-ICF-LswQos-MIB", "hpnicfPortQueueQueueID"))
if mibBuilder.loadTexts: hpnicfPortQueueEntry.setStatus('current')
hpnicfPortQueueIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 17, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfPortQueueIfIndex.setStatus('current')
hpnicfPortQueueQueueID = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 17, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfPortQueueQueueID.setStatus('current')
hpnicfPortQueueWrrPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 17, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("sp", 1), ("wrr-high-priority", 2), ("wrr-low-priority", 3)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfPortQueueWrrPriority.setStatus('current')
hpnicfPortQueueWeight = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 17, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 255), ))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfPortQueueWeight.setStatus('current')
hpnicfDropModeTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 18), )
if mibBuilder.loadTexts: hpnicfDropModeTable.setStatus('current')
hpnicfDropModeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 18, 1), ).setIndexNames((0, "HPN-ICF-LswQos-MIB", "hpnicfDropModeIfIndex"))
if mibBuilder.loadTexts: hpnicfDropModeEntry.setStatus('current')
hpnicfDropModeIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 18, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfDropModeIfIndex.setStatus('current')
hpnicfDropModeMode = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 18, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("random-detect", 1), ("tail-drop", 2))).clone(2)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfDropModeMode.setStatus('current')
hpnicfDropModeWredIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 18, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 3))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfDropModeWredIndex.setStatus('current')
hpnicfWredTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 19), )
if mibBuilder.loadTexts: hpnicfWredTable.setStatus('current')
hpnicfWredEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 19, 1), ).setIndexNames((0, "HPN-ICF-LswQos-MIB", "hpnicfWredIndex"), (0, "HPN-ICF-LswQos-MIB", "hpnicfWredQueueId"))
if mibBuilder.loadTexts: hpnicfWredEntry.setStatus('current')
hpnicfWredIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 19, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 3))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfWredIndex.setStatus('current')
hpnicfWredQueueId = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 19, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfWredQueueId.setStatus('current')
hpnicfWredGreenMinThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 19, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfWredGreenMinThreshold.setStatus('current')
hpnicfWredGreenMaxThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 19, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfWredGreenMaxThreshold.setStatus('current')
hpnicfWredGreenMaxProb = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 19, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 15))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfWredGreenMaxProb.setStatus('current')
hpnicfWredYellowMinThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 19, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfWredYellowMinThreshold.setStatus('current')
hpnicfWredYellowMaxThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 19, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfWredYellowMaxThreshold.setStatus('current')
hpnicfWredYellowMaxProb = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 19, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 15))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfWredYellowMaxProb.setStatus('current')
hpnicfWredRedMinThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 19, 1, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfWredRedMinThreshold.setStatus('current')
hpnicfWredRedMaxThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 19, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfWredRedMaxThreshold.setStatus('current')
hpnicfWredRedMaxProb = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 19, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 15))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfWredRedMaxProb.setStatus('current')
hpnicfWredExponent = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 19, 1, 12), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 15)).clone(9)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfWredExponent.setStatus('current')
hpnicfCosToLocalPrecedenceMapTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 20), )
if mibBuilder.loadTexts: hpnicfCosToLocalPrecedenceMapTable.setStatus('current')
hpnicfCosToLocalPrecedenceMapEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 20, 1), ).setIndexNames((0, "HPN-ICF-LswQos-MIB", "hpnicfCosToLocalPrecedenceMapCosIndex"))
if mibBuilder.loadTexts: hpnicfCosToLocalPrecedenceMapEntry.setStatus('current')
hpnicfCosToLocalPrecedenceMapCosIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 20, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfCosToLocalPrecedenceMapCosIndex.setStatus('current')
hpnicfCosToLocalPrecedenceMapLocalPrecedenceValue = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 20, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfCosToLocalPrecedenceMapLocalPrecedenceValue.setStatus('current')
hpnicfCosToDropPrecedenceMapTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 21), )
if mibBuilder.loadTexts: hpnicfCosToDropPrecedenceMapTable.setStatus('current')
hpnicfCosToDropPrecedenceMapEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 21, 1), ).setIndexNames((0, "HPN-ICF-LswQos-MIB", "hpnicfCosToDropPrecedenceMapCosIndex"))
if mibBuilder.loadTexts: hpnicfCosToDropPrecedenceMapEntry.setStatus('current')
hpnicfCosToDropPrecedenceMapCosIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 21, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfCosToDropPrecedenceMapCosIndex.setStatus('current')
hpnicfCosToDropPrecedenceMapDropPrecedenceValue = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 21, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfCosToDropPrecedenceMapDropPrecedenceValue.setStatus('current')
hpnicfDscpMapTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 22), )
if mibBuilder.loadTexts: hpnicfDscpMapTable.setStatus('current')
hpnicfDscpMapEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 22, 1), ).setIndexNames((0, "HPN-ICF-LswQos-MIB", "hpnicfDscpMapConformLevel"), (0, "HPN-ICF-LswQos-MIB", "hpnicfDscpMapDscpIndex"))
if mibBuilder.loadTexts: hpnicfDscpMapEntry.setStatus('current')
hpnicfDscpMapConformLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 22, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfDscpMapConformLevel.setStatus('current')
hpnicfDscpMapDscpIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 22, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 63))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfDscpMapDscpIndex.setStatus('current')
hpnicfDscpMapDscpValue = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 22, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 63))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfDscpMapDscpValue.setStatus('current')
hpnicfDscpMapExpValue = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 22, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfDscpMapExpValue.setStatus('current')
hpnicfDscpMapCosValue = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 22, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfDscpMapCosValue.setStatus('current')
hpnicfDscpMapLocalPrecedence = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 22, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfDscpMapLocalPrecedence.setStatus('current')
hpnicfDscpMapDropPrecedence = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 22, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfDscpMapDropPrecedence.setStatus('current')
hpnicfExpMapTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 23), )
if mibBuilder.loadTexts: hpnicfExpMapTable.setStatus('current')
hpnicfExpMapEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 23, 1), ).setIndexNames((0, "HPN-ICF-LswQos-MIB", "hpnicfExpMapConformLevel"), (0, "HPN-ICF-LswQos-MIB", "hpnicfExpMapExpIndex"))
if mibBuilder.loadTexts: hpnicfExpMapEntry.setStatus('current')
hpnicfExpMapConformLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 23, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfExpMapConformLevel.setStatus('current')
hpnicfExpMapExpIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 23, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfExpMapExpIndex.setStatus('current')
hpnicfExpMapDscpValue = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 23, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 63))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfExpMapDscpValue.setStatus('current')
hpnicfExpMapExpValue = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 23, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfExpMapExpValue.setStatus('current')
hpnicfExpMapCosValue = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 23, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfExpMapCosValue.setStatus('current')
hpnicfExpMapLocalPrecedence = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 23, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfExpMapLocalPrecedence.setStatus('current')
hpnicfExpMapDropPrecedence = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 23, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfExpMapDropPrecedence.setStatus('current')
hpnicfLocalPrecedenceMapTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 24), )
if mibBuilder.loadTexts: hpnicfLocalPrecedenceMapTable.setStatus('current')
hpnicfLocalPrecedenceMapEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 24, 1), ).setIndexNames((0, "HPN-ICF-LswQos-MIB", "hpnicfLocalPrecedenceMapConformLevel"), (0, "HPN-ICF-LswQos-MIB", "hpnicfLocalPrecedenceMapLocalPrecedenceIndex"))
if mibBuilder.loadTexts: hpnicfLocalPrecedenceMapEntry.setStatus('current')
hpnicfLocalPrecedenceMapConformLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 24, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfLocalPrecedenceMapConformLevel.setStatus('current')
hpnicfLocalPrecedenceMapLocalPrecedenceIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 24, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfLocalPrecedenceMapLocalPrecedenceIndex.setStatus('current')
hpnicfLocalPrecedenceMapCosValue = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 24, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfLocalPrecedenceMapCosValue.setStatus('current')
hpnicfPortWredTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 25), )
if mibBuilder.loadTexts: hpnicfPortWredTable.setStatus('current')
hpnicfPortWredEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 25, 1), ).setIndexNames((0, "HPN-ICF-LswQos-MIB", "hpnicfPortWredIfIndex"), (0, "HPN-ICF-LswQos-MIB", "hpnicfPortWredQueueID"))
if mibBuilder.loadTexts: hpnicfPortWredEntry.setStatus('current')
hpnicfPortWredIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 25, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfPortWredIfIndex.setStatus('current')
hpnicfPortWredQueueID = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 25, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfPortWredQueueID.setStatus('current')
hpnicfPortWredQueueStartLength = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 25, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2047))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfPortWredQueueStartLength.setStatus('current')
hpnicfPortWredQueueProbability = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 25, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfPortWredQueueProbability.setStatus('current')
hpnicfMirroringGroupTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 26), )
if mibBuilder.loadTexts: hpnicfMirroringGroupTable.setStatus('current')
hpnicfMirroringGroupEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 26, 1), ).setIndexNames((0, "HPN-ICF-LswQos-MIB", "hpnicfMirroringGroupID"))
if mibBuilder.loadTexts: hpnicfMirroringGroupEntry.setStatus('current')
hpnicfMirroringGroupID = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 26, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 20)))
if mibBuilder.loadTexts: hpnicfMirroringGroupID.setStatus('current')
hpnicfMirroringGroupType = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 26, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("local", 1), ("remote-source", 2), ("remote-destination", 3)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfMirroringGroupType.setStatus('current')
hpnicfMirroringGroupStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 26, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("active", 1), ("inactive", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfMirroringGroupStatus.setStatus('current')
hpnicfMirroringGroupRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 26, 1, 4), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfMirroringGroupRowStatus.setStatus('current')
hpnicfMirroringGroupMirrorTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 27), )
if mibBuilder.loadTexts: hpnicfMirroringGroupMirrorTable.setStatus('current')
hpnicfMirroringGroupMirrorEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 27, 1), ).setIndexNames((0, "HPN-ICF-LswQos-MIB", "hpnicfMirroringGroupID"))
if mibBuilder.loadTexts: hpnicfMirroringGroupMirrorEntry.setStatus('current')
hpnicfMirroringGroupMirrorInboundIfIndexList = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 27, 1, 1), OctetString()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfMirroringGroupMirrorInboundIfIndexList.setStatus('current')
hpnicfMirroringGroupMirrorOutboundIfIndexList = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 27, 1, 2), OctetString()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfMirroringGroupMirrorOutboundIfIndexList.setStatus('current')
hpnicfMirroringGroupMirrorRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 27, 1, 3), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfMirroringGroupMirrorRowStatus.setStatus('current')
hpnicfMirroringGroupMirrorInTypeList = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 27, 1, 4), OctetString()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfMirroringGroupMirrorInTypeList.setStatus('current')
hpnicfMirroringGroupMirrorOutTypeList = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 27, 1, 5), OctetString()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfMirroringGroupMirrorOutTypeList.setStatus('current')
hpnicfMirroringGroupMonitorTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 28), )
if mibBuilder.loadTexts: hpnicfMirroringGroupMonitorTable.setStatus('current')
hpnicfMirroringGroupMonitorEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 28, 1), ).setIndexNames((0, "HPN-ICF-LswQos-MIB", "hpnicfMirroringGroupID"))
if mibBuilder.loadTexts: hpnicfMirroringGroupMonitorEntry.setStatus('current')
hpnicfMirroringGroupMonitorIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 28, 1, 1), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfMirroringGroupMonitorIfIndex.setStatus('current')
hpnicfMirroringGroupMonitorRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 28, 1, 2), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfMirroringGroupMonitorRowStatus.setStatus('current')
hpnicfMirroringGroupMonitorType = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 28, 1, 3), HpnicfMirrorOrMonitorType()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfMirroringGroupMonitorType.setStatus('current')
hpnicfMirroringGroupReflectorTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 29), )
if mibBuilder.loadTexts: hpnicfMirroringGroupReflectorTable.setStatus('current')
hpnicfMirroringGroupReflectorEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 29, 1), ).setIndexNames((0, "HPN-ICF-LswQos-MIB", "hpnicfMirroringGroupID"))
if mibBuilder.loadTexts: hpnicfMirroringGroupReflectorEntry.setStatus('current')
hpnicfMirroringGroupReflectorIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 29, 1, 1), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfMirroringGroupReflectorIfIndex.setStatus('current')
hpnicfMirroringGroupReflectorRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 29, 1, 2), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfMirroringGroupReflectorRowStatus.setStatus('current')
hpnicfMirroringGroupRprobeVlanTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 30), )
if mibBuilder.loadTexts: hpnicfMirroringGroupRprobeVlanTable.setStatus('current')
hpnicfMirroringGroupRprobeVlanEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 30, 1), ).setIndexNames((0, "HPN-ICF-LswQos-MIB", "hpnicfMirroringGroupID"))
if mibBuilder.loadTexts: hpnicfMirroringGroupRprobeVlanEntry.setStatus('current')
hpnicfMirroringGroupRprobeVlanID = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 30, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4094))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfMirroringGroupRprobeVlanID.setStatus('current')
hpnicfMirroringGroupRprobeVlanRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 30, 1, 2), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfMirroringGroupRprobeVlanRowStatus.setStatus('current')
hpnicfMirroringGroupMirrorMacTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 31), )
if mibBuilder.loadTexts: hpnicfMirroringGroupMirrorMacTable.setStatus('current')
hpnicfMirroringGroupMirrorMacEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 31, 1), ).setIndexNames((0, "HPN-ICF-LswQos-MIB", "hpnicfMirroringGroupID"), (0, "HPN-ICF-LswQos-MIB", "hpnicfMirroringGroupMirrorMacSeq"))
if mibBuilder.loadTexts: hpnicfMirroringGroupMirrorMacEntry.setStatus('current')
hpnicfMirroringGroupMirrorMacSeq = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 31, 1, 1), Integer32())
if mibBuilder.loadTexts: hpnicfMirroringGroupMirrorMacSeq.setStatus('current')
hpnicfMirroringGroupMirrorMac = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 31, 1, 2), MacAddress()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfMirroringGroupMirrorMac.setStatus('current')
hpnicfMirrorMacVlanID = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 31, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4094))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfMirrorMacVlanID.setStatus('current')
hpnicfMirroringGroupMirroMacStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 31, 1, 4), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfMirroringGroupMirroMacStatus.setStatus('current')
hpnicfMirroringGroupMirrorVlanTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 32), )
if mibBuilder.loadTexts: hpnicfMirroringGroupMirrorVlanTable.setStatus('current')
hpnicfMirroringGroupMirrorVlanEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 32, 1), ).setIndexNames((0, "HPN-ICF-LswQos-MIB", "hpnicfMirroringGroupID"), (0, "HPN-ICF-LswQos-MIB", "hpnicfMirroringGroupMirrorVlanSeq"))
if mibBuilder.loadTexts: hpnicfMirroringGroupMirrorVlanEntry.setStatus('current')
hpnicfMirroringGroupMirrorVlanSeq = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 32, 1, 1), Integer32())
if mibBuilder.loadTexts: hpnicfMirroringGroupMirrorVlanSeq.setStatus('current')
hpnicfMirroringGroupMirrorVlanID = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 32, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4094))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfMirroringGroupMirrorVlanID.setStatus('current')
hpnicfMirroringGroupMirrorVlanDirection = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 32, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("inbound", 1), ("outbound", 2), ("both", 3)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfMirroringGroupMirrorVlanDirection.setStatus('current')
hpnicfMirroringGroupMirroVlanStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 32, 1, 4), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfMirroringGroupMirroVlanStatus.setStatus('current')
hpnicfPortTrustTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 33), )
if mibBuilder.loadTexts: hpnicfPortTrustTable.setStatus('current')
hpnicfPortTrustEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 33, 1), ).setIndexNames((0, "HPN-ICF-LswQos-MIB", "hpnicfPortTrustIfIndex"))
if mibBuilder.loadTexts: hpnicfPortTrustEntry.setStatus('current')
hpnicfPortTrustIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 33, 1, 1), Integer32())
if mibBuilder.loadTexts: hpnicfPortTrustIfIndex.setStatus('current')
hpnicfPortTrustTrustType = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 33, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("port", 1), ("cos", 2), ("dscp", 3))).clone('port')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfPortTrustTrustType.setStatus('current')
hpnicfPortTrustOvercastType = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 33, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("noOvercast", 1), ("overcastDSCP", 2), ("overcastCOS", 3))).clone('noOvercast')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfPortTrustOvercastType.setStatus('current')
hpnicfPortTrustReset = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 33, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("reset", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfPortTrustReset.setStatus('current')
hpnicfRemarkVlanIDTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 34), )
if mibBuilder.loadTexts: hpnicfRemarkVlanIDTable.setStatus('current')
hpnicfRemarkVlanIDEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 34, 1), ).setIndexNames((0, "HPN-ICF-LswQos-MIB", "hpnicfRemarkVlanIDAclIndex"), (0, "HPN-ICF-LswQos-MIB", "hpnicfRemarkVlanIDIfIndex"), (0, "HPN-ICF-LswQos-MIB", "hpnicfRemarkVlanIDVlanID"), (0, "HPN-ICF-LswQos-MIB", "hpnicfRemarkVlanIDDirection"))
if mibBuilder.loadTexts: hpnicfRemarkVlanIDEntry.setStatus('current')
hpnicfRemarkVlanIDAclIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 34, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2999)))
if mibBuilder.loadTexts: hpnicfRemarkVlanIDAclIndex.setStatus('current')
hpnicfRemarkVlanIDIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 34, 1, 2), Integer32())
if mibBuilder.loadTexts: hpnicfRemarkVlanIDIfIndex.setStatus('current')
hpnicfRemarkVlanIDVlanID = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 34, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4094)))
if mibBuilder.loadTexts: hpnicfRemarkVlanIDVlanID.setStatus('current')
hpnicfRemarkVlanIDDirection = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 34, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("invalid", 0), ("input", 1), ("output", 2))))
if mibBuilder.loadTexts: hpnicfRemarkVlanIDDirection.setStatus('current')
hpnicfRemarkVlanIDUserAclNum = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 34, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(5000, 5999), ValueRangeConstraint(10000, 12999), ))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRemarkVlanIDUserAclNum.setStatus('current')
hpnicfRemarkVlanIDUserAclRule = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 34, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRemarkVlanIDUserAclRule.setStatus('current')
hpnicfRemarkVlanIDIpAclNum = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 34, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(2000, 3999), ValueRangeConstraint(10000, 12999), ))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRemarkVlanIDIpAclNum.setStatus('current')
hpnicfRemarkVlanIDIpAclRule = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 34, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRemarkVlanIDIpAclRule.setStatus('current')
hpnicfRemarkVlanIDLinkAclNum = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 34, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(4000, 4999), ValueRangeConstraint(10000, 12999), ))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRemarkVlanIDLinkAclNum.setStatus('current')
hpnicfRemarkVlanIDLinkAclRule = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 34, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRemarkVlanIDLinkAclRule.setStatus('current')
hpnicfRemarkVlanIDRemarkVlanID = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 34, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4094))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRemarkVlanIDRemarkVlanID.setStatus('current')
hpnicfRemarkVlanIDPacketType = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 34, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("all", 1), ("tagged", 2), ("untagged", 3)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRemarkVlanIDPacketType.setStatus('current')
hpnicfRemarkVlanIDRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 34, 1, 13), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfRemarkVlanIDRowStatus.setStatus('current')
hpnicfCosToDscpMapTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 35), )
if mibBuilder.loadTexts: hpnicfCosToDscpMapTable.setStatus('current')
hpnicfCosToDscpMapEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 35, 1), ).setIndexNames((0, "HPN-ICF-LswQos-MIB", "hpnicfCosToDscpMapCosIndex"))
if mibBuilder.loadTexts: hpnicfCosToDscpMapEntry.setStatus('current')
hpnicfCosToDscpMapCosIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 35, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7)))
if mibBuilder.loadTexts: hpnicfCosToDscpMapCosIndex.setStatus('current')
hpnicfCosToDscpMapDscpValue = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 35, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 63))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfCosToDscpMapDscpValue.setStatus('current')
hpnicfCosToDscpMapReSet = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 35, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("reset", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfCosToDscpMapReSet.setStatus('current')
hpnicfDscpToLocalPreMapTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 36), )
if mibBuilder.loadTexts: hpnicfDscpToLocalPreMapTable.setStatus('current')
hpnicfDscpToLocalPreMapEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 36, 1), ).setIndexNames((0, "HPN-ICF-LswQos-MIB", "hpnicfDscpToLocalPreMapDscpIndex"))
if mibBuilder.loadTexts: hpnicfDscpToLocalPreMapEntry.setStatus('current')
hpnicfDscpToLocalPreMapDscpIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 36, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 63)))
if mibBuilder.loadTexts: hpnicfDscpToLocalPreMapDscpIndex.setStatus('current')
hpnicfDscpToLocalPreMapLocalPreVal = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 36, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfDscpToLocalPreMapLocalPreVal.setStatus('current')
hpnicfDscpToLocalPreMapReset = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 36, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("reset", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfDscpToLocalPreMapReset.setStatus('current')
hpnicfDscpToDropPreMapTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 37), )
if mibBuilder.loadTexts: hpnicfDscpToDropPreMapTable.setStatus('current')
hpnicfDscpToDropPreMapEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 37, 1), ).setIndexNames((0, "HPN-ICF-LswQos-MIB", "hpnicfDscpToDropPreMapDscpIndex"))
if mibBuilder.loadTexts: hpnicfDscpToDropPreMapEntry.setStatus('current')
hpnicfDscpToDropPreMapDscpIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 37, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 63)))
if mibBuilder.loadTexts: hpnicfDscpToDropPreMapDscpIndex.setStatus('current')
hpnicfDscpToDropPreMapDropPreVal = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 37, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfDscpToDropPreMapDropPreVal.setStatus('current')
hpnicfDscpToDropPreMapReset = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 37, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("reset", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfDscpToDropPreMapReset.setStatus('current')
hpnicfDscpToCosMapTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 38), )
if mibBuilder.loadTexts: hpnicfDscpToCosMapTable.setStatus('current')
hpnicfDscpToCosMapEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 38, 1), ).setIndexNames((0, "HPN-ICF-LswQos-MIB", "hpnicfDscpToCosMapDscpIndex"))
if mibBuilder.loadTexts: hpnicfDscpToCosMapEntry.setStatus('current')
hpnicfDscpToCosMapDscpIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 38, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 63)))
if mibBuilder.loadTexts: hpnicfDscpToCosMapDscpIndex.setStatus('current')
hpnicfDscpToCosMapCosValue = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 38, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfDscpToCosMapCosValue.setStatus('current')
hpnicfDscpToCosMapReset = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 38, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("reset", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfDscpToCosMapReset.setStatus('current')
hpnicfDscpToDscpMapTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 39), )
if mibBuilder.loadTexts: hpnicfDscpToDscpMapTable.setStatus('current')
hpnicfDscpToDscpMapEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 39, 1), ).setIndexNames((0, "HPN-ICF-LswQos-MIB", "hpnicfDscpToDscpMapDscpIndex"))
if mibBuilder.loadTexts: hpnicfDscpToDscpMapEntry.setStatus('current')
hpnicfDscpToDscpMapDscpIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 39, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 63)))
if mibBuilder.loadTexts: hpnicfDscpToDscpMapDscpIndex.setStatus('current')
hpnicfDscpToDscpMapDscpValue = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 39, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 63))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfDscpToDscpMapDscpValue.setStatus('current')
hpnicfDscpToDscpMapReset = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 39, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("reset", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfDscpToDscpMapReset.setStatus('current')
mibBuilder.exportSymbols("HPN-ICF-LswQos-MIB", hpnicfFlowtempEnableFlowtempIndex=hpnicfFlowtempEnableFlowtempIndex, hpnicfRedProbability=hpnicfRedProbability, hpnicfRedirectToNextHop3=hpnicfRedirectToNextHop3, hpnicfMirroringGroupMirrorRowStatus=hpnicfMirroringGroupMirrorRowStatus, hpnicfRedirectAclIndex=hpnicfRedirectAclIndex, hpnicfFlowtempTcpFlag=hpnicfFlowtempTcpFlag, hpnicfPriorityPolicedServiceType=hpnicfPriorityPolicedServiceType, hpnicfRateLimitAclIndex=hpnicfRateLimitAclIndex, hpnicfPortTrustEntry=hpnicfPortTrustEntry, hpnicfPortTrustOvercastType=hpnicfPortTrustOvercastType, hpnicfPortTrustTable=hpnicfPortTrustTable, hpnicfPortQueueIfIndex=hpnicfPortQueueIfIndex, hpnicfWredGreenMinThreshold=hpnicfWredGreenMinThreshold, hpnicfDscpMapDscpIndex=hpnicfDscpMapDscpIndex, hpnicfMirroringGroupReflectorEntry=hpnicfMirroringGroupReflectorEntry, hpnicfWredRedMaxThreshold=hpnicfWredRedMaxThreshold, hpnicfMirrorUserAclRule=hpnicfMirrorUserAclRule, hpnicfMirrorVlanID=hpnicfMirrorVlanID, hpnicfLineRateRowStatus=hpnicfLineRateRowStatus, hpnicfRateLimitUserAclNum=hpnicfRateLimitUserAclNum, hpnicfMirrorIfIndex=hpnicfMirrorIfIndex, hpnicfCosToDscpMapTable=hpnicfCosToDscpMapTable, hpnicfFlowtempSIpMask=hpnicfFlowtempSIpMask, hpnicfQueueWeight3=hpnicfQueueWeight3, hpnicfDscpMapDscpValue=hpnicfDscpMapDscpValue, hpnicfTrafficShapeTable=hpnicfTrafficShapeTable, hpnicfDscpToDropPreMapReset=hpnicfDscpToDropPreMapReset, hpnicfStatisticIfIndex=hpnicfStatisticIfIndex, hpnicfDscpMapCosValue=hpnicfDscpMapCosValue, hpnicfPortQueueWrrPriority=hpnicfPortQueueWrrPriority, hpnicfRateLimitCIR=hpnicfRateLimitCIR, hpnicfStatisticByteXCount=hpnicfStatisticByteXCount, hpnicfMirrorEntry=hpnicfMirrorEntry, hpnicfRedirectLinkAclRule=hpnicfRedirectLinkAclRule, hpnicfStatisticAclIndex=hpnicfStatisticAclIndex, hpnicfFlowtempSPort=hpnicfFlowtempSPort, HpnicfMirrorOrMonitorType=HpnicfMirrorOrMonitorType, hpnicfRedVlanID=hpnicfRedVlanID, hpnicfBandwidthIfIndex=hpnicfBandwidthIfIndex, hpnicfMirroringGroupMirrorVlanSeq=hpnicfMirroringGroupMirrorVlanSeq, hpnicfRateLimitVlanID=hpnicfRateLimitVlanID, hpnicfFlowtempEthProtocol=hpnicfFlowtempEthProtocol, hpnicfMirroringGroupMirrorInTypeList=hpnicfMirroringGroupMirrorInTypeList, hpnicfRateLimitConformCos=hpnicfRateLimitConformCos, hpnicfFlowtempDIpMask=hpnicfFlowtempDIpMask, hpnicfRateLimitPIR=hpnicfRateLimitPIR, hpnicfStatisticEntry=hpnicfStatisticEntry, hpnicfDscpToLocalPreMapReset=hpnicfDscpToLocalPreMapReset, hpnicfMirroringGroupType=hpnicfMirroringGroupType, hpnicfLocalPrecedenceMapEntry=hpnicfLocalPrecedenceMapEntry, hpnicfFlowtempIndex=hpnicfFlowtempIndex, hpnicfRedirectEntry=hpnicfRedirectEntry, hpnicfCosToDropPrecedenceMapEntry=hpnicfCosToDropPrecedenceMapEntry, hpnicfExpMapDscpValue=hpnicfExpMapDscpValue, hpnicfTrafficShapeBurstSize=hpnicfTrafficShapeBurstSize, hpnicfExpMapExpValue=hpnicfExpMapExpValue, hpnicfRateLimitTable=hpnicfRateLimitTable, hpnicfCosToLocalPrecedenceMapCosIndex=hpnicfCosToLocalPrecedenceMapCosIndex, hpnicfRedirectVlanID=hpnicfRedirectVlanID, hpnicfMirroringGroupMirrorOutboundIfIndexList=hpnicfMirroringGroupMirrorOutboundIfIndexList, hpnicfMirroringGroupRprobeVlanID=hpnicfMirroringGroupRprobeVlanID, hpnicfLocalPrecedenceMapTable=hpnicfLocalPrecedenceMapTable, hpnicfStatisticTable=hpnicfStatisticTable, hpnicfMirroringGroupMirrorVlanEntry=hpnicfMirroringGroupMirrorVlanEntry, hpnicfStatisticUserAclNum=hpnicfStatisticUserAclNum, hpnicfRateLimitMeterStatByteCount=hpnicfRateLimitMeterStatByteCount, hpnicfRedirectRemarkedTos=hpnicfRedirectRemarkedTos, hpnicfPortMirrorIfIndex=hpnicfPortMirrorIfIndex, hpnicfPriorityRuntime=hpnicfPriorityRuntime, hpnicfDropModeMode=hpnicfDropModeMode, hpnicfPortQueueWeight=hpnicfPortQueueWeight, hpnicfMirrorGroupRowStatus=hpnicfMirrorGroupRowStatus, hpnicfMirroringGroupMonitorTable=hpnicfMirroringGroupMonitorTable, hpnicfMirroringGroupRprobeVlanTable=hpnicfMirroringGroupRprobeVlanTable, hpnicfQueueWeight2=hpnicfQueueWeight2, hpnicfRedStartQueueLen=hpnicfRedStartQueueLen, hpnicfRemarkVlanIDIpAclNum=hpnicfRemarkVlanIDIpAclNum, hpnicfPortTrustIfIndex=hpnicfPortTrustIfIndex, hpnicfQueueMaxDelay=hpnicfQueueMaxDelay, hpnicfRemarkVlanIDLinkAclRule=hpnicfRemarkVlanIDLinkAclRule, hpnicfCosToLocalPrecedenceMapLocalPrecedenceValue=hpnicfCosToLocalPrecedenceMapLocalPrecedenceValue, hpnicfPriorityCos=hpnicfPriorityCos, hpnicfBandwidthTable=hpnicfBandwidthTable, hpnicfQueueWeight4=hpnicfQueueWeight4, hpnicfPriorityPolicedServiceDscp=hpnicfPriorityPolicedServiceDscp, hpnicfFlowtempDMac=hpnicfFlowtempDMac, hpnicfRateLimitLinkAclRule=hpnicfRateLimitLinkAclRule, hpnicfWredRedMinThreshold=hpnicfWredRedMinThreshold, hpnicfMirroringGroupMirrorOutTypeList=hpnicfMirroringGroupMirrorOutTypeList, hpnicfStatisticByteCount=hpnicfStatisticByteCount, hpnicfMirrorRowStatus=hpnicfMirrorRowStatus, hpnicfBandwidthWeight=hpnicfBandwidthWeight, hpnicfPriorityEntry=hpnicfPriorityEntry, hpnicfDscpToDscpMapReset=hpnicfDscpToDscpMapReset, hpnicfWredYellowMinThreshold=hpnicfWredYellowMinThreshold, hpnicfDscpToLocalPreMapTable=hpnicfDscpToLocalPreMapTable, hpnicfMirrorToIfIndex=hpnicfMirrorToIfIndex, hpnicfRedIpAclNum=hpnicfRedIpAclNum, hpnicfStatisticUserAclRule=hpnicfStatisticUserAclRule, hpnicfRemarkVlanIDUserAclNum=hpnicfRemarkVlanIDUserAclNum, hpnicfMirrorUserAclNum=hpnicfMirrorUserAclNum, hpnicfFlowtempIcmpType=hpnicfFlowtempIcmpType, hpnicfWredEntry=hpnicfWredEntry, hpnicfMirroringGroupID=hpnicfMirroringGroupID, hpnicfDropModeEntry=hpnicfDropModeEntry, hpnicfPortQueueTable=hpnicfPortQueueTable, hpnicfWredYellowMaxProb=hpnicfWredYellowMaxProb, hpnicfPriorityRowStatus=hpnicfPriorityRowStatus, hpnicfFlowtempEntry=hpnicfFlowtempEntry, hpnicfMirroringGroupMonitorType=hpnicfMirroringGroupMonitorType, hpnicfExpMapDropPrecedence=hpnicfExpMapDropPrecedence, hpnicfExpMapConformLevel=hpnicfExpMapConformLevel, hpnicfRedirectRemarkedPri=hpnicfRedirectRemarkedPri, hpnicfRedirectToNextHop1=hpnicfRedirectToNextHop1, hpnicfRateLimitPeakRate=hpnicfRateLimitPeakRate, hpnicfPriorityAclIndex=hpnicfPriorityAclIndex, hpnicfRedirectRowStatus=hpnicfRedirectRowStatus, hpnicfRateLimitIpAclNum=hpnicfRateLimitIpAclNum, hpnicfStatisticPacketCount=hpnicfStatisticPacketCount, hpnicfDscpToDropPreMapTable=hpnicfDscpToDropPreMapTable, hpnicfPortWredTable=hpnicfPortWredTable, hpnicfMirroringGroupMirrorVlanID=hpnicfMirroringGroupMirrorVlanID, hpnicfMirrorAclIndex=hpnicfMirrorAclIndex, hpnicfQueueWeight1=hpnicfQueueWeight1, hpnicfRateLimitTargetRateKbps=hpnicfRateLimitTargetRateKbps, hpnicfTrafficShapeIfIndex=hpnicfTrafficShapeIfIndex, hpnicfDscpToLocalPreMapLocalPreVal=hpnicfDscpToLocalPreMapLocalPreVal, hpnicfQueueScheduleMode=hpnicfQueueScheduleMode, hpnicfBandwidthIpAclRule=hpnicfBandwidthIpAclRule, hpnicfRedirectUserAclNum=hpnicfRedirectUserAclNum, hpnicfBandwidthDirection=hpnicfBandwidthDirection, hpnicfTrafficShapeBufferLimit=hpnicfTrafficShapeBufferLimit, hpnicfBandwidthRowStatus=hpnicfBandwidthRowStatus, hpnicfFlowtempIcmpCode=hpnicfFlowtempIcmpCode, hpnicfCosToDscpMapDscpValue=hpnicfCosToDscpMapDscpValue, hpnicfRemarkVlanIDRowStatus=hpnicfRemarkVlanIDRowStatus, hpnicfFlowtempSMac=hpnicfFlowtempSMac, hpnicfRedStopQueueLen=hpnicfRedStopQueueLen, hpnicfMirroringGroupReflectorRowStatus=hpnicfMirroringGroupReflectorRowStatus, hpnicfFlowtempDscp=hpnicfFlowtempDscp, hpnicfLineRateDirection=hpnicfLineRateDirection, hpnicfMirroringGroupEntry=hpnicfMirroringGroupEntry, hpnicfRedirectUserAclRule=hpnicfRedirectUserAclRule, hpnicfMirrorGroupMirrorIfIndexList=hpnicfMirrorGroupMirrorIfIndexList, hpnicfPriorityCosFromIpPre=hpnicfPriorityCosFromIpPre, hpnicfFlowtempEnableEntry=hpnicfFlowtempEnableEntry, hpnicfCosToLocalPrecedenceMapTable=hpnicfCosToLocalPrecedenceMapTable, hpnicfRedirectTable=hpnicfRedirectTable, hpnicfCosToDropPrecedenceMapDropPrecedenceValue=hpnicfCosToDropPrecedenceMapDropPrecedenceValue, hpnicfLswQosAclMib=hpnicfLswQosAclMib, hpnicfRedirectRemarkedDSCP=hpnicfRedirectRemarkedDSCP, hpnicfDscpMapEntry=hpnicfDscpMapEntry, hpnicfExpMapEntry=hpnicfExpMapEntry, hpnicfDscpToDropPreMapEntry=hpnicfDscpToDropPreMapEntry, hpnicfRateLimitConformDscp=hpnicfRateLimitConformDscp, hpnicfRedIfIndex=hpnicfRedIfIndex, hpnicfMirrorDirection=hpnicfMirrorDirection, hpnicfDscpToDscpMapTable=hpnicfDscpToDscpMapTable, hpnicfBandwidthLinkAclRule=hpnicfBandwidthLinkAclRule, hpnicfDscpToCosMapCosValue=hpnicfDscpToCosMapCosValue, hpnicfLineRateTable=hpnicfLineRateTable, hpnicfPortWredQueueStartLength=hpnicfPortWredQueueStartLength, hpnicfPortMirrorTable=hpnicfPortMirrorTable, hpnicfRemarkVlanIDEntry=hpnicfRemarkVlanIDEntry, hpnicfTrafficShapeQueueId=hpnicfTrafficShapeQueueId, hpnicfCosToDscpMapReSet=hpnicfCosToDscpMapReSet, hpnicfRemarkVlanIDAclIndex=hpnicfRemarkVlanIDAclIndex, hpnicfRedirectDirection=hpnicfRedirectDirection, hpnicfWredExponent=hpnicfWredExponent, hpnicfFlowtempVlanId=hpnicfFlowtempVlanId, hpnicfDscpToLocalPreMapEntry=hpnicfDscpToLocalPreMapEntry, hpnicfDscpMapConformLevel=hpnicfDscpMapConformLevel, hpnicfBandwidthAclIndex=hpnicfBandwidthAclIndex, hpnicfPriorityLinkAclRule=hpnicfPriorityLinkAclRule, hpnicfLocalPrecedenceMapCosValue=hpnicfLocalPrecedenceMapCosValue, hpnicfExpMapTable=hpnicfExpMapTable, hpnicfBandwidthLinkAclNum=hpnicfBandwidthLinkAclNum, hpnicfMirrorMacVlanID=hpnicfMirrorMacVlanID, hpnicfRemarkVlanIDLinkAclNum=hpnicfRemarkVlanIDLinkAclNum, hpnicfRateLimitEntry=hpnicfRateLimitEntry, hpnicfFlowtempEnableVlanID=hpnicfFlowtempEnableVlanID, hpnicfRedirectToCpu=hpnicfRedirectToCpu, hpnicfBandwidthMinGuaranteedWidth=hpnicfBandwidthMinGuaranteedWidth, hpnicfMirroringGroupReflectorTable=hpnicfMirroringGroupReflectorTable, hpnicfPriorityPolicedServiceExp=hpnicfPriorityPolicedServiceExp, hpnicfStatisticRowStatus=hpnicfStatisticRowStatus, hpnicfMirroringGroupMirrorVlanTable=hpnicfMirroringGroupMirrorVlanTable, hpnicfPriorityIpAclRule=hpnicfPriorityIpAclRule, hpnicfMirrorIpAclRule=hpnicfMirrorIpAclRule, hpnicfMirroringGroupMirrorMac=hpnicfMirroringGroupMirrorMac, hpnicfRemarkVlanIDRemarkVlanID=hpnicfRemarkVlanIDRemarkVlanID, hpnicfPriorityDirection=hpnicfPriorityDirection, hpnicfPortMirrorRowStatus=hpnicfPortMirrorRowStatus, hpnicfDscpToDscpMapDscpValue=hpnicfDscpToDscpMapDscpValue, hpnicfRateLimitConformActionType=hpnicfRateLimitConformActionType, hpnicfMirroringGroupMirrorMacTable=hpnicfMirroringGroupMirrorMacTable, hpnicfRedirectRuntime=hpnicfRedirectRuntime, hpnicfRateLimitExceedActionType=hpnicfRateLimitExceedActionType, hpnicfMirrorGroupMonitorIfIndex=hpnicfMirrorGroupMonitorIfIndex, hpnicfPriorityIpPre=hpnicfPriorityIpPre, hpnicfRateLimitMeterStatState=hpnicfRateLimitMeterStatState, hpnicfMirroringGroupStatus=hpnicfMirroringGroupStatus, hpnicfQueueEntry=hpnicfQueueEntry, hpnicfPortMonitorBothIfIndex=hpnicfPortMonitorBothIfIndex, hpnicfRateLimitTargetRateMbps=hpnicfRateLimitTargetRateMbps, hpnicfStatisticDirection=hpnicfStatisticDirection, hpnicfMirroringGroupMirroVlanStatus=hpnicfMirroringGroupMirroVlanStatus, hpnicfPriorityPolicedServiceLoaclPre=hpnicfPriorityPolicedServiceLoaclPre, hpnicfRedLinkAclNum=hpnicfRedLinkAclNum, hpnicfExpMapLocalPrecedence=hpnicfExpMapLocalPrecedence, hpnicfFlowtempCos=hpnicfFlowtempCos, hpnicfRedirectIpAclRule=hpnicfRedirectIpAclRule, hpnicfRateLimitRuntime=hpnicfRateLimitRuntime, hpnicfMirrorGroupID=hpnicfMirrorGroupID, hpnicfMirroringGroupRowStatus=hpnicfMirroringGroupRowStatus, hpnicfMirroringGroupMirrorMacEntry=hpnicfMirroringGroupMirrorMacEntry, hpnicfMirroringGroupMirrorMacSeq=hpnicfMirroringGroupMirrorMacSeq, hpnicfMirroringGroupMonitorRowStatus=hpnicfMirroringGroupMonitorRowStatus, hpnicfWredGreenMaxProb=hpnicfWredGreenMaxProb, hpnicfStatisticCountClear=hpnicfStatisticCountClear, hpnicfMirrorToGroup=hpnicfMirrorToGroup, hpnicfBandwidthMaxGuaranteedWidth=hpnicfBandwidthMaxGuaranteedWidth, hpnicfDscpMapDropPrecedence=hpnicfDscpMapDropPrecedence, hpnicfMirrorIpAclNum=hpnicfMirrorIpAclNum, hpnicfStatisticIpAclRule=hpnicfStatisticIpAclRule, hpnicfBandwidthIpAclNum=hpnicfBandwidthIpAclNum, hpnicfRedRuntime=hpnicfRedRuntime, hpnicfMirrorTable=hpnicfMirrorTable, hpnicfFlowtempDPort=hpnicfFlowtempDPort, hpnicfPriorityVlanID=hpnicfPriorityVlanID, hpnicfDropModeIfIndex=hpnicfDropModeIfIndex, hpnicfMirrorLinkAclRule=hpnicfMirrorLinkAclRule, hpnicfPriorityTrustMode=hpnicfPriorityTrustMode, hpnicfRemarkVlanIDVlanID=hpnicfRemarkVlanIDVlanID, hpnicfRedirectToNestedVlanID=hpnicfRedirectToNestedVlanID, hpnicfRedirectMode=hpnicfRedirectMode, PYSNMP_MODULE_ID=hpnicfLswQosAclMib, hpnicfStatisticLinkAclRule=hpnicfStatisticLinkAclRule, hpnicfLocalPrecedenceMapLocalPrecedenceIndex=hpnicfLocalPrecedenceMapLocalPrecedenceIndex, hpnicfCosToLocalPrecedenceMapEntry=hpnicfCosToLocalPrecedenceMapEntry, hpnicfLineRateEntry=hpnicfLineRateEntry, hpnicfPriorityLocalPre=hpnicfPriorityLocalPre, hpnicfPortMirrorDirection=hpnicfPortMirrorDirection, hpnicfRemarkVlanIDUserAclRule=hpnicfRemarkVlanIDUserAclRule, hpnicfDscpToDropPreMapDscpIndex=hpnicfDscpToDropPreMapDscpIndex, hpnicfPriorityUserAclRule=hpnicfPriorityUserAclRule, hpnicfExpMapExpIndex=hpnicfExpMapExpIndex, hpnicfBandwidthVlanID=hpnicfBandwidthVlanID, hpnicfCosToDscpMapEntry=hpnicfCosToDscpMapEntry, hpnicfRedirectToSlotNo=hpnicfRedirectToSlotNo, hpnicfRateLimitIpAclRule=hpnicfRateLimitIpAclRule, hpnicfMirrorToCpu=hpnicfMirrorToCpu, hpnicfRedEntry=hpnicfRedEntry, hpnicfRemarkVlanIDPacketType=hpnicfRemarkVlanIDPacketType)
mibBuilder.exportSymbols("HPN-ICF-LswQos-MIB", hpnicfRedDirection=hpnicfRedDirection, hpnicfFlowtempDIp=hpnicfFlowtempDIp, hpnicfRedirectTargetVlanID=hpnicfRedirectTargetVlanID, hpnicfMirroringGroupTable=hpnicfMirroringGroupTable, hpnicfRateLimitConformLocalPre=hpnicfRateLimitConformLocalPre, hpnicfMirroringGroupMonitorEntry=hpnicfMirroringGroupMonitorEntry, hpnicfRateLimitLinkAclNum=hpnicfRateLimitLinkAclNum, hpnicfQueueWeight8=hpnicfQueueWeight8, hpnicfFlowtempSIp=hpnicfFlowtempSIp, hpnicfWredGreenMaxThreshold=hpnicfWredGreenMaxThreshold, hpnicfDscpToCosMapEntry=hpnicfDscpToCosMapEntry, hpnicfPriorityIpAclNum=hpnicfPriorityIpAclNum, hpnicfQueueWeight6=hpnicfQueueWeight6, hpnicfDscpToDscpMapDscpIndex=hpnicfDscpToDscpMapDscpIndex, hpnicfPriorityTable=hpnicfPriorityTable, hpnicfMirroringGroupMirrorInboundIfIndexList=hpnicfMirroringGroupMirrorInboundIfIndexList, hpnicfPriorityDscp=hpnicfPriorityDscp, hpnicfRateLimitMeterStatByteXCount=hpnicfRateLimitMeterStatByteXCount, hpnicfDscpToDropPreMapDropPreVal=hpnicfDscpToDropPreMapDropPreVal, hpnicfRedirectIfIndex=hpnicfRedirectIfIndex, hpnicfMirrorLinkAclNum=hpnicfMirrorLinkAclNum, hpnicfPortQueueQueueID=hpnicfPortQueueQueueID, hpnicfMirrorGroupDirection=hpnicfMirrorGroupDirection, hpnicfFlowtempVpn=hpnicfFlowtempVpn, hpnicfPortWredEntry=hpnicfPortWredEntry, hpnicfDscpToCosMapDscpIndex=hpnicfDscpToCosMapDscpIndex, hpnicfRemarkVlanIDTable=hpnicfRemarkVlanIDTable, hpnicfFlowtempRowStatus=hpnicfFlowtempRowStatus, hpnicfCosToDropPrecedenceMapCosIndex=hpnicfCosToDropPrecedenceMapCosIndex, hpnicfRemarkVlanIDIfIndex=hpnicfRemarkVlanIDIfIndex, hpnicfPortWredQueueID=hpnicfPortWredQueueID, hpnicfExpMapCosValue=hpnicfExpMapCosValue, hpnicfDscpMapLocalPrecedence=hpnicfDscpMapLocalPrecedence, hpnicfPriorityIpPreFromCos=hpnicfPriorityIpPreFromCos, hpnicfDropModeTable=hpnicfDropModeTable, hpnicfMirroringGroupRprobeVlanRowStatus=hpnicfMirroringGroupRprobeVlanRowStatus, hpnicfPriorityUserAclNum=hpnicfPriorityUserAclNum, hpnicfPortTrustTrustType=hpnicfPortTrustTrustType, hpnicfFlowtempEnableIfIndex=hpnicfFlowtempEnableIfIndex, hpnicfPortTrustReset=hpnicfPortTrustReset, hpnicfMirrorGroupEntry=hpnicfMirrorGroupEntry, hpnicfFlowtempIpPre=hpnicfFlowtempIpPre, hpnicfPriorityPolicedServiceCos=hpnicfPriorityPolicedServiceCos, hpnicfMirroringGroupMonitorIfIndex=hpnicfMirroringGroupMonitorIfIndex, hpnicfFlowtempEnableTable=hpnicfFlowtempEnableTable, hpnicfCosToDropPrecedenceMapTable=hpnicfCosToDropPrecedenceMapTable, hpnicfStatisticIpAclNum=hpnicfStatisticIpAclNum, hpnicfStatisticPacketXCount=hpnicfStatisticPacketXCount, hpnicfFlowtempFragment=hpnicfFlowtempFragment, hpnicfTrafficShapeEntry=hpnicfTrafficShapeEntry, hpnicfRedirectLinkAclNum=hpnicfRedirectLinkAclNum, hpnicfWredRedMaxProb=hpnicfWredRedMaxProb, hpnicfMirroringGroupMirrorEntry=hpnicfMirroringGroupMirrorEntry, hpnicfTrafficShapeRowStatus=hpnicfTrafficShapeRowStatus, hpnicfStatisticLinkAclNum=hpnicfStatisticLinkAclNum, hpnicfDscpToCosMapTable=hpnicfDscpToCosMapTable, hpnicfRateLimitExceedDscp=hpnicfRateLimitExceedDscp, hpnicfLineRateValue=hpnicfLineRateValue, hpnicfRemarkVlanIDIpAclRule=hpnicfRemarkVlanIDIpAclRule, hpnicfMirroringGroupReflectorIfIndex=hpnicfMirroringGroupReflectorIfIndex, hpnicfStatisticRuntime=hpnicfStatisticRuntime, hpnicfRateLimitCBS=hpnicfRateLimitCBS, hpnicfRedRowStatus=hpnicfRedRowStatus, hpnicfRemarkVlanIDDirection=hpnicfRemarkVlanIDDirection, hpnicfStatisticVlanID=hpnicfStatisticVlanID, hpnicfQueueIfIndex=hpnicfQueueIfIndex, hpnicfLswQosMibObject=hpnicfLswQosMibObject, hpnicfLocalPrecedenceMapConformLevel=hpnicfLocalPrecedenceMapConformLevel, hpnicfRateLimitRowStatus=hpnicfRateLimitRowStatus, hpnicfPriorityIfIndex=hpnicfPriorityIfIndex, hpnicfRateLimitIfIndex=hpnicfRateLimitIfIndex, hpnicfRateLimitEBS=hpnicfRateLimitEBS, hpnicfMirroringGroupMirroMacStatus=hpnicfMirroringGroupMirroMacStatus, hpnicfRateLimitDirection=hpnicfRateLimitDirection, hpnicfPortQueueEntry=hpnicfPortQueueEntry, hpnicfCosToDscpMapCosIndex=hpnicfCosToDscpMapCosIndex, hpnicfFlowtempSMacMask=hpnicfFlowtempSMacMask, hpnicfRedirectIpAclNum=hpnicfRedirectIpAclNum, hpnicfRedTable=hpnicfRedTable, hpnicfFlowtempTable=hpnicfFlowtempTable, hpnicfPortWredIfIndex=hpnicfPortWredIfIndex, hpnicfRedIpAclRule=hpnicfRedIpAclRule, hpnicfWredTable=hpnicfWredTable, hpnicfRedLinkAclRule=hpnicfRedLinkAclRule, hpnicfDscpMapTable=hpnicfDscpMapTable, hpnicfWredYellowMaxThreshold=hpnicfWredYellowMaxThreshold, hpnicfDscpToDscpMapEntry=hpnicfDscpToDscpMapEntry, hpnicfFlowtempIpProtocol=hpnicfFlowtempIpProtocol, hpnicfQueueWeight7=hpnicfQueueWeight7, hpnicfDscpToLocalPreMapDscpIndex=hpnicfDscpToLocalPreMapDscpIndex, hpnicfMirroringGroupMirrorVlanDirection=hpnicfMirroringGroupMirrorVlanDirection, hpnicfRateLimitExceedCos=hpnicfRateLimitExceedCos, hpnicfPortMirrorEntry=hpnicfPortMirrorEntry, hpnicfRedirectToModifiedVlanID=hpnicfRedirectToModifiedVlanID, hpnicfDscpMapExpValue=hpnicfDscpMapExpValue, hpnicfPriorityPolicedServiceDropPriority=hpnicfPriorityPolicedServiceDropPriority, hpnicfMirrorGroupTable=hpnicfMirrorGroupTable, hpnicfRedirectToIfIndex=hpnicfRedirectToIfIndex, hpnicfQueueTable=hpnicfQueueTable, hpnicfRedirectToNextHop2=hpnicfRedirectToNextHop2, hpnicfRateLimitUserAclRule=hpnicfRateLimitUserAclRule, hpnicfFlowtempDMacMask=hpnicfFlowtempDMacMask, hpnicfWredIndex=hpnicfWredIndex, hpnicfDropModeWredIndex=hpnicfDropModeWredIndex, hpnicfWredQueueId=hpnicfWredQueueId, hpnicfLineRateIfIndex=hpnicfLineRateIfIndex, hpnicfBandwidthRuntime=hpnicfBandwidthRuntime, hpnicfDscpToCosMapReset=hpnicfDscpToCosMapReset, hpnicfQueueWeight5=hpnicfQueueWeight5, hpnicfMirroringGroupMirrorTable=hpnicfMirroringGroupMirrorTable, hpnicfPriorityLinkAclNum=hpnicfPriorityLinkAclNum, hpnicfPortWredQueueProbability=hpnicfPortWredQueueProbability, hpnicfBandwidthEntry=hpnicfBandwidthEntry, hpnicfTrafficShapeMaxRate=hpnicfTrafficShapeMaxRate, hpnicfMirroringGroupRprobeVlanEntry=hpnicfMirroringGroupRprobeVlanEntry, hpnicfRedAclIndex=hpnicfRedAclIndex, hpnicfFlowtempTos=hpnicfFlowtempTos, hpnicfMirrorRuntime=hpnicfMirrorRuntime)
| (integer, object_identifier, octet_string) = mibBuilder.importSymbols('ASN1', 'Integer', 'ObjectIdentifier', 'OctetString')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(value_size_constraint, value_range_constraint, constraints_intersection, single_value_constraint, constraints_union) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueSizeConstraint', 'ValueRangeConstraint', 'ConstraintsIntersection', 'SingleValueConstraint', 'ConstraintsUnion')
(hpnicflsw_common,) = mibBuilder.importSymbols('HPN-ICF-OID-MIB', 'hpnicflswCommon')
(notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance')
(object_identity, counter64, iso, ip_address, mib_scalar, mib_table, mib_table_row, mib_table_column, mib_identifier, module_identity, time_ticks, bits, unsigned32, integer32, counter32, notification_type, gauge32) = mibBuilder.importSymbols('SNMPv2-SMI', 'ObjectIdentity', 'Counter64', 'iso', 'IpAddress', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'MibIdentifier', 'ModuleIdentity', 'TimeTicks', 'Bits', 'Unsigned32', 'Integer32', 'Counter32', 'NotificationType', 'Gauge32')
(row_status, display_string, mac_address, textual_convention, truth_value) = mibBuilder.importSymbols('SNMPv2-TC', 'RowStatus', 'DisplayString', 'MacAddress', 'TextualConvention', 'TruthValue')
hpnicf_lsw_qos_acl_mib = module_identity((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16))
hpnicfLswQosAclMib.setRevisions(('2002-11-19 00:00',))
if mibBuilder.loadTexts:
hpnicfLswQosAclMib.setLastUpdated('200211190000Z')
if mibBuilder.loadTexts:
hpnicfLswQosAclMib.setOrganization('')
class Hpnicfmirrorormonitortype(TextualConvention, Integer32):
status = 'current'
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2))
named_values = named_values(('port', 1), ('board', 2))
hpnicf_lsw_qos_mib_object = mib_identifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2))
hpnicf_priority_trust_mode = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4))).clone(namedValues=named_values(('default', 0), ('dscp', 1), ('ipprecedence', 2), ('cos', 3), ('localprecedence', 4)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfPriorityTrustMode.setStatus('current')
hpnicf_port_monitor_both_if_index = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 2), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfPortMonitorBothIfIndex.setStatus('current')
hpnicf_queue_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 3))
if mibBuilder.loadTexts:
hpnicfQueueTable.setStatus('current')
hpnicf_queue_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 3, 1)).setIndexNames((0, 'HPN-ICF-LswQos-MIB', 'hpnicfQueueIfIndex'))
if mibBuilder.loadTexts:
hpnicfQueueEntry.setStatus('current')
hpnicf_queue_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 3, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfQueueIfIndex.setStatus('current')
hpnicf_queue_schedule_mode = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 3, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=named_values(('sp', 1), ('wrr', 2), ('wrr-max-delay', 3), ('sc-0', 4), ('sc-1', 5), ('sc-2', 6), ('rr', 7), ('wfq', 8), ('hq-wrr', 9))).clone('sp')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfQueueScheduleMode.setStatus('current')
hpnicf_queue_weight1 = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 3, 1, 3), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfQueueWeight1.setStatus('current')
hpnicf_queue_weight2 = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 3, 1, 4), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfQueueWeight2.setStatus('current')
hpnicf_queue_weight3 = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 3, 1, 5), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfQueueWeight3.setStatus('current')
hpnicf_queue_weight4 = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 3, 1, 6), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfQueueWeight4.setStatus('current')
hpnicf_queue_max_delay = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 3, 1, 7), integer32().subtype(subtypeSpec=value_range_constraint(0, 255))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfQueueMaxDelay.setStatus('current')
hpnicf_queue_weight5 = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 3, 1, 8), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfQueueWeight5.setStatus('current')
hpnicf_queue_weight6 = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 3, 1, 9), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfQueueWeight6.setStatus('current')
hpnicf_queue_weight7 = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 3, 1, 10), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfQueueWeight7.setStatus('current')
hpnicf_queue_weight8 = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 3, 1, 11), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfQueueWeight8.setStatus('current')
hpnicf_rate_limit_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4))
if mibBuilder.loadTexts:
hpnicfRateLimitTable.setStatus('current')
hpnicf_rate_limit_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1)).setIndexNames((0, 'HPN-ICF-LswQos-MIB', 'hpnicfRateLimitAclIndex'), (0, 'HPN-ICF-LswQos-MIB', 'hpnicfRateLimitIfIndex'), (0, 'HPN-ICF-LswQos-MIB', 'hpnicfRateLimitVlanID'), (0, 'HPN-ICF-LswQos-MIB', 'hpnicfRateLimitDirection'))
if mibBuilder.loadTexts:
hpnicfRateLimitEntry.setStatus('current')
hpnicf_rate_limit_acl_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 2999))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRateLimitAclIndex.setStatus('current')
hpnicf_rate_limit_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 2), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRateLimitIfIndex.setStatus('current')
hpnicf_rate_limit_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 4094))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRateLimitVlanID.setStatus('current')
hpnicf_rate_limit_direction = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('invalid', 0), ('input', 1), ('output', 2)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRateLimitDirection.setStatus('current')
hpnicf_rate_limit_user_acl_num = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 5), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(5000, 5999), value_range_constraint(10000, 12999)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRateLimitUserAclNum.setStatus('current')
hpnicf_rate_limit_user_acl_rule = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRateLimitUserAclRule.setStatus('current')
hpnicf_rate_limit_ip_acl_num = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 7), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(2000, 3999), value_range_constraint(10000, 12999)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRateLimitIpAclNum.setStatus('current')
hpnicf_rate_limit_ip_acl_rule = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 8), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRateLimitIpAclRule.setStatus('current')
hpnicf_rate_limit_link_acl_num = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 9), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(4000, 4999), value_range_constraint(10000, 12999)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRateLimitLinkAclNum.setStatus('current')
hpnicf_rate_limit_link_acl_rule = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRateLimitLinkAclRule.setStatus('current')
hpnicf_rate_limit_target_rate_mbps = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 11), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRateLimitTargetRateMbps.setStatus('current')
hpnicf_rate_limit_target_rate_kbps = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 12), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRateLimitTargetRateKbps.setStatus('current')
hpnicf_rate_limit_peak_rate = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 13), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(64, 8388608)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRateLimitPeakRate.setStatus('current')
hpnicf_rate_limit_cir = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 14), integer32().subtype(subtypeSpec=value_range_constraint(0, 34120000))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRateLimitCIR.setStatus('current')
hpnicf_rate_limit_cbs = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 15), integer32().subtype(subtypeSpec=value_range_constraint(0, 1048575))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRateLimitCBS.setStatus('current')
hpnicf_rate_limit_ebs = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 16), integer32().subtype(subtypeSpec=value_range_constraint(0, 268435455))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRateLimitEBS.setStatus('current')
hpnicf_rate_limit_pir = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 17), integer32().subtype(subtypeSpec=value_range_constraint(0, 34120000))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRateLimitPIR.setStatus('current')
hpnicf_rate_limit_conform_local_pre = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 18), integer32().clone(1)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRateLimitConformLocalPre.setStatus('current')
hpnicf_rate_limit_conform_action_type = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 19), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5))).clone(namedValues=named_values(('invalid', 0), ('remark-cos', 1), ('remark-drop-priority', 2), ('remark-cos-drop-priority', 3), ('remark-policed-service', 4), ('remark-dscp', 5))).clone(1)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRateLimitConformActionType.setStatus('current')
hpnicf_rate_limit_exceed_action_type = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 20), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4))).clone(namedValues=named_values(('invalid', 0), ('forward', 1), ('drop', 2), ('remarkdscp', 3), ('exceed-cos', 4))).clone(1)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRateLimitExceedActionType.setStatus('current')
hpnicf_rate_limit_exceed_dscp = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 21), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 63), value_range_constraint(255, 255))).clone(255)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRateLimitExceedDscp.setStatus('current')
hpnicf_rate_limit_runtime = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 22), truth_value()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfRateLimitRuntime.setStatus('current')
hpnicf_rate_limit_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 23), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRateLimitRowStatus.setStatus('current')
hpnicf_rate_limit_exceed_cos = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 24), integer32().clone(255)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRateLimitExceedCos.setStatus('current')
hpnicf_rate_limit_conform_cos = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 25), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 7), value_range_constraint(255, 255))).clone(255)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRateLimitConformCos.setStatus('current')
hpnicf_rate_limit_conform_dscp = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 26), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 63), value_range_constraint(255, 255))).clone(255)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRateLimitConformDscp.setStatus('current')
hpnicf_rate_limit_meter_stat_byte_count = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 27), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfRateLimitMeterStatByteCount.setStatus('current')
hpnicf_rate_limit_meter_stat_byte_x_count = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 28), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfRateLimitMeterStatByteXCount.setStatus('current')
hpnicf_rate_limit_meter_stat_state = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 4, 1, 29), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('set', 1), ('unDo', 2), ('reset', 3), ('running', 4), ('notRunning', 5)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRateLimitMeterStatState.setStatus('current')
hpnicf_priority_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5))
if mibBuilder.loadTexts:
hpnicfPriorityTable.setStatus('current')
hpnicf_priority_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1)).setIndexNames((0, 'HPN-ICF-LswQos-MIB', 'hpnicfPriorityAclIndex'), (0, 'HPN-ICF-LswQos-MIB', 'hpnicfPriorityIfIndex'), (0, 'HPN-ICF-LswQos-MIB', 'hpnicfPriorityVlanID'), (0, 'HPN-ICF-LswQos-MIB', 'hpnicfPriorityDirection'))
if mibBuilder.loadTexts:
hpnicfPriorityEntry.setStatus('current')
hpnicf_priority_acl_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 2999))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfPriorityAclIndex.setStatus('current')
hpnicf_priority_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 2), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfPriorityIfIndex.setStatus('current')
hpnicf_priority_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 4094))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfPriorityVlanID.setStatus('current')
hpnicf_priority_direction = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('invalid', 0), ('input', 1), ('output', 2)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfPriorityDirection.setStatus('current')
hpnicf_priority_user_acl_num = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 5), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(5000, 5999), value_range_constraint(10000, 12999)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfPriorityUserAclNum.setStatus('current')
hpnicf_priority_user_acl_rule = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfPriorityUserAclRule.setStatus('current')
hpnicf_priority_ip_acl_num = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 7), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(2000, 3999), value_range_constraint(10000, 12999)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfPriorityIpAclNum.setStatus('current')
hpnicf_priority_ip_acl_rule = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 8), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfPriorityIpAclRule.setStatus('current')
hpnicf_priority_link_acl_num = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 9), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(4000, 4999), value_range_constraint(10000, 12999)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfPriorityLinkAclNum.setStatus('current')
hpnicf_priority_link_acl_rule = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfPriorityLinkAclRule.setStatus('current')
hpnicf_priority_dscp = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 11), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 63), value_range_constraint(255, 255))).clone(255)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfPriorityDscp.setStatus('current')
hpnicf_priority_ip_pre = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 12), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 7), value_range_constraint(255, 255))).clone(255)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfPriorityIpPre.setStatus('current')
hpnicf_priority_ip_pre_from_cos = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 13), truth_value().clone(2)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfPriorityIpPreFromCos.setStatus('current')
hpnicf_priority_cos = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 14), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 7), value_range_constraint(255, 255))).clone(255)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfPriorityCos.setStatus('current')
hpnicf_priority_cos_from_ip_pre = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 15), truth_value().clone(2)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfPriorityCosFromIpPre.setStatus('current')
hpnicf_priority_local_pre = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 16), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 7), value_range_constraint(255, 255))).clone(255)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfPriorityLocalPre.setStatus('current')
hpnicf_priority_policed_service_type = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 17), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4))).clone(namedValues=named_values(('invalid', 0), ('auto', 1), ('trust-dscp', 2), ('new-dscp', 3), ('untrusted', 4)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfPriorityPolicedServiceType.setStatus('current')
hpnicf_priority_policed_service_dscp = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 18), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 63), value_range_constraint(255, 255))).clone(255)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfPriorityPolicedServiceDscp.setStatus('current')
hpnicf_priority_policed_service_exp = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 19), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 7), value_range_constraint(255, 255))).clone(255)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfPriorityPolicedServiceExp.setStatus('current')
hpnicf_priority_policed_service_cos = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 20), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 7), value_range_constraint(255, 255))).clone(255)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfPriorityPolicedServiceCos.setStatus('current')
hpnicf_priority_policed_service_loacl_pre = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 21), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 7), value_range_constraint(255, 255))).clone(255)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfPriorityPolicedServiceLoaclPre.setStatus('current')
hpnicf_priority_policed_service_drop_priority = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 22), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 2), value_range_constraint(255, 255))).clone(255)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfPriorityPolicedServiceDropPriority.setStatus('current')
hpnicf_priority_runtime = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 23), truth_value()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfPriorityRuntime.setStatus('current')
hpnicf_priority_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 5, 1, 24), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfPriorityRowStatus.setStatus('current')
hpnicf_redirect_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6))
if mibBuilder.loadTexts:
hpnicfRedirectTable.setStatus('current')
hpnicf_redirect_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1)).setIndexNames((0, 'HPN-ICF-LswQos-MIB', 'hpnicfRedirectAclIndex'), (0, 'HPN-ICF-LswQos-MIB', 'hpnicfRedirectIfIndex'), (0, 'HPN-ICF-LswQos-MIB', 'hpnicfRedirectVlanID'), (0, 'HPN-ICF-LswQos-MIB', 'hpnicfRedirectDirection'))
if mibBuilder.loadTexts:
hpnicfRedirectEntry.setStatus('current')
hpnicf_redirect_acl_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 2999))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRedirectAclIndex.setStatus('current')
hpnicf_redirect_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 2), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRedirectIfIndex.setStatus('current')
hpnicf_redirect_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 4094))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRedirectVlanID.setStatus('current')
hpnicf_redirect_direction = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('invalid', 0), ('input', 1), ('output', 2)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRedirectDirection.setStatus('current')
hpnicf_redirect_user_acl_num = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 5), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(5000, 5999), value_range_constraint(10000, 12999)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRedirectUserAclNum.setStatus('current')
hpnicf_redirect_user_acl_rule = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRedirectUserAclRule.setStatus('current')
hpnicf_redirect_ip_acl_num = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 7), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(2000, 3999), value_range_constraint(10000, 12999)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRedirectIpAclNum.setStatus('current')
hpnicf_redirect_ip_acl_rule = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 8), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRedirectIpAclRule.setStatus('current')
hpnicf_redirect_link_acl_num = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 9), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(4000, 4999), value_range_constraint(10000, 12999)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRedirectLinkAclNum.setStatus('current')
hpnicf_redirect_link_acl_rule = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRedirectLinkAclRule.setStatus('current')
hpnicf_redirect_to_cpu = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 11), truth_value().clone(2)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRedirectToCpu.setStatus('current')
hpnicf_redirect_to_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 12), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRedirectToIfIndex.setStatus('current')
hpnicf_redirect_to_next_hop1 = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 13), ip_address()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRedirectToNextHop1.setStatus('current')
hpnicf_redirect_to_next_hop2 = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 14), ip_address()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRedirectToNextHop2.setStatus('current')
hpnicf_redirect_runtime = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 15), truth_value()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfRedirectRuntime.setStatus('current')
hpnicf_redirect_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 16), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRedirectRowStatus.setStatus('current')
hpnicf_redirect_to_slot_no = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 17), integer32().subtype(subtypeSpec=value_range_constraint(1, 16))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRedirectToSlotNo.setStatus('current')
hpnicf_redirect_remarked_dscp = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 18), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 63), value_range_constraint(255, 255))).clone(255)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRedirectRemarkedDSCP.setStatus('current')
hpnicf_redirect_remarked_pri = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 19), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 7), value_range_constraint(255, 255))).clone(255)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRedirectRemarkedPri.setStatus('current')
hpnicf_redirect_remarked_tos = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 20), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 15), value_range_constraint(255, 255))).clone(255)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRedirectRemarkedTos.setStatus('current')
hpnicf_redirect_to_next_hop3 = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 21), ip_address()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRedirectToNextHop3.setStatus('current')
hpnicf_redirect_target_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 22), integer32().subtype(subtypeSpec=value_range_constraint(0, 4094))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRedirectTargetVlanID.setStatus('current')
hpnicf_redirect_mode = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 23), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('strict-priority', 1), ('load-balance', 2))).clone('strict-priority')).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRedirectMode.setStatus('current')
hpnicf_redirect_to_nested_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 24), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRedirectToNestedVlanID.setStatus('current')
hpnicf_redirect_to_modified_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 6, 1, 25), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRedirectToModifiedVlanID.setStatus('current')
hpnicf_statistic_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7))
if mibBuilder.loadTexts:
hpnicfStatisticTable.setStatus('current')
hpnicf_statistic_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7, 1)).setIndexNames((0, 'HPN-ICF-LswQos-MIB', 'hpnicfStatisticAclIndex'), (0, 'HPN-ICF-LswQos-MIB', 'hpnicfStatisticIfIndex'), (0, 'HPN-ICF-LswQos-MIB', 'hpnicfStatisticVlanID'), (0, 'HPN-ICF-LswQos-MIB', 'hpnicfStatisticDirection'))
if mibBuilder.loadTexts:
hpnicfStatisticEntry.setStatus('current')
hpnicf_statistic_acl_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 2999))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfStatisticAclIndex.setStatus('current')
hpnicf_statistic_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7, 1, 2), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfStatisticIfIndex.setStatus('current')
hpnicf_statistic_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 4094))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfStatisticVlanID.setStatus('current')
hpnicf_statistic_direction = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('invalid', 0), ('input', 1), ('output', 2)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfStatisticDirection.setStatus('current')
hpnicf_statistic_user_acl_num = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7, 1, 5), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(5000, 5999), value_range_constraint(10000, 12999)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfStatisticUserAclNum.setStatus('current')
hpnicf_statistic_user_acl_rule = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfStatisticUserAclRule.setStatus('current')
hpnicf_statistic_ip_acl_num = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7, 1, 7), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(2000, 3999), value_range_constraint(10000, 12999)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfStatisticIpAclNum.setStatus('current')
hpnicf_statistic_ip_acl_rule = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7, 1, 8), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfStatisticIpAclRule.setStatus('current')
hpnicf_statistic_link_acl_num = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7, 1, 9), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(4000, 4999), value_range_constraint(10000, 12999)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfStatisticLinkAclNum.setStatus('current')
hpnicf_statistic_link_acl_rule = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfStatisticLinkAclRule.setStatus('current')
hpnicf_statistic_runtime = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7, 1, 11), truth_value()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfStatisticRuntime.setStatus('current')
hpnicf_statistic_packet_count = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7, 1, 12), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfStatisticPacketCount.setStatus('current')
hpnicf_statistic_byte_count = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7, 1, 13), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfStatisticByteCount.setStatus('current')
hpnicf_statistic_count_clear = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7, 1, 14), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('cleared', 1), ('nouse', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfStatisticCountClear.setStatus('current')
hpnicf_statistic_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7, 1, 15), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfStatisticRowStatus.setStatus('current')
hpnicf_statistic_packet_x_count = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7, 1, 16), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfStatisticPacketXCount.setStatus('current')
hpnicf_statistic_byte_x_count = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 7, 1, 17), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfStatisticByteXCount.setStatus('current')
hpnicf_mirror_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 8))
if mibBuilder.loadTexts:
hpnicfMirrorTable.setStatus('current')
hpnicf_mirror_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 8, 1)).setIndexNames((0, 'HPN-ICF-LswQos-MIB', 'hpnicfMirrorAclIndex'), (0, 'HPN-ICF-LswQos-MIB', 'hpnicfMirrorIfIndex'), (0, 'HPN-ICF-LswQos-MIB', 'hpnicfMirrorVlanID'), (0, 'HPN-ICF-LswQos-MIB', 'hpnicfMirrorDirection'))
if mibBuilder.loadTexts:
hpnicfMirrorEntry.setStatus('current')
hpnicf_mirror_acl_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 8, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 2999))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfMirrorAclIndex.setStatus('current')
hpnicf_mirror_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 8, 1, 2), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfMirrorIfIndex.setStatus('current')
hpnicf_mirror_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 8, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 4094))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfMirrorVlanID.setStatus('current')
hpnicf_mirror_direction = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 8, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('invalid', 0), ('input', 1), ('output', 2)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfMirrorDirection.setStatus('current')
hpnicf_mirror_user_acl_num = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 8, 1, 5), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(5000, 5999), value_range_constraint(10000, 12999)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfMirrorUserAclNum.setStatus('current')
hpnicf_mirror_user_acl_rule = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 8, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfMirrorUserAclRule.setStatus('current')
hpnicf_mirror_ip_acl_num = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 8, 1, 7), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(2000, 3999), value_range_constraint(10000, 12999)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfMirrorIpAclNum.setStatus('current')
hpnicf_mirror_ip_acl_rule = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 8, 1, 8), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfMirrorIpAclRule.setStatus('current')
hpnicf_mirror_link_acl_num = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 8, 1, 9), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(4000, 4999), value_range_constraint(10000, 12999)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfMirrorLinkAclNum.setStatus('current')
hpnicf_mirror_link_acl_rule = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 8, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfMirrorLinkAclRule.setStatus('current')
hpnicf_mirror_to_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 8, 1, 11), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfMirrorToIfIndex.setStatus('current')
hpnicf_mirror_to_cpu = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 8, 1, 12), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfMirrorToCpu.setStatus('current')
hpnicf_mirror_runtime = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 8, 1, 13), truth_value()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfMirrorRuntime.setStatus('current')
hpnicf_mirror_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 8, 1, 14), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfMirrorRowStatus.setStatus('current')
hpnicf_mirror_to_group = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 8, 1, 15), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfMirrorToGroup.setStatus('current')
hpnicf_port_mirror_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 9))
if mibBuilder.loadTexts:
hpnicfPortMirrorTable.setStatus('current')
hpnicf_port_mirror_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 9, 1)).setIndexNames((0, 'HPN-ICF-LswQos-MIB', 'hpnicfPortMirrorIfIndex'))
if mibBuilder.loadTexts:
hpnicfPortMirrorEntry.setStatus('current')
hpnicf_port_mirror_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 9, 1, 1), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfPortMirrorIfIndex.setStatus('current')
hpnicf_port_mirror_direction = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 9, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('in', 1), ('out', 2), ('both', 3)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfPortMirrorDirection.setStatus('current')
hpnicf_port_mirror_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 9, 1, 3), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfPortMirrorRowStatus.setStatus('current')
hpnicf_line_rate_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 10))
if mibBuilder.loadTexts:
hpnicfLineRateTable.setStatus('current')
hpnicf_line_rate_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 10, 1)).setIndexNames((0, 'HPN-ICF-LswQos-MIB', 'hpnicfLineRateIfIndex'), (0, 'HPN-ICF-LswQos-MIB', 'hpnicfLineRateDirection'))
if mibBuilder.loadTexts:
hpnicfLineRateEntry.setStatus('current')
hpnicf_line_rate_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 10, 1, 1), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfLineRateIfIndex.setStatus('current')
hpnicf_line_rate_direction = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('in', 1), ('out', 2)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfLineRateDirection.setStatus('current')
hpnicf_line_rate_value = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 10, 1, 3), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfLineRateValue.setStatus('current')
hpnicf_line_rate_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 10, 1, 4), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfLineRateRowStatus.setStatus('current')
hpnicf_bandwidth_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 11))
if mibBuilder.loadTexts:
hpnicfBandwidthTable.setStatus('current')
hpnicf_bandwidth_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 11, 1)).setIndexNames((0, 'HPN-ICF-LswQos-MIB', 'hpnicfBandwidthAclIndex'), (0, 'HPN-ICF-LswQos-MIB', 'hpnicfBandwidthIfIndex'), (0, 'HPN-ICF-LswQos-MIB', 'hpnicfBandwidthVlanID'), (0, 'HPN-ICF-LswQos-MIB', 'hpnicfBandwidthDirection'))
if mibBuilder.loadTexts:
hpnicfBandwidthEntry.setStatus('current')
hpnicf_bandwidth_acl_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 11, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 2999))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfBandwidthAclIndex.setStatus('current')
hpnicf_bandwidth_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 11, 1, 2), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfBandwidthIfIndex.setStatus('current')
hpnicf_bandwidth_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 11, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 4094))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfBandwidthVlanID.setStatus('current')
hpnicf_bandwidth_direction = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 11, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 2))).clone(namedValues=named_values(('invalid', 0), ('output', 2)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfBandwidthDirection.setStatus('current')
hpnicf_bandwidth_ip_acl_num = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 11, 1, 5), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(2000, 3999), value_range_constraint(10000, 12999)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfBandwidthIpAclNum.setStatus('current')
hpnicf_bandwidth_ip_acl_rule = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 11, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfBandwidthIpAclRule.setStatus('current')
hpnicf_bandwidth_link_acl_num = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 11, 1, 7), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(4000, 4999), value_range_constraint(10000, 12999)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfBandwidthLinkAclNum.setStatus('current')
hpnicf_bandwidth_link_acl_rule = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 11, 1, 8), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfBandwidthLinkAclRule.setStatus('current')
hpnicf_bandwidth_min_guaranteed_width = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 11, 1, 9), integer32().subtype(subtypeSpec=value_range_constraint(1, 8388608))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfBandwidthMinGuaranteedWidth.setStatus('current')
hpnicf_bandwidth_max_guaranteed_width = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 11, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(1, 8388608))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfBandwidthMaxGuaranteedWidth.setStatus('current')
hpnicf_bandwidth_weight = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 11, 1, 11), integer32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfBandwidthWeight.setStatus('current')
hpnicf_bandwidth_runtime = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 11, 1, 12), truth_value()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfBandwidthRuntime.setStatus('current')
hpnicf_bandwidth_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 11, 1, 13), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfBandwidthRowStatus.setStatus('current')
hpnicf_red_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 12))
if mibBuilder.loadTexts:
hpnicfRedTable.setStatus('current')
hpnicf_red_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 12, 1)).setIndexNames((0, 'HPN-ICF-LswQos-MIB', 'hpnicfRedAclIndex'), (0, 'HPN-ICF-LswQos-MIB', 'hpnicfRedIfIndex'), (0, 'HPN-ICF-LswQos-MIB', 'hpnicfRedVlanID'), (0, 'HPN-ICF-LswQos-MIB', 'hpnicfRedDirection'))
if mibBuilder.loadTexts:
hpnicfRedEntry.setStatus('current')
hpnicf_red_acl_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 12, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 2999))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRedAclIndex.setStatus('current')
hpnicf_red_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 12, 1, 2), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRedIfIndex.setStatus('current')
hpnicf_red_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 12, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 4094))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRedVlanID.setStatus('current')
hpnicf_red_direction = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 12, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 2))).clone(namedValues=named_values(('invalid', 0), ('output', 2)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRedDirection.setStatus('current')
hpnicf_red_ip_acl_num = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 12, 1, 5), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(2000, 3999), value_range_constraint(10000, 12999)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRedIpAclNum.setStatus('current')
hpnicf_red_ip_acl_rule = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 12, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRedIpAclRule.setStatus('current')
hpnicf_red_link_acl_num = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 12, 1, 7), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(4000, 4999), value_range_constraint(10000, 12999)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRedLinkAclNum.setStatus('current')
hpnicf_red_link_acl_rule = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 12, 1, 8), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRedLinkAclRule.setStatus('current')
hpnicf_red_start_queue_len = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 12, 1, 9), integer32().subtype(subtypeSpec=value_range_constraint(0, 262128))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfRedStartQueueLen.setStatus('current')
hpnicf_red_stop_queue_len = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 12, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 262128))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfRedStopQueueLen.setStatus('current')
hpnicf_red_probability = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 12, 1, 11), integer32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfRedProbability.setStatus('current')
hpnicf_red_runtime = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 12, 1, 12), truth_value()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfRedRuntime.setStatus('current')
hpnicf_red_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 12, 1, 13), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfRedRowStatus.setStatus('current')
hpnicf_mirror_group_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 13))
if mibBuilder.loadTexts:
hpnicfMirrorGroupTable.setStatus('current')
hpnicf_mirror_group_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 13, 1)).setIndexNames((0, 'HPN-ICF-LswQos-MIB', 'hpnicfMirrorGroupID'))
if mibBuilder.loadTexts:
hpnicfMirrorGroupEntry.setStatus('current')
hpnicf_mirror_group_id = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 13, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 20))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfMirrorGroupID.setStatus('current')
hpnicf_mirror_group_direction = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 13, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('input', 1), ('output', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfMirrorGroupDirection.setStatus('current')
hpnicf_mirror_group_mirror_if_index_list = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 13, 1, 3), octet_string().subtype(subtypeSpec=value_size_constraint(1, 257))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfMirrorGroupMirrorIfIndexList.setStatus('current')
hpnicf_mirror_group_monitor_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 13, 1, 4), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfMirrorGroupMonitorIfIndex.setStatus('current')
hpnicf_mirror_group_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 13, 1, 5), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfMirrorGroupRowStatus.setStatus('current')
hpnicf_flowtemp_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14))
if mibBuilder.loadTexts:
hpnicfFlowtempTable.setStatus('current')
hpnicf_flowtemp_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1)).setIndexNames((0, 'HPN-ICF-LswQos-MIB', 'hpnicfFlowtempIndex'))
if mibBuilder.loadTexts:
hpnicfFlowtempEntry.setStatus('current')
hpnicf_flowtemp_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('default', 1), ('user-defined', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfFlowtempIndex.setStatus('current')
hpnicf_flowtemp_ip_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 2), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfFlowtempIpProtocol.setStatus('current')
hpnicf_flowtemp_tcp_flag = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 3), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfFlowtempTcpFlag.setStatus('current')
hpnicf_flowtemp_s_port = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 4), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfFlowtempSPort.setStatus('current')
hpnicf_flowtemp_d_port = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 5), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfFlowtempDPort.setStatus('current')
hpnicf_flowtemp_icmp_type = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 6), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfFlowtempIcmpType.setStatus('current')
hpnicf_flowtemp_icmp_code = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 7), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfFlowtempIcmpCode.setStatus('current')
hpnicf_flowtemp_fragment = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 8), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfFlowtempFragment.setStatus('current')
hpnicf_flowtemp_dscp = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 9), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfFlowtempDscp.setStatus('current')
hpnicf_flowtemp_ip_pre = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 10), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfFlowtempIpPre.setStatus('current')
hpnicf_flowtemp_tos = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 11), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfFlowtempTos.setStatus('current')
hpnicf_flowtemp_s_ip = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 12), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfFlowtempSIp.setStatus('current')
hpnicf_flowtemp_s_ip_mask = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 13), ip_address()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfFlowtempSIpMask.setStatus('current')
hpnicf_flowtemp_d_ip = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 14), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfFlowtempDIp.setStatus('current')
hpnicf_flowtemp_d_ip_mask = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 15), ip_address()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfFlowtempDIpMask.setStatus('current')
hpnicf_flowtemp_eth_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 16), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfFlowtempEthProtocol.setStatus('current')
hpnicf_flowtemp_s_mac = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 17), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfFlowtempSMac.setStatus('current')
hpnicf_flowtemp_s_mac_mask = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 18), mac_address()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfFlowtempSMacMask.setStatus('current')
hpnicf_flowtemp_d_mac = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 19), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfFlowtempDMac.setStatus('current')
hpnicf_flowtemp_d_mac_mask = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 20), mac_address()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfFlowtempDMacMask.setStatus('current')
hpnicf_flowtemp_vpn = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 21), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfFlowtempVpn.setStatus('current')
hpnicf_flowtemp_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 22), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfFlowtempRowStatus.setStatus('current')
hpnicf_flowtemp_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 23), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfFlowtempVlanId.setStatus('current')
hpnicf_flowtemp_cos = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 14, 1, 24), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfFlowtempCos.setStatus('current')
hpnicf_flowtemp_enable_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 15))
if mibBuilder.loadTexts:
hpnicfFlowtempEnableTable.setStatus('current')
hpnicf_flowtemp_enable_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 15, 1)).setIndexNames((0, 'HPN-ICF-LswQos-MIB', 'hpnicfFlowtempEnableIfIndex'), (0, 'HPN-ICF-LswQos-MIB', 'hpnicfFlowtempEnableVlanID'))
if mibBuilder.loadTexts:
hpnicfFlowtempEnableEntry.setStatus('current')
hpnicf_flowtemp_enable_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 15, 1, 1), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfFlowtempEnableIfIndex.setStatus('current')
hpnicf_flowtemp_enable_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 15, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 4094))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfFlowtempEnableVlanID.setStatus('current')
hpnicf_flowtemp_enable_flowtemp_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 15, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('default', 1), ('user-defined', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfFlowtempEnableFlowtempIndex.setStatus('current')
hpnicf_traffic_shape_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 16))
if mibBuilder.loadTexts:
hpnicfTrafficShapeTable.setStatus('current')
hpnicf_traffic_shape_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 16, 1)).setIndexNames((0, 'HPN-ICF-LswQos-MIB', 'hpnicfTrafficShapeIfIndex'), (0, 'HPN-ICF-LswQos-MIB', 'hpnicfTrafficShapeQueueId'))
if mibBuilder.loadTexts:
hpnicfTrafficShapeEntry.setStatus('current')
hpnicf_traffic_shape_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 16, 1, 1), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfTrafficShapeIfIndex.setStatus('current')
hpnicf_traffic_shape_queue_id = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 16, 1, 2), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 7), value_range_constraint(255, 255)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfTrafficShapeQueueId.setStatus('current')
hpnicf_traffic_shape_max_rate = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 16, 1, 3), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfTrafficShapeMaxRate.setStatus('current')
hpnicf_traffic_shape_burst_size = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 16, 1, 4), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfTrafficShapeBurstSize.setStatus('current')
hpnicf_traffic_shape_buffer_limit = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 16, 1, 5), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(16, 8000)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfTrafficShapeBufferLimit.setStatus('current')
hpnicf_traffic_shape_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 16, 1, 6), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfTrafficShapeRowStatus.setStatus('current')
hpnicf_port_queue_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 17))
if mibBuilder.loadTexts:
hpnicfPortQueueTable.setStatus('current')
hpnicf_port_queue_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 17, 1)).setIndexNames((0, 'HPN-ICF-LswQos-MIB', 'hpnicfPortQueueIfIndex'), (0, 'HPN-ICF-LswQos-MIB', 'hpnicfPortQueueQueueID'))
if mibBuilder.loadTexts:
hpnicfPortQueueEntry.setStatus('current')
hpnicf_port_queue_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 17, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfPortQueueIfIndex.setStatus('current')
hpnicf_port_queue_queue_id = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 17, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 7))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfPortQueueQueueID.setStatus('current')
hpnicf_port_queue_wrr_priority = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 17, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('sp', 1), ('wrr-high-priority', 2), ('wrr-low-priority', 3)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfPortQueueWrrPriority.setStatus('current')
hpnicf_port_queue_weight = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 17, 1, 4), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(1, 255)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfPortQueueWeight.setStatus('current')
hpnicf_drop_mode_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 18))
if mibBuilder.loadTexts:
hpnicfDropModeTable.setStatus('current')
hpnicf_drop_mode_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 18, 1)).setIndexNames((0, 'HPN-ICF-LswQos-MIB', 'hpnicfDropModeIfIndex'))
if mibBuilder.loadTexts:
hpnicfDropModeEntry.setStatus('current')
hpnicf_drop_mode_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 18, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfDropModeIfIndex.setStatus('current')
hpnicf_drop_mode_mode = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 18, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('random-detect', 1), ('tail-drop', 2))).clone(2)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfDropModeMode.setStatus('current')
hpnicf_drop_mode_wred_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 18, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 3))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfDropModeWredIndex.setStatus('current')
hpnicf_wred_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 19))
if mibBuilder.loadTexts:
hpnicfWredTable.setStatus('current')
hpnicf_wred_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 19, 1)).setIndexNames((0, 'HPN-ICF-LswQos-MIB', 'hpnicfWredIndex'), (0, 'HPN-ICF-LswQos-MIB', 'hpnicfWredQueueId'))
if mibBuilder.loadTexts:
hpnicfWredEntry.setStatus('current')
hpnicf_wred_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 19, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 3))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfWredIndex.setStatus('current')
hpnicf_wred_queue_id = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 19, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 7))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfWredQueueId.setStatus('current')
hpnicf_wred_green_min_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 19, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfWredGreenMinThreshold.setStatus('current')
hpnicf_wred_green_max_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 19, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfWredGreenMaxThreshold.setStatus('current')
hpnicf_wred_green_max_prob = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 19, 1, 5), integer32().subtype(subtypeSpec=value_range_constraint(1, 15))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfWredGreenMaxProb.setStatus('current')
hpnicf_wred_yellow_min_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 19, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfWredYellowMinThreshold.setStatus('current')
hpnicf_wred_yellow_max_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 19, 1, 7), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfWredYellowMaxThreshold.setStatus('current')
hpnicf_wred_yellow_max_prob = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 19, 1, 8), integer32().subtype(subtypeSpec=value_range_constraint(1, 15))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfWredYellowMaxProb.setStatus('current')
hpnicf_wred_red_min_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 19, 1, 9), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfWredRedMinThreshold.setStatus('current')
hpnicf_wred_red_max_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 19, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfWredRedMaxThreshold.setStatus('current')
hpnicf_wred_red_max_prob = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 19, 1, 11), integer32().subtype(subtypeSpec=value_range_constraint(1, 15))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfWredRedMaxProb.setStatus('current')
hpnicf_wred_exponent = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 19, 1, 12), integer32().subtype(subtypeSpec=value_range_constraint(1, 15)).clone(9)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfWredExponent.setStatus('current')
hpnicf_cos_to_local_precedence_map_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 20))
if mibBuilder.loadTexts:
hpnicfCosToLocalPrecedenceMapTable.setStatus('current')
hpnicf_cos_to_local_precedence_map_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 20, 1)).setIndexNames((0, 'HPN-ICF-LswQos-MIB', 'hpnicfCosToLocalPrecedenceMapCosIndex'))
if mibBuilder.loadTexts:
hpnicfCosToLocalPrecedenceMapEntry.setStatus('current')
hpnicf_cos_to_local_precedence_map_cos_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 20, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 7))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfCosToLocalPrecedenceMapCosIndex.setStatus('current')
hpnicf_cos_to_local_precedence_map_local_precedence_value = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 20, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 7))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfCosToLocalPrecedenceMapLocalPrecedenceValue.setStatus('current')
hpnicf_cos_to_drop_precedence_map_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 21))
if mibBuilder.loadTexts:
hpnicfCosToDropPrecedenceMapTable.setStatus('current')
hpnicf_cos_to_drop_precedence_map_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 21, 1)).setIndexNames((0, 'HPN-ICF-LswQos-MIB', 'hpnicfCosToDropPrecedenceMapCosIndex'))
if mibBuilder.loadTexts:
hpnicfCosToDropPrecedenceMapEntry.setStatus('current')
hpnicf_cos_to_drop_precedence_map_cos_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 21, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 7))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfCosToDropPrecedenceMapCosIndex.setStatus('current')
hpnicf_cos_to_drop_precedence_map_drop_precedence_value = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 21, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 2))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfCosToDropPrecedenceMapDropPrecedenceValue.setStatus('current')
hpnicf_dscp_map_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 22))
if mibBuilder.loadTexts:
hpnicfDscpMapTable.setStatus('current')
hpnicf_dscp_map_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 22, 1)).setIndexNames((0, 'HPN-ICF-LswQos-MIB', 'hpnicfDscpMapConformLevel'), (0, 'HPN-ICF-LswQos-MIB', 'hpnicfDscpMapDscpIndex'))
if mibBuilder.loadTexts:
hpnicfDscpMapEntry.setStatus('current')
hpnicf_dscp_map_conform_level = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 22, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 2))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfDscpMapConformLevel.setStatus('current')
hpnicf_dscp_map_dscp_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 22, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 63))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfDscpMapDscpIndex.setStatus('current')
hpnicf_dscp_map_dscp_value = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 22, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 63))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfDscpMapDscpValue.setStatus('current')
hpnicf_dscp_map_exp_value = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 22, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 7))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfDscpMapExpValue.setStatus('current')
hpnicf_dscp_map_cos_value = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 22, 1, 5), integer32().subtype(subtypeSpec=value_range_constraint(0, 7))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfDscpMapCosValue.setStatus('current')
hpnicf_dscp_map_local_precedence = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 22, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 7))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfDscpMapLocalPrecedence.setStatus('current')
hpnicf_dscp_map_drop_precedence = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 22, 1, 7), integer32().subtype(subtypeSpec=value_range_constraint(0, 2))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfDscpMapDropPrecedence.setStatus('current')
hpnicf_exp_map_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 23))
if mibBuilder.loadTexts:
hpnicfExpMapTable.setStatus('current')
hpnicf_exp_map_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 23, 1)).setIndexNames((0, 'HPN-ICF-LswQos-MIB', 'hpnicfExpMapConformLevel'), (0, 'HPN-ICF-LswQos-MIB', 'hpnicfExpMapExpIndex'))
if mibBuilder.loadTexts:
hpnicfExpMapEntry.setStatus('current')
hpnicf_exp_map_conform_level = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 23, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 2))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfExpMapConformLevel.setStatus('current')
hpnicf_exp_map_exp_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 23, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 7))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfExpMapExpIndex.setStatus('current')
hpnicf_exp_map_dscp_value = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 23, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 63))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfExpMapDscpValue.setStatus('current')
hpnicf_exp_map_exp_value = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 23, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 7))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfExpMapExpValue.setStatus('current')
hpnicf_exp_map_cos_value = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 23, 1, 5), integer32().subtype(subtypeSpec=value_range_constraint(0, 7))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfExpMapCosValue.setStatus('current')
hpnicf_exp_map_local_precedence = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 23, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 7))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfExpMapLocalPrecedence.setStatus('current')
hpnicf_exp_map_drop_precedence = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 23, 1, 7), integer32().subtype(subtypeSpec=value_range_constraint(0, 2))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfExpMapDropPrecedence.setStatus('current')
hpnicf_local_precedence_map_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 24))
if mibBuilder.loadTexts:
hpnicfLocalPrecedenceMapTable.setStatus('current')
hpnicf_local_precedence_map_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 24, 1)).setIndexNames((0, 'HPN-ICF-LswQos-MIB', 'hpnicfLocalPrecedenceMapConformLevel'), (0, 'HPN-ICF-LswQos-MIB', 'hpnicfLocalPrecedenceMapLocalPrecedenceIndex'))
if mibBuilder.loadTexts:
hpnicfLocalPrecedenceMapEntry.setStatus('current')
hpnicf_local_precedence_map_conform_level = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 24, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 2))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfLocalPrecedenceMapConformLevel.setStatus('current')
hpnicf_local_precedence_map_local_precedence_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 24, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 7))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfLocalPrecedenceMapLocalPrecedenceIndex.setStatus('current')
hpnicf_local_precedence_map_cos_value = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 24, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 7))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfLocalPrecedenceMapCosValue.setStatus('current')
hpnicf_port_wred_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 25))
if mibBuilder.loadTexts:
hpnicfPortWredTable.setStatus('current')
hpnicf_port_wred_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 25, 1)).setIndexNames((0, 'HPN-ICF-LswQos-MIB', 'hpnicfPortWredIfIndex'), (0, 'HPN-ICF-LswQos-MIB', 'hpnicfPortWredQueueID'))
if mibBuilder.loadTexts:
hpnicfPortWredEntry.setStatus('current')
hpnicf_port_wred_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 25, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfPortWredIfIndex.setStatus('current')
hpnicf_port_wred_queue_id = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 25, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 7))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfPortWredQueueID.setStatus('current')
hpnicf_port_wred_queue_start_length = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 25, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 2047))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfPortWredQueueStartLength.setStatus('current')
hpnicf_port_wred_queue_probability = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 25, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfPortWredQueueProbability.setStatus('current')
hpnicf_mirroring_group_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 26))
if mibBuilder.loadTexts:
hpnicfMirroringGroupTable.setStatus('current')
hpnicf_mirroring_group_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 26, 1)).setIndexNames((0, 'HPN-ICF-LswQos-MIB', 'hpnicfMirroringGroupID'))
if mibBuilder.loadTexts:
hpnicfMirroringGroupEntry.setStatus('current')
hpnicf_mirroring_group_id = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 26, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 20)))
if mibBuilder.loadTexts:
hpnicfMirroringGroupID.setStatus('current')
hpnicf_mirroring_group_type = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 26, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('local', 1), ('remote-source', 2), ('remote-destination', 3)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfMirroringGroupType.setStatus('current')
hpnicf_mirroring_group_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 26, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('active', 1), ('inactive', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfMirroringGroupStatus.setStatus('current')
hpnicf_mirroring_group_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 26, 1, 4), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfMirroringGroupRowStatus.setStatus('current')
hpnicf_mirroring_group_mirror_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 27))
if mibBuilder.loadTexts:
hpnicfMirroringGroupMirrorTable.setStatus('current')
hpnicf_mirroring_group_mirror_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 27, 1)).setIndexNames((0, 'HPN-ICF-LswQos-MIB', 'hpnicfMirroringGroupID'))
if mibBuilder.loadTexts:
hpnicfMirroringGroupMirrorEntry.setStatus('current')
hpnicf_mirroring_group_mirror_inbound_if_index_list = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 27, 1, 1), octet_string()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfMirroringGroupMirrorInboundIfIndexList.setStatus('current')
hpnicf_mirroring_group_mirror_outbound_if_index_list = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 27, 1, 2), octet_string()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfMirroringGroupMirrorOutboundIfIndexList.setStatus('current')
hpnicf_mirroring_group_mirror_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 27, 1, 3), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfMirroringGroupMirrorRowStatus.setStatus('current')
hpnicf_mirroring_group_mirror_in_type_list = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 27, 1, 4), octet_string()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfMirroringGroupMirrorInTypeList.setStatus('current')
hpnicf_mirroring_group_mirror_out_type_list = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 27, 1, 5), octet_string()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfMirroringGroupMirrorOutTypeList.setStatus('current')
hpnicf_mirroring_group_monitor_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 28))
if mibBuilder.loadTexts:
hpnicfMirroringGroupMonitorTable.setStatus('current')
hpnicf_mirroring_group_monitor_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 28, 1)).setIndexNames((0, 'HPN-ICF-LswQos-MIB', 'hpnicfMirroringGroupID'))
if mibBuilder.loadTexts:
hpnicfMirroringGroupMonitorEntry.setStatus('current')
hpnicf_mirroring_group_monitor_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 28, 1, 1), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfMirroringGroupMonitorIfIndex.setStatus('current')
hpnicf_mirroring_group_monitor_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 28, 1, 2), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfMirroringGroupMonitorRowStatus.setStatus('current')
hpnicf_mirroring_group_monitor_type = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 28, 1, 3), hpnicf_mirror_or_monitor_type()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfMirroringGroupMonitorType.setStatus('current')
hpnicf_mirroring_group_reflector_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 29))
if mibBuilder.loadTexts:
hpnicfMirroringGroupReflectorTable.setStatus('current')
hpnicf_mirroring_group_reflector_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 29, 1)).setIndexNames((0, 'HPN-ICF-LswQos-MIB', 'hpnicfMirroringGroupID'))
if mibBuilder.loadTexts:
hpnicfMirroringGroupReflectorEntry.setStatus('current')
hpnicf_mirroring_group_reflector_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 29, 1, 1), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfMirroringGroupReflectorIfIndex.setStatus('current')
hpnicf_mirroring_group_reflector_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 29, 1, 2), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfMirroringGroupReflectorRowStatus.setStatus('current')
hpnicf_mirroring_group_rprobe_vlan_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 30))
if mibBuilder.loadTexts:
hpnicfMirroringGroupRprobeVlanTable.setStatus('current')
hpnicf_mirroring_group_rprobe_vlan_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 30, 1)).setIndexNames((0, 'HPN-ICF-LswQos-MIB', 'hpnicfMirroringGroupID'))
if mibBuilder.loadTexts:
hpnicfMirroringGroupRprobeVlanEntry.setStatus('current')
hpnicf_mirroring_group_rprobe_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 30, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 4094))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfMirroringGroupRprobeVlanID.setStatus('current')
hpnicf_mirroring_group_rprobe_vlan_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 30, 1, 2), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfMirroringGroupRprobeVlanRowStatus.setStatus('current')
hpnicf_mirroring_group_mirror_mac_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 31))
if mibBuilder.loadTexts:
hpnicfMirroringGroupMirrorMacTable.setStatus('current')
hpnicf_mirroring_group_mirror_mac_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 31, 1)).setIndexNames((0, 'HPN-ICF-LswQos-MIB', 'hpnicfMirroringGroupID'), (0, 'HPN-ICF-LswQos-MIB', 'hpnicfMirroringGroupMirrorMacSeq'))
if mibBuilder.loadTexts:
hpnicfMirroringGroupMirrorMacEntry.setStatus('current')
hpnicf_mirroring_group_mirror_mac_seq = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 31, 1, 1), integer32())
if mibBuilder.loadTexts:
hpnicfMirroringGroupMirrorMacSeq.setStatus('current')
hpnicf_mirroring_group_mirror_mac = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 31, 1, 2), mac_address()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfMirroringGroupMirrorMac.setStatus('current')
hpnicf_mirror_mac_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 31, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 4094))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfMirrorMacVlanID.setStatus('current')
hpnicf_mirroring_group_mirro_mac_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 31, 1, 4), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfMirroringGroupMirroMacStatus.setStatus('current')
hpnicf_mirroring_group_mirror_vlan_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 32))
if mibBuilder.loadTexts:
hpnicfMirroringGroupMirrorVlanTable.setStatus('current')
hpnicf_mirroring_group_mirror_vlan_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 32, 1)).setIndexNames((0, 'HPN-ICF-LswQos-MIB', 'hpnicfMirroringGroupID'), (0, 'HPN-ICF-LswQos-MIB', 'hpnicfMirroringGroupMirrorVlanSeq'))
if mibBuilder.loadTexts:
hpnicfMirroringGroupMirrorVlanEntry.setStatus('current')
hpnicf_mirroring_group_mirror_vlan_seq = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 32, 1, 1), integer32())
if mibBuilder.loadTexts:
hpnicfMirroringGroupMirrorVlanSeq.setStatus('current')
hpnicf_mirroring_group_mirror_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 32, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 4094))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfMirroringGroupMirrorVlanID.setStatus('current')
hpnicf_mirroring_group_mirror_vlan_direction = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 32, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('inbound', 1), ('outbound', 2), ('both', 3)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfMirroringGroupMirrorVlanDirection.setStatus('current')
hpnicf_mirroring_group_mirro_vlan_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 32, 1, 4), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfMirroringGroupMirroVlanStatus.setStatus('current')
hpnicf_port_trust_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 33))
if mibBuilder.loadTexts:
hpnicfPortTrustTable.setStatus('current')
hpnicf_port_trust_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 33, 1)).setIndexNames((0, 'HPN-ICF-LswQos-MIB', 'hpnicfPortTrustIfIndex'))
if mibBuilder.loadTexts:
hpnicfPortTrustEntry.setStatus('current')
hpnicf_port_trust_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 33, 1, 1), integer32())
if mibBuilder.loadTexts:
hpnicfPortTrustIfIndex.setStatus('current')
hpnicf_port_trust_trust_type = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 33, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('port', 1), ('cos', 2), ('dscp', 3))).clone('port')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfPortTrustTrustType.setStatus('current')
hpnicf_port_trust_overcast_type = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 33, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('noOvercast', 1), ('overcastDSCP', 2), ('overcastCOS', 3))).clone('noOvercast')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfPortTrustOvercastType.setStatus('current')
hpnicf_port_trust_reset = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 33, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('reset', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfPortTrustReset.setStatus('current')
hpnicf_remark_vlan_id_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 34))
if mibBuilder.loadTexts:
hpnicfRemarkVlanIDTable.setStatus('current')
hpnicf_remark_vlan_id_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 34, 1)).setIndexNames((0, 'HPN-ICF-LswQos-MIB', 'hpnicfRemarkVlanIDAclIndex'), (0, 'HPN-ICF-LswQos-MIB', 'hpnicfRemarkVlanIDIfIndex'), (0, 'HPN-ICF-LswQos-MIB', 'hpnicfRemarkVlanIDVlanID'), (0, 'HPN-ICF-LswQos-MIB', 'hpnicfRemarkVlanIDDirection'))
if mibBuilder.loadTexts:
hpnicfRemarkVlanIDEntry.setStatus('current')
hpnicf_remark_vlan_id_acl_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 34, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 2999)))
if mibBuilder.loadTexts:
hpnicfRemarkVlanIDAclIndex.setStatus('current')
hpnicf_remark_vlan_id_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 34, 1, 2), integer32())
if mibBuilder.loadTexts:
hpnicfRemarkVlanIDIfIndex.setStatus('current')
hpnicf_remark_vlan_id_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 34, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 4094)))
if mibBuilder.loadTexts:
hpnicfRemarkVlanIDVlanID.setStatus('current')
hpnicf_remark_vlan_id_direction = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 34, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('invalid', 0), ('input', 1), ('output', 2))))
if mibBuilder.loadTexts:
hpnicfRemarkVlanIDDirection.setStatus('current')
hpnicf_remark_vlan_id_user_acl_num = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 34, 1, 5), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(5000, 5999), value_range_constraint(10000, 12999)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRemarkVlanIDUserAclNum.setStatus('current')
hpnicf_remark_vlan_id_user_acl_rule = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 34, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRemarkVlanIDUserAclRule.setStatus('current')
hpnicf_remark_vlan_id_ip_acl_num = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 34, 1, 7), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(2000, 3999), value_range_constraint(10000, 12999)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRemarkVlanIDIpAclNum.setStatus('current')
hpnicf_remark_vlan_id_ip_acl_rule = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 34, 1, 8), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRemarkVlanIDIpAclRule.setStatus('current')
hpnicf_remark_vlan_id_link_acl_num = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 34, 1, 9), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(4000, 4999), value_range_constraint(10000, 12999)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRemarkVlanIDLinkAclNum.setStatus('current')
hpnicf_remark_vlan_id_link_acl_rule = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 34, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRemarkVlanIDLinkAclRule.setStatus('current')
hpnicf_remark_vlan_id_remark_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 34, 1, 11), integer32().subtype(subtypeSpec=value_range_constraint(0, 4094))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRemarkVlanIDRemarkVlanID.setStatus('current')
hpnicf_remark_vlan_id_packet_type = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 34, 1, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('all', 1), ('tagged', 2), ('untagged', 3)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRemarkVlanIDPacketType.setStatus('current')
hpnicf_remark_vlan_id_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 34, 1, 13), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfRemarkVlanIDRowStatus.setStatus('current')
hpnicf_cos_to_dscp_map_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 35))
if mibBuilder.loadTexts:
hpnicfCosToDscpMapTable.setStatus('current')
hpnicf_cos_to_dscp_map_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 35, 1)).setIndexNames((0, 'HPN-ICF-LswQos-MIB', 'hpnicfCosToDscpMapCosIndex'))
if mibBuilder.loadTexts:
hpnicfCosToDscpMapEntry.setStatus('current')
hpnicf_cos_to_dscp_map_cos_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 35, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 7)))
if mibBuilder.loadTexts:
hpnicfCosToDscpMapCosIndex.setStatus('current')
hpnicf_cos_to_dscp_map_dscp_value = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 35, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 63))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfCosToDscpMapDscpValue.setStatus('current')
hpnicf_cos_to_dscp_map_re_set = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 35, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('reset', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfCosToDscpMapReSet.setStatus('current')
hpnicf_dscp_to_local_pre_map_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 36))
if mibBuilder.loadTexts:
hpnicfDscpToLocalPreMapTable.setStatus('current')
hpnicf_dscp_to_local_pre_map_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 36, 1)).setIndexNames((0, 'HPN-ICF-LswQos-MIB', 'hpnicfDscpToLocalPreMapDscpIndex'))
if mibBuilder.loadTexts:
hpnicfDscpToLocalPreMapEntry.setStatus('current')
hpnicf_dscp_to_local_pre_map_dscp_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 36, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 63)))
if mibBuilder.loadTexts:
hpnicfDscpToLocalPreMapDscpIndex.setStatus('current')
hpnicf_dscp_to_local_pre_map_local_pre_val = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 36, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 7))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfDscpToLocalPreMapLocalPreVal.setStatus('current')
hpnicf_dscp_to_local_pre_map_reset = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 36, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('reset', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfDscpToLocalPreMapReset.setStatus('current')
hpnicf_dscp_to_drop_pre_map_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 37))
if mibBuilder.loadTexts:
hpnicfDscpToDropPreMapTable.setStatus('current')
hpnicf_dscp_to_drop_pre_map_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 37, 1)).setIndexNames((0, 'HPN-ICF-LswQos-MIB', 'hpnicfDscpToDropPreMapDscpIndex'))
if mibBuilder.loadTexts:
hpnicfDscpToDropPreMapEntry.setStatus('current')
hpnicf_dscp_to_drop_pre_map_dscp_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 37, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 63)))
if mibBuilder.loadTexts:
hpnicfDscpToDropPreMapDscpIndex.setStatus('current')
hpnicf_dscp_to_drop_pre_map_drop_pre_val = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 37, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 2))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfDscpToDropPreMapDropPreVal.setStatus('current')
hpnicf_dscp_to_drop_pre_map_reset = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 37, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('reset', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfDscpToDropPreMapReset.setStatus('current')
hpnicf_dscp_to_cos_map_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 38))
if mibBuilder.loadTexts:
hpnicfDscpToCosMapTable.setStatus('current')
hpnicf_dscp_to_cos_map_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 38, 1)).setIndexNames((0, 'HPN-ICF-LswQos-MIB', 'hpnicfDscpToCosMapDscpIndex'))
if mibBuilder.loadTexts:
hpnicfDscpToCosMapEntry.setStatus('current')
hpnicf_dscp_to_cos_map_dscp_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 38, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 63)))
if mibBuilder.loadTexts:
hpnicfDscpToCosMapDscpIndex.setStatus('current')
hpnicf_dscp_to_cos_map_cos_value = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 38, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 7))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfDscpToCosMapCosValue.setStatus('current')
hpnicf_dscp_to_cos_map_reset = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 38, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('reset', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfDscpToCosMapReset.setStatus('current')
hpnicf_dscp_to_dscp_map_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 39))
if mibBuilder.loadTexts:
hpnicfDscpToDscpMapTable.setStatus('current')
hpnicf_dscp_to_dscp_map_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 39, 1)).setIndexNames((0, 'HPN-ICF-LswQos-MIB', 'hpnicfDscpToDscpMapDscpIndex'))
if mibBuilder.loadTexts:
hpnicfDscpToDscpMapEntry.setStatus('current')
hpnicf_dscp_to_dscp_map_dscp_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 39, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 63)))
if mibBuilder.loadTexts:
hpnicfDscpToDscpMapDscpIndex.setStatus('current')
hpnicf_dscp_to_dscp_map_dscp_value = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 39, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 63))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfDscpToDscpMapDscpValue.setStatus('current')
hpnicf_dscp_to_dscp_map_reset = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 8, 35, 16, 2, 39, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('reset', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpnicfDscpToDscpMapReset.setStatus('current')
mibBuilder.exportSymbols('HPN-ICF-LswQos-MIB', hpnicfFlowtempEnableFlowtempIndex=hpnicfFlowtempEnableFlowtempIndex, hpnicfRedProbability=hpnicfRedProbability, hpnicfRedirectToNextHop3=hpnicfRedirectToNextHop3, hpnicfMirroringGroupMirrorRowStatus=hpnicfMirroringGroupMirrorRowStatus, hpnicfRedirectAclIndex=hpnicfRedirectAclIndex, hpnicfFlowtempTcpFlag=hpnicfFlowtempTcpFlag, hpnicfPriorityPolicedServiceType=hpnicfPriorityPolicedServiceType, hpnicfRateLimitAclIndex=hpnicfRateLimitAclIndex, hpnicfPortTrustEntry=hpnicfPortTrustEntry, hpnicfPortTrustOvercastType=hpnicfPortTrustOvercastType, hpnicfPortTrustTable=hpnicfPortTrustTable, hpnicfPortQueueIfIndex=hpnicfPortQueueIfIndex, hpnicfWredGreenMinThreshold=hpnicfWredGreenMinThreshold, hpnicfDscpMapDscpIndex=hpnicfDscpMapDscpIndex, hpnicfMirroringGroupReflectorEntry=hpnicfMirroringGroupReflectorEntry, hpnicfWredRedMaxThreshold=hpnicfWredRedMaxThreshold, hpnicfMirrorUserAclRule=hpnicfMirrorUserAclRule, hpnicfMirrorVlanID=hpnicfMirrorVlanID, hpnicfLineRateRowStatus=hpnicfLineRateRowStatus, hpnicfRateLimitUserAclNum=hpnicfRateLimitUserAclNum, hpnicfMirrorIfIndex=hpnicfMirrorIfIndex, hpnicfCosToDscpMapTable=hpnicfCosToDscpMapTable, hpnicfFlowtempSIpMask=hpnicfFlowtempSIpMask, hpnicfQueueWeight3=hpnicfQueueWeight3, hpnicfDscpMapDscpValue=hpnicfDscpMapDscpValue, hpnicfTrafficShapeTable=hpnicfTrafficShapeTable, hpnicfDscpToDropPreMapReset=hpnicfDscpToDropPreMapReset, hpnicfStatisticIfIndex=hpnicfStatisticIfIndex, hpnicfDscpMapCosValue=hpnicfDscpMapCosValue, hpnicfPortQueueWrrPriority=hpnicfPortQueueWrrPriority, hpnicfRateLimitCIR=hpnicfRateLimitCIR, hpnicfStatisticByteXCount=hpnicfStatisticByteXCount, hpnicfMirrorEntry=hpnicfMirrorEntry, hpnicfRedirectLinkAclRule=hpnicfRedirectLinkAclRule, hpnicfStatisticAclIndex=hpnicfStatisticAclIndex, hpnicfFlowtempSPort=hpnicfFlowtempSPort, HpnicfMirrorOrMonitorType=HpnicfMirrorOrMonitorType, hpnicfRedVlanID=hpnicfRedVlanID, hpnicfBandwidthIfIndex=hpnicfBandwidthIfIndex, hpnicfMirroringGroupMirrorVlanSeq=hpnicfMirroringGroupMirrorVlanSeq, hpnicfRateLimitVlanID=hpnicfRateLimitVlanID, hpnicfFlowtempEthProtocol=hpnicfFlowtempEthProtocol, hpnicfMirroringGroupMirrorInTypeList=hpnicfMirroringGroupMirrorInTypeList, hpnicfRateLimitConformCos=hpnicfRateLimitConformCos, hpnicfFlowtempDIpMask=hpnicfFlowtempDIpMask, hpnicfRateLimitPIR=hpnicfRateLimitPIR, hpnicfStatisticEntry=hpnicfStatisticEntry, hpnicfDscpToLocalPreMapReset=hpnicfDscpToLocalPreMapReset, hpnicfMirroringGroupType=hpnicfMirroringGroupType, hpnicfLocalPrecedenceMapEntry=hpnicfLocalPrecedenceMapEntry, hpnicfFlowtempIndex=hpnicfFlowtempIndex, hpnicfRedirectEntry=hpnicfRedirectEntry, hpnicfCosToDropPrecedenceMapEntry=hpnicfCosToDropPrecedenceMapEntry, hpnicfExpMapDscpValue=hpnicfExpMapDscpValue, hpnicfTrafficShapeBurstSize=hpnicfTrafficShapeBurstSize, hpnicfExpMapExpValue=hpnicfExpMapExpValue, hpnicfRateLimitTable=hpnicfRateLimitTable, hpnicfCosToLocalPrecedenceMapCosIndex=hpnicfCosToLocalPrecedenceMapCosIndex, hpnicfRedirectVlanID=hpnicfRedirectVlanID, hpnicfMirroringGroupMirrorOutboundIfIndexList=hpnicfMirroringGroupMirrorOutboundIfIndexList, hpnicfMirroringGroupRprobeVlanID=hpnicfMirroringGroupRprobeVlanID, hpnicfLocalPrecedenceMapTable=hpnicfLocalPrecedenceMapTable, hpnicfStatisticTable=hpnicfStatisticTable, hpnicfMirroringGroupMirrorVlanEntry=hpnicfMirroringGroupMirrorVlanEntry, hpnicfStatisticUserAclNum=hpnicfStatisticUserAclNum, hpnicfRateLimitMeterStatByteCount=hpnicfRateLimitMeterStatByteCount, hpnicfRedirectRemarkedTos=hpnicfRedirectRemarkedTos, hpnicfPortMirrorIfIndex=hpnicfPortMirrorIfIndex, hpnicfPriorityRuntime=hpnicfPriorityRuntime, hpnicfDropModeMode=hpnicfDropModeMode, hpnicfPortQueueWeight=hpnicfPortQueueWeight, hpnicfMirrorGroupRowStatus=hpnicfMirrorGroupRowStatus, hpnicfMirroringGroupMonitorTable=hpnicfMirroringGroupMonitorTable, hpnicfMirroringGroupRprobeVlanTable=hpnicfMirroringGroupRprobeVlanTable, hpnicfQueueWeight2=hpnicfQueueWeight2, hpnicfRedStartQueueLen=hpnicfRedStartQueueLen, hpnicfRemarkVlanIDIpAclNum=hpnicfRemarkVlanIDIpAclNum, hpnicfPortTrustIfIndex=hpnicfPortTrustIfIndex, hpnicfQueueMaxDelay=hpnicfQueueMaxDelay, hpnicfRemarkVlanIDLinkAclRule=hpnicfRemarkVlanIDLinkAclRule, hpnicfCosToLocalPrecedenceMapLocalPrecedenceValue=hpnicfCosToLocalPrecedenceMapLocalPrecedenceValue, hpnicfPriorityCos=hpnicfPriorityCos, hpnicfBandwidthTable=hpnicfBandwidthTable, hpnicfQueueWeight4=hpnicfQueueWeight4, hpnicfPriorityPolicedServiceDscp=hpnicfPriorityPolicedServiceDscp, hpnicfFlowtempDMac=hpnicfFlowtempDMac, hpnicfRateLimitLinkAclRule=hpnicfRateLimitLinkAclRule, hpnicfWredRedMinThreshold=hpnicfWredRedMinThreshold, hpnicfMirroringGroupMirrorOutTypeList=hpnicfMirroringGroupMirrorOutTypeList, hpnicfStatisticByteCount=hpnicfStatisticByteCount, hpnicfMirrorRowStatus=hpnicfMirrorRowStatus, hpnicfBandwidthWeight=hpnicfBandwidthWeight, hpnicfPriorityEntry=hpnicfPriorityEntry, hpnicfDscpToDscpMapReset=hpnicfDscpToDscpMapReset, hpnicfWredYellowMinThreshold=hpnicfWredYellowMinThreshold, hpnicfDscpToLocalPreMapTable=hpnicfDscpToLocalPreMapTable, hpnicfMirrorToIfIndex=hpnicfMirrorToIfIndex, hpnicfRedIpAclNum=hpnicfRedIpAclNum, hpnicfStatisticUserAclRule=hpnicfStatisticUserAclRule, hpnicfRemarkVlanIDUserAclNum=hpnicfRemarkVlanIDUserAclNum, hpnicfMirrorUserAclNum=hpnicfMirrorUserAclNum, hpnicfFlowtempIcmpType=hpnicfFlowtempIcmpType, hpnicfWredEntry=hpnicfWredEntry, hpnicfMirroringGroupID=hpnicfMirroringGroupID, hpnicfDropModeEntry=hpnicfDropModeEntry, hpnicfPortQueueTable=hpnicfPortQueueTable, hpnicfWredYellowMaxProb=hpnicfWredYellowMaxProb, hpnicfPriorityRowStatus=hpnicfPriorityRowStatus, hpnicfFlowtempEntry=hpnicfFlowtempEntry, hpnicfMirroringGroupMonitorType=hpnicfMirroringGroupMonitorType, hpnicfExpMapDropPrecedence=hpnicfExpMapDropPrecedence, hpnicfExpMapConformLevel=hpnicfExpMapConformLevel, hpnicfRedirectRemarkedPri=hpnicfRedirectRemarkedPri, hpnicfRedirectToNextHop1=hpnicfRedirectToNextHop1, hpnicfRateLimitPeakRate=hpnicfRateLimitPeakRate, hpnicfPriorityAclIndex=hpnicfPriorityAclIndex, hpnicfRedirectRowStatus=hpnicfRedirectRowStatus, hpnicfRateLimitIpAclNum=hpnicfRateLimitIpAclNum, hpnicfStatisticPacketCount=hpnicfStatisticPacketCount, hpnicfDscpToDropPreMapTable=hpnicfDscpToDropPreMapTable, hpnicfPortWredTable=hpnicfPortWredTable, hpnicfMirroringGroupMirrorVlanID=hpnicfMirroringGroupMirrorVlanID, hpnicfMirrorAclIndex=hpnicfMirrorAclIndex, hpnicfQueueWeight1=hpnicfQueueWeight1, hpnicfRateLimitTargetRateKbps=hpnicfRateLimitTargetRateKbps, hpnicfTrafficShapeIfIndex=hpnicfTrafficShapeIfIndex, hpnicfDscpToLocalPreMapLocalPreVal=hpnicfDscpToLocalPreMapLocalPreVal, hpnicfQueueScheduleMode=hpnicfQueueScheduleMode, hpnicfBandwidthIpAclRule=hpnicfBandwidthIpAclRule, hpnicfRedirectUserAclNum=hpnicfRedirectUserAclNum, hpnicfBandwidthDirection=hpnicfBandwidthDirection, hpnicfTrafficShapeBufferLimit=hpnicfTrafficShapeBufferLimit, hpnicfBandwidthRowStatus=hpnicfBandwidthRowStatus, hpnicfFlowtempIcmpCode=hpnicfFlowtempIcmpCode, hpnicfCosToDscpMapDscpValue=hpnicfCosToDscpMapDscpValue, hpnicfRemarkVlanIDRowStatus=hpnicfRemarkVlanIDRowStatus, hpnicfFlowtempSMac=hpnicfFlowtempSMac, hpnicfRedStopQueueLen=hpnicfRedStopQueueLen, hpnicfMirroringGroupReflectorRowStatus=hpnicfMirroringGroupReflectorRowStatus, hpnicfFlowtempDscp=hpnicfFlowtempDscp, hpnicfLineRateDirection=hpnicfLineRateDirection, hpnicfMirroringGroupEntry=hpnicfMirroringGroupEntry, hpnicfRedirectUserAclRule=hpnicfRedirectUserAclRule, hpnicfMirrorGroupMirrorIfIndexList=hpnicfMirrorGroupMirrorIfIndexList, hpnicfPriorityCosFromIpPre=hpnicfPriorityCosFromIpPre, hpnicfFlowtempEnableEntry=hpnicfFlowtempEnableEntry, hpnicfCosToLocalPrecedenceMapTable=hpnicfCosToLocalPrecedenceMapTable, hpnicfRedirectTable=hpnicfRedirectTable, hpnicfCosToDropPrecedenceMapDropPrecedenceValue=hpnicfCosToDropPrecedenceMapDropPrecedenceValue, hpnicfLswQosAclMib=hpnicfLswQosAclMib, hpnicfRedirectRemarkedDSCP=hpnicfRedirectRemarkedDSCP, hpnicfDscpMapEntry=hpnicfDscpMapEntry, hpnicfExpMapEntry=hpnicfExpMapEntry, hpnicfDscpToDropPreMapEntry=hpnicfDscpToDropPreMapEntry, hpnicfRateLimitConformDscp=hpnicfRateLimitConformDscp, hpnicfRedIfIndex=hpnicfRedIfIndex, hpnicfMirrorDirection=hpnicfMirrorDirection, hpnicfDscpToDscpMapTable=hpnicfDscpToDscpMapTable, hpnicfBandwidthLinkAclRule=hpnicfBandwidthLinkAclRule, hpnicfDscpToCosMapCosValue=hpnicfDscpToCosMapCosValue, hpnicfLineRateTable=hpnicfLineRateTable, hpnicfPortWredQueueStartLength=hpnicfPortWredQueueStartLength, hpnicfPortMirrorTable=hpnicfPortMirrorTable, hpnicfRemarkVlanIDEntry=hpnicfRemarkVlanIDEntry, hpnicfTrafficShapeQueueId=hpnicfTrafficShapeQueueId, hpnicfCosToDscpMapReSet=hpnicfCosToDscpMapReSet, hpnicfRemarkVlanIDAclIndex=hpnicfRemarkVlanIDAclIndex, hpnicfRedirectDirection=hpnicfRedirectDirection, hpnicfWredExponent=hpnicfWredExponent, hpnicfFlowtempVlanId=hpnicfFlowtempVlanId, hpnicfDscpToLocalPreMapEntry=hpnicfDscpToLocalPreMapEntry, hpnicfDscpMapConformLevel=hpnicfDscpMapConformLevel, hpnicfBandwidthAclIndex=hpnicfBandwidthAclIndex, hpnicfPriorityLinkAclRule=hpnicfPriorityLinkAclRule, hpnicfLocalPrecedenceMapCosValue=hpnicfLocalPrecedenceMapCosValue, hpnicfExpMapTable=hpnicfExpMapTable, hpnicfBandwidthLinkAclNum=hpnicfBandwidthLinkAclNum, hpnicfMirrorMacVlanID=hpnicfMirrorMacVlanID, hpnicfRemarkVlanIDLinkAclNum=hpnicfRemarkVlanIDLinkAclNum, hpnicfRateLimitEntry=hpnicfRateLimitEntry, hpnicfFlowtempEnableVlanID=hpnicfFlowtempEnableVlanID, hpnicfRedirectToCpu=hpnicfRedirectToCpu, hpnicfBandwidthMinGuaranteedWidth=hpnicfBandwidthMinGuaranteedWidth, hpnicfMirroringGroupReflectorTable=hpnicfMirroringGroupReflectorTable, hpnicfPriorityPolicedServiceExp=hpnicfPriorityPolicedServiceExp, hpnicfStatisticRowStatus=hpnicfStatisticRowStatus, hpnicfMirroringGroupMirrorVlanTable=hpnicfMirroringGroupMirrorVlanTable, hpnicfPriorityIpAclRule=hpnicfPriorityIpAclRule, hpnicfMirrorIpAclRule=hpnicfMirrorIpAclRule, hpnicfMirroringGroupMirrorMac=hpnicfMirroringGroupMirrorMac, hpnicfRemarkVlanIDRemarkVlanID=hpnicfRemarkVlanIDRemarkVlanID, hpnicfPriorityDirection=hpnicfPriorityDirection, hpnicfPortMirrorRowStatus=hpnicfPortMirrorRowStatus, hpnicfDscpToDscpMapDscpValue=hpnicfDscpToDscpMapDscpValue, hpnicfRateLimitConformActionType=hpnicfRateLimitConformActionType, hpnicfMirroringGroupMirrorMacTable=hpnicfMirroringGroupMirrorMacTable, hpnicfRedirectRuntime=hpnicfRedirectRuntime, hpnicfRateLimitExceedActionType=hpnicfRateLimitExceedActionType, hpnicfMirrorGroupMonitorIfIndex=hpnicfMirrorGroupMonitorIfIndex, hpnicfPriorityIpPre=hpnicfPriorityIpPre, hpnicfRateLimitMeterStatState=hpnicfRateLimitMeterStatState, hpnicfMirroringGroupStatus=hpnicfMirroringGroupStatus, hpnicfQueueEntry=hpnicfQueueEntry, hpnicfPortMonitorBothIfIndex=hpnicfPortMonitorBothIfIndex, hpnicfRateLimitTargetRateMbps=hpnicfRateLimitTargetRateMbps, hpnicfStatisticDirection=hpnicfStatisticDirection, hpnicfMirroringGroupMirroVlanStatus=hpnicfMirroringGroupMirroVlanStatus, hpnicfPriorityPolicedServiceLoaclPre=hpnicfPriorityPolicedServiceLoaclPre, hpnicfRedLinkAclNum=hpnicfRedLinkAclNum, hpnicfExpMapLocalPrecedence=hpnicfExpMapLocalPrecedence, hpnicfFlowtempCos=hpnicfFlowtempCos, hpnicfRedirectIpAclRule=hpnicfRedirectIpAclRule, hpnicfRateLimitRuntime=hpnicfRateLimitRuntime, hpnicfMirrorGroupID=hpnicfMirrorGroupID, hpnicfMirroringGroupRowStatus=hpnicfMirroringGroupRowStatus, hpnicfMirroringGroupMirrorMacEntry=hpnicfMirroringGroupMirrorMacEntry, hpnicfMirroringGroupMirrorMacSeq=hpnicfMirroringGroupMirrorMacSeq, hpnicfMirroringGroupMonitorRowStatus=hpnicfMirroringGroupMonitorRowStatus, hpnicfWredGreenMaxProb=hpnicfWredGreenMaxProb, hpnicfStatisticCountClear=hpnicfStatisticCountClear, hpnicfMirrorToGroup=hpnicfMirrorToGroup, hpnicfBandwidthMaxGuaranteedWidth=hpnicfBandwidthMaxGuaranteedWidth, hpnicfDscpMapDropPrecedence=hpnicfDscpMapDropPrecedence, hpnicfMirrorIpAclNum=hpnicfMirrorIpAclNum, hpnicfStatisticIpAclRule=hpnicfStatisticIpAclRule, hpnicfBandwidthIpAclNum=hpnicfBandwidthIpAclNum, hpnicfRedRuntime=hpnicfRedRuntime, hpnicfMirrorTable=hpnicfMirrorTable, hpnicfFlowtempDPort=hpnicfFlowtempDPort, hpnicfPriorityVlanID=hpnicfPriorityVlanID, hpnicfDropModeIfIndex=hpnicfDropModeIfIndex, hpnicfMirrorLinkAclRule=hpnicfMirrorLinkAclRule, hpnicfPriorityTrustMode=hpnicfPriorityTrustMode, hpnicfRemarkVlanIDVlanID=hpnicfRemarkVlanIDVlanID, hpnicfRedirectToNestedVlanID=hpnicfRedirectToNestedVlanID, hpnicfRedirectMode=hpnicfRedirectMode, PYSNMP_MODULE_ID=hpnicfLswQosAclMib, hpnicfStatisticLinkAclRule=hpnicfStatisticLinkAclRule, hpnicfLocalPrecedenceMapLocalPrecedenceIndex=hpnicfLocalPrecedenceMapLocalPrecedenceIndex, hpnicfCosToLocalPrecedenceMapEntry=hpnicfCosToLocalPrecedenceMapEntry, hpnicfLineRateEntry=hpnicfLineRateEntry, hpnicfPriorityLocalPre=hpnicfPriorityLocalPre, hpnicfPortMirrorDirection=hpnicfPortMirrorDirection, hpnicfRemarkVlanIDUserAclRule=hpnicfRemarkVlanIDUserAclRule, hpnicfDscpToDropPreMapDscpIndex=hpnicfDscpToDropPreMapDscpIndex, hpnicfPriorityUserAclRule=hpnicfPriorityUserAclRule, hpnicfExpMapExpIndex=hpnicfExpMapExpIndex, hpnicfBandwidthVlanID=hpnicfBandwidthVlanID, hpnicfCosToDscpMapEntry=hpnicfCosToDscpMapEntry, hpnicfRedirectToSlotNo=hpnicfRedirectToSlotNo, hpnicfRateLimitIpAclRule=hpnicfRateLimitIpAclRule, hpnicfMirrorToCpu=hpnicfMirrorToCpu, hpnicfRedEntry=hpnicfRedEntry, hpnicfRemarkVlanIDPacketType=hpnicfRemarkVlanIDPacketType)
mibBuilder.exportSymbols('HPN-ICF-LswQos-MIB', hpnicfRedDirection=hpnicfRedDirection, hpnicfFlowtempDIp=hpnicfFlowtempDIp, hpnicfRedirectTargetVlanID=hpnicfRedirectTargetVlanID, hpnicfMirroringGroupTable=hpnicfMirroringGroupTable, hpnicfRateLimitConformLocalPre=hpnicfRateLimitConformLocalPre, hpnicfMirroringGroupMonitorEntry=hpnicfMirroringGroupMonitorEntry, hpnicfRateLimitLinkAclNum=hpnicfRateLimitLinkAclNum, hpnicfQueueWeight8=hpnicfQueueWeight8, hpnicfFlowtempSIp=hpnicfFlowtempSIp, hpnicfWredGreenMaxThreshold=hpnicfWredGreenMaxThreshold, hpnicfDscpToCosMapEntry=hpnicfDscpToCosMapEntry, hpnicfPriorityIpAclNum=hpnicfPriorityIpAclNum, hpnicfQueueWeight6=hpnicfQueueWeight6, hpnicfDscpToDscpMapDscpIndex=hpnicfDscpToDscpMapDscpIndex, hpnicfPriorityTable=hpnicfPriorityTable, hpnicfMirroringGroupMirrorInboundIfIndexList=hpnicfMirroringGroupMirrorInboundIfIndexList, hpnicfPriorityDscp=hpnicfPriorityDscp, hpnicfRateLimitMeterStatByteXCount=hpnicfRateLimitMeterStatByteXCount, hpnicfDscpToDropPreMapDropPreVal=hpnicfDscpToDropPreMapDropPreVal, hpnicfRedirectIfIndex=hpnicfRedirectIfIndex, hpnicfMirrorLinkAclNum=hpnicfMirrorLinkAclNum, hpnicfPortQueueQueueID=hpnicfPortQueueQueueID, hpnicfMirrorGroupDirection=hpnicfMirrorGroupDirection, hpnicfFlowtempVpn=hpnicfFlowtempVpn, hpnicfPortWredEntry=hpnicfPortWredEntry, hpnicfDscpToCosMapDscpIndex=hpnicfDscpToCosMapDscpIndex, hpnicfRemarkVlanIDTable=hpnicfRemarkVlanIDTable, hpnicfFlowtempRowStatus=hpnicfFlowtempRowStatus, hpnicfCosToDropPrecedenceMapCosIndex=hpnicfCosToDropPrecedenceMapCosIndex, hpnicfRemarkVlanIDIfIndex=hpnicfRemarkVlanIDIfIndex, hpnicfPortWredQueueID=hpnicfPortWredQueueID, hpnicfExpMapCosValue=hpnicfExpMapCosValue, hpnicfDscpMapLocalPrecedence=hpnicfDscpMapLocalPrecedence, hpnicfPriorityIpPreFromCos=hpnicfPriorityIpPreFromCos, hpnicfDropModeTable=hpnicfDropModeTable, hpnicfMirroringGroupRprobeVlanRowStatus=hpnicfMirroringGroupRprobeVlanRowStatus, hpnicfPriorityUserAclNum=hpnicfPriorityUserAclNum, hpnicfPortTrustTrustType=hpnicfPortTrustTrustType, hpnicfFlowtempEnableIfIndex=hpnicfFlowtempEnableIfIndex, hpnicfPortTrustReset=hpnicfPortTrustReset, hpnicfMirrorGroupEntry=hpnicfMirrorGroupEntry, hpnicfFlowtempIpPre=hpnicfFlowtempIpPre, hpnicfPriorityPolicedServiceCos=hpnicfPriorityPolicedServiceCos, hpnicfMirroringGroupMonitorIfIndex=hpnicfMirroringGroupMonitorIfIndex, hpnicfFlowtempEnableTable=hpnicfFlowtempEnableTable, hpnicfCosToDropPrecedenceMapTable=hpnicfCosToDropPrecedenceMapTable, hpnicfStatisticIpAclNum=hpnicfStatisticIpAclNum, hpnicfStatisticPacketXCount=hpnicfStatisticPacketXCount, hpnicfFlowtempFragment=hpnicfFlowtempFragment, hpnicfTrafficShapeEntry=hpnicfTrafficShapeEntry, hpnicfRedirectLinkAclNum=hpnicfRedirectLinkAclNum, hpnicfWredRedMaxProb=hpnicfWredRedMaxProb, hpnicfMirroringGroupMirrorEntry=hpnicfMirroringGroupMirrorEntry, hpnicfTrafficShapeRowStatus=hpnicfTrafficShapeRowStatus, hpnicfStatisticLinkAclNum=hpnicfStatisticLinkAclNum, hpnicfDscpToCosMapTable=hpnicfDscpToCosMapTable, hpnicfRateLimitExceedDscp=hpnicfRateLimitExceedDscp, hpnicfLineRateValue=hpnicfLineRateValue, hpnicfRemarkVlanIDIpAclRule=hpnicfRemarkVlanIDIpAclRule, hpnicfMirroringGroupReflectorIfIndex=hpnicfMirroringGroupReflectorIfIndex, hpnicfStatisticRuntime=hpnicfStatisticRuntime, hpnicfRateLimitCBS=hpnicfRateLimitCBS, hpnicfRedRowStatus=hpnicfRedRowStatus, hpnicfRemarkVlanIDDirection=hpnicfRemarkVlanIDDirection, hpnicfStatisticVlanID=hpnicfStatisticVlanID, hpnicfQueueIfIndex=hpnicfQueueIfIndex, hpnicfLswQosMibObject=hpnicfLswQosMibObject, hpnicfLocalPrecedenceMapConformLevel=hpnicfLocalPrecedenceMapConformLevel, hpnicfRateLimitRowStatus=hpnicfRateLimitRowStatus, hpnicfPriorityIfIndex=hpnicfPriorityIfIndex, hpnicfRateLimitIfIndex=hpnicfRateLimitIfIndex, hpnicfRateLimitEBS=hpnicfRateLimitEBS, hpnicfMirroringGroupMirroMacStatus=hpnicfMirroringGroupMirroMacStatus, hpnicfRateLimitDirection=hpnicfRateLimitDirection, hpnicfPortQueueEntry=hpnicfPortQueueEntry, hpnicfCosToDscpMapCosIndex=hpnicfCosToDscpMapCosIndex, hpnicfFlowtempSMacMask=hpnicfFlowtempSMacMask, hpnicfRedirectIpAclNum=hpnicfRedirectIpAclNum, hpnicfRedTable=hpnicfRedTable, hpnicfFlowtempTable=hpnicfFlowtempTable, hpnicfPortWredIfIndex=hpnicfPortWredIfIndex, hpnicfRedIpAclRule=hpnicfRedIpAclRule, hpnicfWredTable=hpnicfWredTable, hpnicfRedLinkAclRule=hpnicfRedLinkAclRule, hpnicfDscpMapTable=hpnicfDscpMapTable, hpnicfWredYellowMaxThreshold=hpnicfWredYellowMaxThreshold, hpnicfDscpToDscpMapEntry=hpnicfDscpToDscpMapEntry, hpnicfFlowtempIpProtocol=hpnicfFlowtempIpProtocol, hpnicfQueueWeight7=hpnicfQueueWeight7, hpnicfDscpToLocalPreMapDscpIndex=hpnicfDscpToLocalPreMapDscpIndex, hpnicfMirroringGroupMirrorVlanDirection=hpnicfMirroringGroupMirrorVlanDirection, hpnicfRateLimitExceedCos=hpnicfRateLimitExceedCos, hpnicfPortMirrorEntry=hpnicfPortMirrorEntry, hpnicfRedirectToModifiedVlanID=hpnicfRedirectToModifiedVlanID, hpnicfDscpMapExpValue=hpnicfDscpMapExpValue, hpnicfPriorityPolicedServiceDropPriority=hpnicfPriorityPolicedServiceDropPriority, hpnicfMirrorGroupTable=hpnicfMirrorGroupTable, hpnicfRedirectToIfIndex=hpnicfRedirectToIfIndex, hpnicfQueueTable=hpnicfQueueTable, hpnicfRedirectToNextHop2=hpnicfRedirectToNextHop2, hpnicfRateLimitUserAclRule=hpnicfRateLimitUserAclRule, hpnicfFlowtempDMacMask=hpnicfFlowtempDMacMask, hpnicfWredIndex=hpnicfWredIndex, hpnicfDropModeWredIndex=hpnicfDropModeWredIndex, hpnicfWredQueueId=hpnicfWredQueueId, hpnicfLineRateIfIndex=hpnicfLineRateIfIndex, hpnicfBandwidthRuntime=hpnicfBandwidthRuntime, hpnicfDscpToCosMapReset=hpnicfDscpToCosMapReset, hpnicfQueueWeight5=hpnicfQueueWeight5, hpnicfMirroringGroupMirrorTable=hpnicfMirroringGroupMirrorTable, hpnicfPriorityLinkAclNum=hpnicfPriorityLinkAclNum, hpnicfPortWredQueueProbability=hpnicfPortWredQueueProbability, hpnicfBandwidthEntry=hpnicfBandwidthEntry, hpnicfTrafficShapeMaxRate=hpnicfTrafficShapeMaxRate, hpnicfMirroringGroupRprobeVlanEntry=hpnicfMirroringGroupRprobeVlanEntry, hpnicfRedAclIndex=hpnicfRedAclIndex, hpnicfFlowtempTos=hpnicfFlowtempTos, hpnicfMirrorRuntime=hpnicfMirrorRuntime) |
class Solution:
def permute(self, nums: List[int]) -> List[List[int]]:
res = []
self.bt(nums, [], res)
return res
def bt(self, nums, tempList, res):
if len(tempList) == len(nums):
res.append(tempList)
return
for i in range(len(nums)):
if nums[i] in tempList:
continue
self.bt(nums, tempList+[nums[i]], res) | class Solution:
def permute(self, nums: List[int]) -> List[List[int]]:
res = []
self.bt(nums, [], res)
return res
def bt(self, nums, tempList, res):
if len(tempList) == len(nums):
res.append(tempList)
return
for i in range(len(nums)):
if nums[i] in tempList:
continue
self.bt(nums, tempList + [nums[i]], res) |
def bubble_sort(alist):
for _ in range(len(alist)-1,0,-1):
for i in range(_):
if alist[i] > alist[i+1]:
alist[i+1],alist[i] = alist[i],alist[i+1]
return alist
print(bubble_sort([1,4,2,3,9,0]))
| def bubble_sort(alist):
for _ in range(len(alist) - 1, 0, -1):
for i in range(_):
if alist[i] > alist[i + 1]:
(alist[i + 1], alist[i]) = (alist[i], alist[i + 1])
return alist
print(bubble_sort([1, 4, 2, 3, 9, 0])) |
(n, k) = map(int, input().split())
cnt = 0
arr = [0 for _ in range(0, n + 1)]
for i in range(2, n + 1):
for j in range(i, n + 1, i):
if arr[j] != 0:
continue
arr[j] = 1
cnt += 1
if cnt == k:
print(j)
exit(0) | (n, k) = map(int, input().split())
cnt = 0
arr = [0 for _ in range(0, n + 1)]
for i in range(2, n + 1):
for j in range(i, n + 1, i):
if arr[j] != 0:
continue
arr[j] = 1
cnt += 1
if cnt == k:
print(j)
exit(0) |
def strangeCounter(t):
initial = 3
j = 3 + 1
time = 0
while True:
time += 1
j -= 1
if t > time -1 + initial:
time += initial -1
initial = initial * 2
j = initial + 1
continue
return j - (t - time)
if __name__ == "__main__":
print(strangeCounter(17)) | def strange_counter(t):
initial = 3
j = 3 + 1
time = 0
while True:
time += 1
j -= 1
if t > time - 1 + initial:
time += initial - 1
initial = initial * 2
j = initial + 1
continue
return j - (t - time)
if __name__ == '__main__':
print(strange_counter(17)) |
'''
Description: exercise: day old bread
Version: 1.0.1.20210114
Author: Arvin Zhao
Date: 2021-01-13 06:12:15
Last Editors: Arvin Zhao
LastEditTime: 2021-01-14 03:49:47
'''
def print_receipt(loaf_num: int, regular_per_price: float, discount_rate: float) -> None:
'''
Calculate and print the regular price for loaves of bread, as well as the discount and the actual price for the day old bread.
Parameters
----------
loaf_num : the number of loaves of day old bread
regular_per_price : the regular price for loaves of bread for each
discount_rate : the rate of the discount for the day old bread
'''
regular_price = loaf_num * regular_per_price # Calculate the regular price for loaves of bread.
discount = regular_price * discount_rate # Calculate the discount for the bread because of a day old.
total_price = regular_price - discount # Calculate the actual price for the day old bread.
print('Regular price:', '%.2f' % regular_price)
print('Discount:', '- %.2f' % discount)
print('Total price:', '%.2f' % total_price)
if __name__ == '__main__':
while True:
loaf_num = input('Enter the number of loaves of day old bread being purchased: ')
if loaf_num.isdigit():
print_receipt(int(loaf_num), 3.49, 0.6)
break
else:
print('Error! Non-negative integer please!') | """
Description: exercise: day old bread
Version: 1.0.1.20210114
Author: Arvin Zhao
Date: 2021-01-13 06:12:15
Last Editors: Arvin Zhao
LastEditTime: 2021-01-14 03:49:47
"""
def print_receipt(loaf_num: int, regular_per_price: float, discount_rate: float) -> None:
"""
Calculate and print the regular price for loaves of bread, as well as the discount and the actual price for the day old bread.
Parameters
----------
loaf_num : the number of loaves of day old bread
regular_per_price : the regular price for loaves of bread for each
discount_rate : the rate of the discount for the day old bread
"""
regular_price = loaf_num * regular_per_price
discount = regular_price * discount_rate
total_price = regular_price - discount
print('Regular price:', '%.2f' % regular_price)
print('Discount:', '- %.2f' % discount)
print('Total price:', '%.2f' % total_price)
if __name__ == '__main__':
while True:
loaf_num = input('Enter the number of loaves of day old bread being purchased: ')
if loaf_num.isdigit():
print_receipt(int(loaf_num), 3.49, 0.6)
break
else:
print('Error! Non-negative integer please!') |
{
"includes": [
"../../common.gypi"
],
'target_defaults': {
'default_configuration': 'Release',
'cflags':[
'-std=c99'
],
'configurations': {
'Debug': {
'defines': [ 'DEBUG', '_DEBUG' ],
},
'Release': {
'defines': [ 'NDEBUG' ],
}
},
'conditions': [
['OS == "win"', {
'defines': [
'WIN32'
],
}]
],
},
'targets': [
{
'target_name': 'libsqlite',
'type': 'static_library',
'include_dirs': [ './sqlite' ],
'sources': [
'./sqlite/sqlite3.c'
],
'direct_dependent_settings': {
'include_dirs': [ './sqlite' ],
'defines': [
'SQLITE_THREADSAFE=1',
'HAVE_USLEEP=1',
'SQLITE_ENABLE_FTS3',
'SQLITE_ENABLE_FTS4',
'SQLITE_ENABLE_FTS5',
'SQLITE_ENABLE_JSON1',
'SQLITE_ENABLE_RTREE'
],
},
'cflags_cc': [
'-Wno-unused-value'
],
'defines': [
'_REENTRANT=1',
'SQLITE_THREADSAFE=1',
'HAVE_USLEEP=1',
'SQLITE_ENABLE_FTS3',
'SQLITE_ENABLE_FTS4',
'SQLITE_ENABLE_FTS5',
'SQLITE_ENABLE_JSON1',
'SQLITE_ENABLE_RTREE'
]
}
]
}
| {'includes': ['../../common.gypi'], 'target_defaults': {'default_configuration': 'Release', 'cflags': ['-std=c99'], 'configurations': {'Debug': {'defines': ['DEBUG', '_DEBUG']}, 'Release': {'defines': ['NDEBUG']}}, 'conditions': [['OS == "win"', {'defines': ['WIN32']}]]}, 'targets': [{'target_name': 'libsqlite', 'type': 'static_library', 'include_dirs': ['./sqlite'], 'sources': ['./sqlite/sqlite3.c'], 'direct_dependent_settings': {'include_dirs': ['./sqlite'], 'defines': ['SQLITE_THREADSAFE=1', 'HAVE_USLEEP=1', 'SQLITE_ENABLE_FTS3', 'SQLITE_ENABLE_FTS4', 'SQLITE_ENABLE_FTS5', 'SQLITE_ENABLE_JSON1', 'SQLITE_ENABLE_RTREE']}, 'cflags_cc': ['-Wno-unused-value'], 'defines': ['_REENTRANT=1', 'SQLITE_THREADSAFE=1', 'HAVE_USLEEP=1', 'SQLITE_ENABLE_FTS3', 'SQLITE_ENABLE_FTS4', 'SQLITE_ENABLE_FTS5', 'SQLITE_ENABLE_JSON1', 'SQLITE_ENABLE_RTREE']}]} |
data = [
["Total Bill","Tip","Payer Gender","Payer Smoker","Day of Week","Meal","Party Size"],
[16.99,1.01,"Female","Non-Smoker","Sunday","Dinner",2],
[10.34,1.66,"Male","Non-Smoker","Sunday","Dinner",3],
[21.01,3.5,"Male","Non-Smoker","Sunday","Dinner",3],
[23.68,3.31,"Male","Non-Smoker","Sunday","Dinner",2],
[24.59,3.61,"Female","Non-Smoker","Sunday","Dinner",4],
[25.29,4.71,"Male","Non-Smoker","Sunday","Dinner",4],
[8.77,2,"Male","Non-Smoker","Sunday","Dinner",2],
[26.88,3.12,"Male","Non-Smoker","Sunday","Dinner",4],
[15.04,1.96,"Male","Non-Smoker","Sunday","Dinner",2],
[14.78,3.23,"Male","Non-Smoker","Sunday","Dinner",2],
[10.27,1.71,"Male","Non-Smoker","Sunday","Dinner",2],
[35.26,5,"Female","Non-Smoker","Sunday","Dinner",4],
[15.42,1.57,"Male","Non-Smoker","Sunday","Dinner",2],
[18.43,3,"Male","Non-Smoker","Sunday","Dinner",4],
[14.83,3.02,"Female","Non-Smoker","Sunday","Dinner",2],
[21.58,3.92,"Male","Non-Smoker","Sunday","Dinner",2],
[10.33,1.67,"Female","Non-Smoker","Sunday","Dinner",3],
[16.29,3.71,"Male","Non-Smoker","Sunday","Dinner",3],
[16.97,3.5,"Female","Non-Smoker","Sunday","Dinner",3],
[20.65,3.35,"Male","Non-Smoker","Saturday","Dinner",3],
[17.92,4.08,"Male","Non-Smoker","Saturday","Dinner",2],
[20.29,2.75,"Female","Non-Smoker","Saturday","Dinner",2],
[15.77,2.23,"Female","Non-Smoker","Saturday","Dinner",2],
[39.42,7.58,"Male","Non-Smoker","Saturday","Dinner",4],
[19.82,3.18,"Male","Non-Smoker","Saturday","Dinner",2],
[17.81,2.34,"Male","Non-Smoker","Saturday","Dinner",4],
[13.37,2,"Male","Non-Smoker","Saturday","Dinner",2],
[12.69,2,"Male","Non-Smoker","Saturday","Dinner",2],
[21.7,4.3,"Male","Non-Smoker","Saturday","Dinner",2],
[19.65,3,"Female","Non-Smoker","Saturday","Dinner",2],
[9.55,1.45,"Male","Non-Smoker","Saturday","Dinner",2],
[18.35,2.5,"Male","Non-Smoker","Saturday","Dinner",4],
[15.06,3,"Female","Non-Smoker","Saturday","Dinner",2],
[20.69,2.45,"Female","Non-Smoker","Saturday","Dinner",4],
[17.78,3.27,"Male","Non-Smoker","Saturday","Dinner",2],
[24.06,3.6,"Male","Non-Smoker","Saturday","Dinner",3],
[16.31,2,"Male","Non-Smoker","Saturday","Dinner",3],
[16.93,3.07,"Female","Non-Smoker","Saturday","Dinner",3],
[18.69,2.31,"Male","Non-Smoker","Saturday","Dinner",3],
[31.27,5,"Male","Non-Smoker","Saturday","Dinner",3],
[16.04,2.24,"Male","Non-Smoker","Saturday","Dinner",3],
[17.46,2.54,"Male","Non-Smoker","Sunday","Dinner",2],
[13.94,3.06,"Male","Non-Smoker","Sunday","Dinner",2],
[9.68,1.32,"Male","Non-Smoker","Sunday","Dinner",2],
[30.4,5.6,"Male","Non-Smoker","Sunday","Dinner",4],
[18.29,3,"Male","Non-Smoker","Sunday","Dinner",2],
[22.23,5,"Male","Non-Smoker","Sunday","Dinner",2],
[32.4,6,"Male","Non-Smoker","Sunday","Dinner",4],
[28.55,2.05,"Male","Non-Smoker","Sunday","Dinner",3],
[18.04,3,"Male","Non-Smoker","Sunday","Dinner",2],
[12.54,2.5,"Male","Non-Smoker","Sunday","Dinner",2],
[10.29,2.6,"Female","Non-Smoker","Sunday","Dinner",2],
[34.81,5.2,"Female","Non-Smoker","Sunday","Dinner",4],
[9.94,1.56,"Male","Non-Smoker","Sunday","Dinner",2],
[25.56,4.34,"Male","Non-Smoker","Sunday","Dinner",4],
[19.49,3.51,"Male","Non-Smoker","Sunday","Dinner",2],
[38.01,3,"Male","Smoker","Saturday","Dinner",4],
[26.41,1.5,"Female","Non-Smoker","Saturday","Dinner",2],
[11.24,1.76,"Male","Smoker","Saturday","Dinner",2],
[48.27,6.73,"Male","Non-Smoker","Saturday","Dinner",4],
[20.29,3.21,"Male","Smoker","Saturday","Dinner",2],
[13.81,2,"Male","Smoker","Saturday","Dinner",2],
[11.02,1.98,"Male","Smoker","Saturday","Dinner",2],
[18.29,3.76,"Male","Smoker","Saturday","Dinner",4],
[17.59,2.64,"Male","Non-Smoker","Saturday","Dinner",3],
[20.08,3.15,"Male","Non-Smoker","Saturday","Dinner",3],
[16.45,2.47,"Female","Non-Smoker","Saturday","Dinner",2],
[3.07,1,"Female","Smoker","Saturday","Dinner",1],
[20.23,2.01,"Male","Non-Smoker","Saturday","Dinner",2],
[15.01,2.09,"Male","Smoker","Saturday","Dinner",2],
[12.02,1.97,"Male","Non-Smoker","Saturday","Dinner",2],
[17.07,3,"Female","Non-Smoker","Saturday","Dinner",3],
[26.86,3.14,"Female","Smoker","Saturday","Dinner",2],
[25.28,5,"Female","Smoker","Saturday","Dinner",2],
[14.73,2.2,"Female","Non-Smoker","Saturday","Dinner",2],
[10.51,1.25,"Male","Non-Smoker","Saturday","Dinner",2],
[17.92,3.08,"Male","Smoker","Saturday","Dinner",2],
[27.2,4,"Male","Non-Smoker","Thursday","Lunch",4],
[22.76,3,"Male","Non-Smoker","Thursday","Lunch",2],
[17.29,2.71,"Male","Non-Smoker","Thursday","Lunch",2],
[19.44,3,"Male","Smoker","Thursday","Lunch",2],
[16.66,3.4,"Male","Non-Smoker","Thursday","Lunch",2],
[10.07,1.83,"Female","Non-Smoker","Thursday","Lunch",1],
[32.68,5,"Male","Smoker","Thursday","Lunch",2],
[15.98,2.03,"Male","Non-Smoker","Thursday","Lunch",2],
[34.83,5.17,"Female","Non-Smoker","Thursday","Lunch",4],
[13.03,2,"Male","Non-Smoker","Thursday","Lunch",2],
[18.28,4,"Male","Non-Smoker","Thursday","Lunch",2],
[24.71,5.85,"Male","Non-Smoker","Thursday","Lunch",2],
[21.16,3,"Male","Non-Smoker","Thursday","Lunch",2],
[28.97,3,"Male","Smoker","Friday","Dinner",2],
[22.49,3.5,"Male","Non-Smoker","Friday","Dinner",2],
[5.75,1,"Female","Smoker","Friday","Dinner",2],
[16.32,4.3,"Female","Smoker","Friday","Dinner",2],
[22.75,3.25,"Female","Non-Smoker","Friday","Dinner",2],
[40.17,4.73,"Male","Smoker","Friday","Dinner",4],
[27.28,4,"Male","Smoker","Friday","Dinner",2],
[12.03,1.5,"Male","Smoker","Friday","Dinner",2],
[21.01,3,"Male","Smoker","Friday","Dinner",2],
[12.46,1.5,"Male","Non-Smoker","Friday","Dinner",2],
[11.35,2.5,"Female","Smoker","Friday","Dinner",2],
[15.38,3,"Female","Smoker","Friday","Dinner",2],
[44.3,2.5,"Female","Smoker","Saturday","Dinner",3],
[22.42,3.48,"Female","Smoker","Saturday","Dinner",2],
[20.92,4.08,"Female","Non-Smoker","Saturday","Dinner",2],
[15.36,1.64,"Male","Smoker","Saturday","Dinner",2],
[20.49,4.06,"Male","Smoker","Saturday","Dinner",2],
[25.21,4.29,"Male","Smoker","Saturday","Dinner",2],
[18.24,3.76,"Male","Non-Smoker","Saturday","Dinner",2],
[14.31,4,"Female","Smoker","Saturday","Dinner",2],
[14,3,"Male","Non-Smoker","Saturday","Dinner",2],
[7.25,1,"Female","Non-Smoker","Saturday","Dinner",1],
[38.07,4,"Male","Non-Smoker","Sunday","Dinner",3],
[23.95,2.55,"Male","Non-Smoker","Sunday","Dinner",2],
[25.71,4,"Female","Non-Smoker","Sunday","Dinner",3],
[17.31,3.5,"Female","Non-Smoker","Sunday","Dinner",2],
[29.93,5.07,"Male","Non-Smoker","Sunday","Dinner",4],
[10.65,1.5,"Female","Non-Smoker","Thursday","Lunch",2],
[12.43,1.8,"Female","Non-Smoker","Thursday","Lunch",2],
[24.08,2.92,"Female","Non-Smoker","Thursday","Lunch",4],
[11.69,2.31,"Male","Non-Smoker","Thursday","Lunch",2],
[13.42,1.68,"Female","Non-Smoker","Thursday","Lunch",2],
[14.26,2.5,"Male","Non-Smoker","Thursday","Lunch",2],
[15.95,2,"Male","Non-Smoker","Thursday","Lunch",2],
[12.48,2.52,"Female","Non-Smoker","Thursday","Lunch",2],
[29.8,4.2,"Female","Non-Smoker","Thursday","Lunch",6],
[8.52,1.48,"Male","Non-Smoker","Thursday","Lunch",2],
[14.52,2,"Female","Non-Smoker","Thursday","Lunch",2],
[11.38,2,"Female","Non-Smoker","Thursday","Lunch",2],
[22.82,2.18,"Male","Non-Smoker","Thursday","Lunch",3],
[19.08,1.5,"Male","Non-Smoker","Thursday","Lunch",2],
[20.27,2.83,"Female","Non-Smoker","Thursday","Lunch",2],
[11.17,1.5,"Female","Non-Smoker","Thursday","Lunch",2],
[12.26,2,"Female","Non-Smoker","Thursday","Lunch",2],
[18.26,3.25,"Female","Non-Smoker","Thursday","Lunch",2],
[8.51,1.25,"Female","Non-Smoker","Thursday","Lunch",2],
[10.33,2,"Female","Non-Smoker","Thursday","Lunch",2],
[14.15,2,"Female","Non-Smoker","Thursday","Lunch",2],
[16,2,"Male","Smoker","Thursday","Lunch",2],
[13.16,2.75,"Female","Non-Smoker","Thursday","Lunch",2],
[17.47,3.5,"Female","Non-Smoker","Thursday","Lunch",2],
[34.3,6.7,"Male","Non-Smoker","Thursday","Lunch",6],
[41.19,5,"Male","Non-Smoker","Thursday","Lunch",5],
[27.05,5,"Female","Non-Smoker","Thursday","Lunch",6],
[16.43,2.3,"Female","Non-Smoker","Thursday","Lunch",2],
[8.35,1.5,"Female","Non-Smoker","Thursday","Lunch",2],
[18.64,1.36,"Female","Non-Smoker","Thursday","Lunch",3],
[11.87,1.63,"Female","Non-Smoker","Thursday","Lunch",2],
[9.78,1.73,"Male","Non-Smoker","Thursday","Lunch",2],
[7.51,2,"Male","Non-Smoker","Thursday","Lunch",2],
[14.07,2.5,"Male","Non-Smoker","Sunday","Dinner",2],
[13.13,2,"Male","Non-Smoker","Sunday","Dinner",2],
[17.26,2.74,"Male","Non-Smoker","Sunday","Dinner",3],
[24.55,2,"Male","Non-Smoker","Sunday","Dinner",4],
[19.77,2,"Male","Non-Smoker","Sunday","Dinner",4],
[29.85,5.14,"Female","Non-Smoker","Sunday","Dinner",5],
[48.17,5,"Male","Non-Smoker","Sunday","Dinner",6],
[25,3.75,"Female","Non-Smoker","Sunday","Dinner",4],
[13.39,2.61,"Female","Non-Smoker","Sunday","Dinner",2],
[16.49,2,"Male","Non-Smoker","Sunday","Dinner",4],
[21.5,3.5,"Male","Non-Smoker","Sunday","Dinner",4],
[12.66,2.5,"Male","Non-Smoker","Sunday","Dinner",2],
[16.21,2,"Female","Non-Smoker","Sunday","Dinner",3],
[13.81,2,"Male","Non-Smoker","Sunday","Dinner",2],
[17.51,3,"Female","Smoker","Sunday","Dinner",2],
[24.52,3.48,"Male","Non-Smoker","Sunday","Dinner",3],
[20.76,2.24,"Male","Non-Smoker","Sunday","Dinner",2],
[31.71,4.5,"Male","Non-Smoker","Sunday","Dinner",4],
[10.59,1.61,"Female","Smoker","Saturday","Dinner",2],
[10.63,2,"Female","Smoker","Saturday","Dinner",2],
[50.81,10,"Male","Smoker","Saturday","Dinner",3],
[15.81,3.16,"Male","Smoker","Saturday","Dinner",2],
[7.25,5.15,"Male","Smoker","Sunday","Dinner",2],
[31.85,3.18,"Male","Smoker","Sunday","Dinner",2],
[16.82,4,"Male","Smoker","Sunday","Dinner",2],
[32.9,3.11,"Male","Smoker","Sunday","Dinner",2],
[17.89,2,"Male","Smoker","Sunday","Dinner",2],
[14.48,2,"Male","Smoker","Sunday","Dinner",2],
[9.6,4,"Female","Smoker","Sunday","Dinner",2],
[34.63,3.55,"Male","Smoker","Sunday","Dinner",2],
[34.65,3.68,"Male","Smoker","Sunday","Dinner",4],
[23.33,5.65,"Male","Smoker","Sunday","Dinner",2],
[45.35,3.5,"Male","Smoker","Sunday","Dinner",3],
[23.17,6.5,"Male","Smoker","Sunday","Dinner",4],
[40.55,3,"Male","Smoker","Sunday","Dinner",2],
[20.69,5,"Male","Non-Smoker","Sunday","Dinner",5],
[20.9,3.5,"Female","Smoker","Sunday","Dinner",3],
[30.46,2,"Male","Smoker","Sunday","Dinner",5],
[18.15,3.5,"Female","Smoker","Sunday","Dinner",3],
[23.1,4,"Male","Smoker","Sunday","Dinner",3],
[15.69,1.5,"Male","Smoker","Sunday","Dinner",2],
[19.81,4.19,"Female","Smoker","Thursday","Lunch",2],
[28.44,2.56,"Male","Smoker","Thursday","Lunch",2],
[15.48,2.02,"Male","Smoker","Thursday","Lunch",2],
[16.58,4,"Male","Smoker","Thursday","Lunch",2],
[7.56,1.44,"Male","Non-Smoker","Thursday","Lunch",2],
[10.34,2,"Male","Smoker","Thursday","Lunch",2],
[43.11,5,"Female","Smoker","Thursday","Lunch",4],
[13,2,"Female","Smoker","Thursday","Lunch",2],
[13.51,2,"Male","Smoker","Thursday","Lunch",2],
[18.71,4,"Male","Smoker","Thursday","Lunch",3],
[12.74,2.01,"Female","Smoker","Thursday","Lunch",2],
[13,2,"Female","Smoker","Thursday","Lunch",2],
[16.4,2.5,"Female","Smoker","Thursday","Lunch",2],
[20.53,4,"Male","Smoker","Thursday","Lunch",4],
[16.47,3.23,"Female","Smoker","Thursday","Lunch",3],
[26.59,3.41,"Male","Smoker","Saturday","Dinner",3],
[38.73,3,"Male","Smoker","Saturday","Dinner",4],
[24.27,2.03,"Male","Smoker","Saturday","Dinner",2],
[12.76,2.23,"Female","Smoker","Saturday","Dinner",2],
[30.06,2,"Male","Smoker","Saturday","Dinner",3],
[25.89,5.16,"Male","Smoker","Saturday","Dinner",4],
[48.33,9,"Male","Non-Smoker","Saturday","Dinner",4],
[13.27,2.5,"Female","Smoker","Saturday","Dinner",2],
[28.17,6.5,"Female","Smoker","Saturday","Dinner",3],
[12.9,1.1,"Female","Smoker","Saturday","Dinner",2],
[28.15,3,"Male","Smoker","Saturday","Dinner",5],
[11.59,1.5,"Male","Smoker","Saturday","Dinner",2],
[7.74,1.44,"Male","Smoker","Saturday","Dinner",2],
[30.14,3.09,"Female","Smoker","Saturday","Dinner",4],
[12.16,2.2,"Male","Smoker","Friday","Lunch",2],
[13.42,3.48,"Female","Smoker","Friday","Lunch",2],
[8.58,1.92,"Male","Smoker","Friday","Lunch",1],
[15.98,3,"Female","Non-Smoker","Friday","Lunch",3],
[13.42,1.58,"Male","Smoker","Friday","Lunch",2],
[16.27,2.5,"Female","Smoker","Friday","Lunch",2],
[10.09,2,"Female","Smoker","Friday","Lunch",2],
[20.45,3,"Male","Non-Smoker","Saturday","Dinner",4],
[13.28,2.72,"Male","Non-Smoker","Saturday","Dinner",2],
[22.12,2.88,"Female","Smoker","Saturday","Dinner",2],
[24.01,2,"Male","Smoker","Saturday","Dinner",4],
[15.69,3,"Male","Smoker","Saturday","Dinner",3],
[11.61,3.39,"Male","Non-Smoker","Saturday","Dinner",2],
[10.77,1.47,"Male","Non-Smoker","Saturday","Dinner",2],
[15.53,3,"Male","Smoker","Saturday","Dinner",2],
[10.07,1.25,"Male","Non-Smoker","Saturday","Dinner",2],
[12.6,1,"Male","Smoker","Saturday","Dinner",2],
[32.83,1.17,"Male","Smoker","Saturday","Dinner",2],
[35.83,4.67,"Female","Non-Smoker","Saturday","Dinner",3],
[29.03,5.92,"Male","Non-Smoker","Saturday","Dinner",3],
[27.18,2,"Female","Smoker","Saturday","Dinner",2],
[22.67,2,"Male","Smoker","Saturday","Dinner",2],
[17.82,1.75,"Male","Non-Smoker","Saturday","Dinner",2],
[18.78,3,"Female","Non-Smoker","Thursday","Dinner",2]
] | data = [['Total Bill', 'Tip', 'Payer Gender', 'Payer Smoker', 'Day of Week', 'Meal', 'Party Size'], [16.99, 1.01, 'Female', 'Non-Smoker', 'Sunday', 'Dinner', 2], [10.34, 1.66, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 3], [21.01, 3.5, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 3], [23.68, 3.31, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 2], [24.59, 3.61, 'Female', 'Non-Smoker', 'Sunday', 'Dinner', 4], [25.29, 4.71, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 4], [8.77, 2, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 2], [26.88, 3.12, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 4], [15.04, 1.96, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 2], [14.78, 3.23, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 2], [10.27, 1.71, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 2], [35.26, 5, 'Female', 'Non-Smoker', 'Sunday', 'Dinner', 4], [15.42, 1.57, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 2], [18.43, 3, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 4], [14.83, 3.02, 'Female', 'Non-Smoker', 'Sunday', 'Dinner', 2], [21.58, 3.92, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 2], [10.33, 1.67, 'Female', 'Non-Smoker', 'Sunday', 'Dinner', 3], [16.29, 3.71, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 3], [16.97, 3.5, 'Female', 'Non-Smoker', 'Sunday', 'Dinner', 3], [20.65, 3.35, 'Male', 'Non-Smoker', 'Saturday', 'Dinner', 3], [17.92, 4.08, 'Male', 'Non-Smoker', 'Saturday', 'Dinner', 2], [20.29, 2.75, 'Female', 'Non-Smoker', 'Saturday', 'Dinner', 2], [15.77, 2.23, 'Female', 'Non-Smoker', 'Saturday', 'Dinner', 2], [39.42, 7.58, 'Male', 'Non-Smoker', 'Saturday', 'Dinner', 4], [19.82, 3.18, 'Male', 'Non-Smoker', 'Saturday', 'Dinner', 2], [17.81, 2.34, 'Male', 'Non-Smoker', 'Saturday', 'Dinner', 4], [13.37, 2, 'Male', 'Non-Smoker', 'Saturday', 'Dinner', 2], [12.69, 2, 'Male', 'Non-Smoker', 'Saturday', 'Dinner', 2], [21.7, 4.3, 'Male', 'Non-Smoker', 'Saturday', 'Dinner', 2], [19.65, 3, 'Female', 'Non-Smoker', 'Saturday', 'Dinner', 2], [9.55, 1.45, 'Male', 'Non-Smoker', 'Saturday', 'Dinner', 2], [18.35, 2.5, 'Male', 'Non-Smoker', 'Saturday', 'Dinner', 4], [15.06, 3, 'Female', 'Non-Smoker', 'Saturday', 'Dinner', 2], [20.69, 2.45, 'Female', 'Non-Smoker', 'Saturday', 'Dinner', 4], [17.78, 3.27, 'Male', 'Non-Smoker', 'Saturday', 'Dinner', 2], [24.06, 3.6, 'Male', 'Non-Smoker', 'Saturday', 'Dinner', 3], [16.31, 2, 'Male', 'Non-Smoker', 'Saturday', 'Dinner', 3], [16.93, 3.07, 'Female', 'Non-Smoker', 'Saturday', 'Dinner', 3], [18.69, 2.31, 'Male', 'Non-Smoker', 'Saturday', 'Dinner', 3], [31.27, 5, 'Male', 'Non-Smoker', 'Saturday', 'Dinner', 3], [16.04, 2.24, 'Male', 'Non-Smoker', 'Saturday', 'Dinner', 3], [17.46, 2.54, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 2], [13.94, 3.06, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 2], [9.68, 1.32, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 2], [30.4, 5.6, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 4], [18.29, 3, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 2], [22.23, 5, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 2], [32.4, 6, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 4], [28.55, 2.05, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 3], [18.04, 3, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 2], [12.54, 2.5, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 2], [10.29, 2.6, 'Female', 'Non-Smoker', 'Sunday', 'Dinner', 2], [34.81, 5.2, 'Female', 'Non-Smoker', 'Sunday', 'Dinner', 4], [9.94, 1.56, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 2], [25.56, 4.34, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 4], [19.49, 3.51, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 2], [38.01, 3, 'Male', 'Smoker', 'Saturday', 'Dinner', 4], [26.41, 1.5, 'Female', 'Non-Smoker', 'Saturday', 'Dinner', 2], [11.24, 1.76, 'Male', 'Smoker', 'Saturday', 'Dinner', 2], [48.27, 6.73, 'Male', 'Non-Smoker', 'Saturday', 'Dinner', 4], [20.29, 3.21, 'Male', 'Smoker', 'Saturday', 'Dinner', 2], [13.81, 2, 'Male', 'Smoker', 'Saturday', 'Dinner', 2], [11.02, 1.98, 'Male', 'Smoker', 'Saturday', 'Dinner', 2], [18.29, 3.76, 'Male', 'Smoker', 'Saturday', 'Dinner', 4], [17.59, 2.64, 'Male', 'Non-Smoker', 'Saturday', 'Dinner', 3], [20.08, 3.15, 'Male', 'Non-Smoker', 'Saturday', 'Dinner', 3], [16.45, 2.47, 'Female', 'Non-Smoker', 'Saturday', 'Dinner', 2], [3.07, 1, 'Female', 'Smoker', 'Saturday', 'Dinner', 1], [20.23, 2.01, 'Male', 'Non-Smoker', 'Saturday', 'Dinner', 2], [15.01, 2.09, 'Male', 'Smoker', 'Saturday', 'Dinner', 2], [12.02, 1.97, 'Male', 'Non-Smoker', 'Saturday', 'Dinner', 2], [17.07, 3, 'Female', 'Non-Smoker', 'Saturday', 'Dinner', 3], [26.86, 3.14, 'Female', 'Smoker', 'Saturday', 'Dinner', 2], [25.28, 5, 'Female', 'Smoker', 'Saturday', 'Dinner', 2], [14.73, 2.2, 'Female', 'Non-Smoker', 'Saturday', 'Dinner', 2], [10.51, 1.25, 'Male', 'Non-Smoker', 'Saturday', 'Dinner', 2], [17.92, 3.08, 'Male', 'Smoker', 'Saturday', 'Dinner', 2], [27.2, 4, 'Male', 'Non-Smoker', 'Thursday', 'Lunch', 4], [22.76, 3, 'Male', 'Non-Smoker', 'Thursday', 'Lunch', 2], [17.29, 2.71, 'Male', 'Non-Smoker', 'Thursday', 'Lunch', 2], [19.44, 3, 'Male', 'Smoker', 'Thursday', 'Lunch', 2], [16.66, 3.4, 'Male', 'Non-Smoker', 'Thursday', 'Lunch', 2], [10.07, 1.83, 'Female', 'Non-Smoker', 'Thursday', 'Lunch', 1], [32.68, 5, 'Male', 'Smoker', 'Thursday', 'Lunch', 2], [15.98, 2.03, 'Male', 'Non-Smoker', 'Thursday', 'Lunch', 2], [34.83, 5.17, 'Female', 'Non-Smoker', 'Thursday', 'Lunch', 4], [13.03, 2, 'Male', 'Non-Smoker', 'Thursday', 'Lunch', 2], [18.28, 4, 'Male', 'Non-Smoker', 'Thursday', 'Lunch', 2], [24.71, 5.85, 'Male', 'Non-Smoker', 'Thursday', 'Lunch', 2], [21.16, 3, 'Male', 'Non-Smoker', 'Thursday', 'Lunch', 2], [28.97, 3, 'Male', 'Smoker', 'Friday', 'Dinner', 2], [22.49, 3.5, 'Male', 'Non-Smoker', 'Friday', 'Dinner', 2], [5.75, 1, 'Female', 'Smoker', 'Friday', 'Dinner', 2], [16.32, 4.3, 'Female', 'Smoker', 'Friday', 'Dinner', 2], [22.75, 3.25, 'Female', 'Non-Smoker', 'Friday', 'Dinner', 2], [40.17, 4.73, 'Male', 'Smoker', 'Friday', 'Dinner', 4], [27.28, 4, 'Male', 'Smoker', 'Friday', 'Dinner', 2], [12.03, 1.5, 'Male', 'Smoker', 'Friday', 'Dinner', 2], [21.01, 3, 'Male', 'Smoker', 'Friday', 'Dinner', 2], [12.46, 1.5, 'Male', 'Non-Smoker', 'Friday', 'Dinner', 2], [11.35, 2.5, 'Female', 'Smoker', 'Friday', 'Dinner', 2], [15.38, 3, 'Female', 'Smoker', 'Friday', 'Dinner', 2], [44.3, 2.5, 'Female', 'Smoker', 'Saturday', 'Dinner', 3], [22.42, 3.48, 'Female', 'Smoker', 'Saturday', 'Dinner', 2], [20.92, 4.08, 'Female', 'Non-Smoker', 'Saturday', 'Dinner', 2], [15.36, 1.64, 'Male', 'Smoker', 'Saturday', 'Dinner', 2], [20.49, 4.06, 'Male', 'Smoker', 'Saturday', 'Dinner', 2], [25.21, 4.29, 'Male', 'Smoker', 'Saturday', 'Dinner', 2], [18.24, 3.76, 'Male', 'Non-Smoker', 'Saturday', 'Dinner', 2], [14.31, 4, 'Female', 'Smoker', 'Saturday', 'Dinner', 2], [14, 3, 'Male', 'Non-Smoker', 'Saturday', 'Dinner', 2], [7.25, 1, 'Female', 'Non-Smoker', 'Saturday', 'Dinner', 1], [38.07, 4, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 3], [23.95, 2.55, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 2], [25.71, 4, 'Female', 'Non-Smoker', 'Sunday', 'Dinner', 3], [17.31, 3.5, 'Female', 'Non-Smoker', 'Sunday', 'Dinner', 2], [29.93, 5.07, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 4], [10.65, 1.5, 'Female', 'Non-Smoker', 'Thursday', 'Lunch', 2], [12.43, 1.8, 'Female', 'Non-Smoker', 'Thursday', 'Lunch', 2], [24.08, 2.92, 'Female', 'Non-Smoker', 'Thursday', 'Lunch', 4], [11.69, 2.31, 'Male', 'Non-Smoker', 'Thursday', 'Lunch', 2], [13.42, 1.68, 'Female', 'Non-Smoker', 'Thursday', 'Lunch', 2], [14.26, 2.5, 'Male', 'Non-Smoker', 'Thursday', 'Lunch', 2], [15.95, 2, 'Male', 'Non-Smoker', 'Thursday', 'Lunch', 2], [12.48, 2.52, 'Female', 'Non-Smoker', 'Thursday', 'Lunch', 2], [29.8, 4.2, 'Female', 'Non-Smoker', 'Thursday', 'Lunch', 6], [8.52, 1.48, 'Male', 'Non-Smoker', 'Thursday', 'Lunch', 2], [14.52, 2, 'Female', 'Non-Smoker', 'Thursday', 'Lunch', 2], [11.38, 2, 'Female', 'Non-Smoker', 'Thursday', 'Lunch', 2], [22.82, 2.18, 'Male', 'Non-Smoker', 'Thursday', 'Lunch', 3], [19.08, 1.5, 'Male', 'Non-Smoker', 'Thursday', 'Lunch', 2], [20.27, 2.83, 'Female', 'Non-Smoker', 'Thursday', 'Lunch', 2], [11.17, 1.5, 'Female', 'Non-Smoker', 'Thursday', 'Lunch', 2], [12.26, 2, 'Female', 'Non-Smoker', 'Thursday', 'Lunch', 2], [18.26, 3.25, 'Female', 'Non-Smoker', 'Thursday', 'Lunch', 2], [8.51, 1.25, 'Female', 'Non-Smoker', 'Thursday', 'Lunch', 2], [10.33, 2, 'Female', 'Non-Smoker', 'Thursday', 'Lunch', 2], [14.15, 2, 'Female', 'Non-Smoker', 'Thursday', 'Lunch', 2], [16, 2, 'Male', 'Smoker', 'Thursday', 'Lunch', 2], [13.16, 2.75, 'Female', 'Non-Smoker', 'Thursday', 'Lunch', 2], [17.47, 3.5, 'Female', 'Non-Smoker', 'Thursday', 'Lunch', 2], [34.3, 6.7, 'Male', 'Non-Smoker', 'Thursday', 'Lunch', 6], [41.19, 5, 'Male', 'Non-Smoker', 'Thursday', 'Lunch', 5], [27.05, 5, 'Female', 'Non-Smoker', 'Thursday', 'Lunch', 6], [16.43, 2.3, 'Female', 'Non-Smoker', 'Thursday', 'Lunch', 2], [8.35, 1.5, 'Female', 'Non-Smoker', 'Thursday', 'Lunch', 2], [18.64, 1.36, 'Female', 'Non-Smoker', 'Thursday', 'Lunch', 3], [11.87, 1.63, 'Female', 'Non-Smoker', 'Thursday', 'Lunch', 2], [9.78, 1.73, 'Male', 'Non-Smoker', 'Thursday', 'Lunch', 2], [7.51, 2, 'Male', 'Non-Smoker', 'Thursday', 'Lunch', 2], [14.07, 2.5, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 2], [13.13, 2, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 2], [17.26, 2.74, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 3], [24.55, 2, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 4], [19.77, 2, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 4], [29.85, 5.14, 'Female', 'Non-Smoker', 'Sunday', 'Dinner', 5], [48.17, 5, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 6], [25, 3.75, 'Female', 'Non-Smoker', 'Sunday', 'Dinner', 4], [13.39, 2.61, 'Female', 'Non-Smoker', 'Sunday', 'Dinner', 2], [16.49, 2, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 4], [21.5, 3.5, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 4], [12.66, 2.5, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 2], [16.21, 2, 'Female', 'Non-Smoker', 'Sunday', 'Dinner', 3], [13.81, 2, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 2], [17.51, 3, 'Female', 'Smoker', 'Sunday', 'Dinner', 2], [24.52, 3.48, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 3], [20.76, 2.24, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 2], [31.71, 4.5, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 4], [10.59, 1.61, 'Female', 'Smoker', 'Saturday', 'Dinner', 2], [10.63, 2, 'Female', 'Smoker', 'Saturday', 'Dinner', 2], [50.81, 10, 'Male', 'Smoker', 'Saturday', 'Dinner', 3], [15.81, 3.16, 'Male', 'Smoker', 'Saturday', 'Dinner', 2], [7.25, 5.15, 'Male', 'Smoker', 'Sunday', 'Dinner', 2], [31.85, 3.18, 'Male', 'Smoker', 'Sunday', 'Dinner', 2], [16.82, 4, 'Male', 'Smoker', 'Sunday', 'Dinner', 2], [32.9, 3.11, 'Male', 'Smoker', 'Sunday', 'Dinner', 2], [17.89, 2, 'Male', 'Smoker', 'Sunday', 'Dinner', 2], [14.48, 2, 'Male', 'Smoker', 'Sunday', 'Dinner', 2], [9.6, 4, 'Female', 'Smoker', 'Sunday', 'Dinner', 2], [34.63, 3.55, 'Male', 'Smoker', 'Sunday', 'Dinner', 2], [34.65, 3.68, 'Male', 'Smoker', 'Sunday', 'Dinner', 4], [23.33, 5.65, 'Male', 'Smoker', 'Sunday', 'Dinner', 2], [45.35, 3.5, 'Male', 'Smoker', 'Sunday', 'Dinner', 3], [23.17, 6.5, 'Male', 'Smoker', 'Sunday', 'Dinner', 4], [40.55, 3, 'Male', 'Smoker', 'Sunday', 'Dinner', 2], [20.69, 5, 'Male', 'Non-Smoker', 'Sunday', 'Dinner', 5], [20.9, 3.5, 'Female', 'Smoker', 'Sunday', 'Dinner', 3], [30.46, 2, 'Male', 'Smoker', 'Sunday', 'Dinner', 5], [18.15, 3.5, 'Female', 'Smoker', 'Sunday', 'Dinner', 3], [23.1, 4, 'Male', 'Smoker', 'Sunday', 'Dinner', 3], [15.69, 1.5, 'Male', 'Smoker', 'Sunday', 'Dinner', 2], [19.81, 4.19, 'Female', 'Smoker', 'Thursday', 'Lunch', 2], [28.44, 2.56, 'Male', 'Smoker', 'Thursday', 'Lunch', 2], [15.48, 2.02, 'Male', 'Smoker', 'Thursday', 'Lunch', 2], [16.58, 4, 'Male', 'Smoker', 'Thursday', 'Lunch', 2], [7.56, 1.44, 'Male', 'Non-Smoker', 'Thursday', 'Lunch', 2], [10.34, 2, 'Male', 'Smoker', 'Thursday', 'Lunch', 2], [43.11, 5, 'Female', 'Smoker', 'Thursday', 'Lunch', 4], [13, 2, 'Female', 'Smoker', 'Thursday', 'Lunch', 2], [13.51, 2, 'Male', 'Smoker', 'Thursday', 'Lunch', 2], [18.71, 4, 'Male', 'Smoker', 'Thursday', 'Lunch', 3], [12.74, 2.01, 'Female', 'Smoker', 'Thursday', 'Lunch', 2], [13, 2, 'Female', 'Smoker', 'Thursday', 'Lunch', 2], [16.4, 2.5, 'Female', 'Smoker', 'Thursday', 'Lunch', 2], [20.53, 4, 'Male', 'Smoker', 'Thursday', 'Lunch', 4], [16.47, 3.23, 'Female', 'Smoker', 'Thursday', 'Lunch', 3], [26.59, 3.41, 'Male', 'Smoker', 'Saturday', 'Dinner', 3], [38.73, 3, 'Male', 'Smoker', 'Saturday', 'Dinner', 4], [24.27, 2.03, 'Male', 'Smoker', 'Saturday', 'Dinner', 2], [12.76, 2.23, 'Female', 'Smoker', 'Saturday', 'Dinner', 2], [30.06, 2, 'Male', 'Smoker', 'Saturday', 'Dinner', 3], [25.89, 5.16, 'Male', 'Smoker', 'Saturday', 'Dinner', 4], [48.33, 9, 'Male', 'Non-Smoker', 'Saturday', 'Dinner', 4], [13.27, 2.5, 'Female', 'Smoker', 'Saturday', 'Dinner', 2], [28.17, 6.5, 'Female', 'Smoker', 'Saturday', 'Dinner', 3], [12.9, 1.1, 'Female', 'Smoker', 'Saturday', 'Dinner', 2], [28.15, 3, 'Male', 'Smoker', 'Saturday', 'Dinner', 5], [11.59, 1.5, 'Male', 'Smoker', 'Saturday', 'Dinner', 2], [7.74, 1.44, 'Male', 'Smoker', 'Saturday', 'Dinner', 2], [30.14, 3.09, 'Female', 'Smoker', 'Saturday', 'Dinner', 4], [12.16, 2.2, 'Male', 'Smoker', 'Friday', 'Lunch', 2], [13.42, 3.48, 'Female', 'Smoker', 'Friday', 'Lunch', 2], [8.58, 1.92, 'Male', 'Smoker', 'Friday', 'Lunch', 1], [15.98, 3, 'Female', 'Non-Smoker', 'Friday', 'Lunch', 3], [13.42, 1.58, 'Male', 'Smoker', 'Friday', 'Lunch', 2], [16.27, 2.5, 'Female', 'Smoker', 'Friday', 'Lunch', 2], [10.09, 2, 'Female', 'Smoker', 'Friday', 'Lunch', 2], [20.45, 3, 'Male', 'Non-Smoker', 'Saturday', 'Dinner', 4], [13.28, 2.72, 'Male', 'Non-Smoker', 'Saturday', 'Dinner', 2], [22.12, 2.88, 'Female', 'Smoker', 'Saturday', 'Dinner', 2], [24.01, 2, 'Male', 'Smoker', 'Saturday', 'Dinner', 4], [15.69, 3, 'Male', 'Smoker', 'Saturday', 'Dinner', 3], [11.61, 3.39, 'Male', 'Non-Smoker', 'Saturday', 'Dinner', 2], [10.77, 1.47, 'Male', 'Non-Smoker', 'Saturday', 'Dinner', 2], [15.53, 3, 'Male', 'Smoker', 'Saturday', 'Dinner', 2], [10.07, 1.25, 'Male', 'Non-Smoker', 'Saturday', 'Dinner', 2], [12.6, 1, 'Male', 'Smoker', 'Saturday', 'Dinner', 2], [32.83, 1.17, 'Male', 'Smoker', 'Saturday', 'Dinner', 2], [35.83, 4.67, 'Female', 'Non-Smoker', 'Saturday', 'Dinner', 3], [29.03, 5.92, 'Male', 'Non-Smoker', 'Saturday', 'Dinner', 3], [27.18, 2, 'Female', 'Smoker', 'Saturday', 'Dinner', 2], [22.67, 2, 'Male', 'Smoker', 'Saturday', 'Dinner', 2], [17.82, 1.75, 'Male', 'Non-Smoker', 'Saturday', 'Dinner', 2], [18.78, 3, 'Female', 'Non-Smoker', 'Thursday', 'Dinner', 2]] |
discord_token = 'NDQyNTQ3OTY0MDI0NzE3MzEy.DdAacQ._iDLpBSxzKb8T5rZDh4De9A1sXc'
user_agent = 'Mozilla/5.0 (Windows NT 10.0; Win64; x64; rv:58.0) Gecko/20100101 Firefox/58.0'
goat_url = 'https://2fwotdvm2o-dsn.algolia.net/1/indexes/ProductTemplateSearch/query'
stockx_url = 'https://xw7sbct9v6-dsn.algolia.net/1/indexes/products/query'
| discord_token = 'NDQyNTQ3OTY0MDI0NzE3MzEy.DdAacQ._iDLpBSxzKb8T5rZDh4De9A1sXc'
user_agent = 'Mozilla/5.0 (Windows NT 10.0; Win64; x64; rv:58.0) Gecko/20100101 Firefox/58.0'
goat_url = 'https://2fwotdvm2o-dsn.algolia.net/1/indexes/ProductTemplateSearch/query'
stockx_url = 'https://xw7sbct9v6-dsn.algolia.net/1/indexes/products/query' |
lista=[]
for i in range(1,101):
if(i%7!=0):
lista.append(i)
print(lista)
| lista = []
for i in range(1, 101):
if i % 7 != 0:
lista.append(i)
print(lista) |
def fizz_buzz(fizz, buzz, highest):
result = []
for i in range(1, highest + 1):
letter = ''
# If divisible by fizz or buzz, add F or B appropriately.
if i % fizz == 0:
letter += 'F'
if i % buzz == 0:
letter += 'B'
# If neither F or B has been labeled, it's just the digit.
if letter == '':
letter = str(i)
result.append(letter)
return " ".join(result) | def fizz_buzz(fizz, buzz, highest):
result = []
for i in range(1, highest + 1):
letter = ''
if i % fizz == 0:
letter += 'F'
if i % buzz == 0:
letter += 'B'
if letter == '':
letter = str(i)
result.append(letter)
return ' '.join(result) |
class Solution:
def maxProfit(self, prices: List[int]) -> int:
maxProfit = 0
minValue = 10**5
for price in prices:
minValue = min(price, minValue)
maxProfit = max(price - minValue, maxProfit)
return maxProfit | class Solution:
def max_profit(self, prices: List[int]) -> int:
max_profit = 0
min_value = 10 ** 5
for price in prices:
min_value = min(price, minValue)
max_profit = max(price - minValue, maxProfit)
return maxProfit |
class Node:
def __init__(self, element):
self.item = element
self.next_link = None
self.prev_link = None
class DoubleLinkedList:
def __init__(self):
self.first_node = None
def is_empty(self):
if self.first_node is None:
print("Error! The list is empty!")
return True
else:
return False
def search_item(self, element):
if not DoubleLinkedList.is_empty(self):
node = self.first_node
while node is not None:
if node.item == element:
return True
node = node.next_link
return False
def print_list(self):
if not DoubleLinkedList.is_empty(self):
node = self.first_node
while node is not None:
print(node.item)
node = node.next_link
def add_to_empty(self, element):
new_node = Node(element)
self.first_node = new_node
def add_to_start(self, element):
if self.first_node is None:
DoubleLinkedList.add_to_empty(self, element)
return
new_node = Node(element)
new_node.next_link = self.first_node
self.first_node.prev_link = new_node
self.first_node = new_node
def add_to_end(self, element):
if self.first_node is None:
DoubleLinkedList.add_to_empty(self, element)
return
new_node = Node(element)
node = self.first_node
while node.next_link is not None:
node = node.next_link
node.next_link = new_node
new_node.prev_link = node
def del_at_start(self):
if not DoubleLinkedList.is_empty(self):
if self.first_node.next_link is None:
self.first_node = None
return
self.first_node = self.first_node.next_link
self.first_node.prev_link = None
def del_at_end(self):
if not DoubleLinkedList.is_empty(self):
if self.first_node.next_link is None:
self.first_node = None
return
node = self.first_node
while node.next_link is not None:
node = node.next_link
node.prev_link.next_link = None
| class Node:
def __init__(self, element):
self.item = element
self.next_link = None
self.prev_link = None
class Doublelinkedlist:
def __init__(self):
self.first_node = None
def is_empty(self):
if self.first_node is None:
print('Error! The list is empty!')
return True
else:
return False
def search_item(self, element):
if not DoubleLinkedList.is_empty(self):
node = self.first_node
while node is not None:
if node.item == element:
return True
node = node.next_link
return False
def print_list(self):
if not DoubleLinkedList.is_empty(self):
node = self.first_node
while node is not None:
print(node.item)
node = node.next_link
def add_to_empty(self, element):
new_node = node(element)
self.first_node = new_node
def add_to_start(self, element):
if self.first_node is None:
DoubleLinkedList.add_to_empty(self, element)
return
new_node = node(element)
new_node.next_link = self.first_node
self.first_node.prev_link = new_node
self.first_node = new_node
def add_to_end(self, element):
if self.first_node is None:
DoubleLinkedList.add_to_empty(self, element)
return
new_node = node(element)
node = self.first_node
while node.next_link is not None:
node = node.next_link
node.next_link = new_node
new_node.prev_link = node
def del_at_start(self):
if not DoubleLinkedList.is_empty(self):
if self.first_node.next_link is None:
self.first_node = None
return
self.first_node = self.first_node.next_link
self.first_node.prev_link = None
def del_at_end(self):
if not DoubleLinkedList.is_empty(self):
if self.first_node.next_link is None:
self.first_node = None
return
node = self.first_node
while node.next_link is not None:
node = node.next_link
node.prev_link.next_link = None |
# Import the library that makes it easier to write context managers
# Implement a context manager that writes to a text file
# using a class:
class MyContextManager:
pass
# Implement a context manager using a method with a decorator
def my_context_manager():
raise Exception("Method not implemented")
def call_class_context_manager(file_name="class_hi.txt", text="hello", access_mode="w"):
with MyContextManager(file_name, access_mode) as f:
f.write(text)
def call_function_context_manager(file_name="function_hi.txt", text="hello", access_mode="w"):
with my_context_manager(file_name, access_mode) as f:
f.write(text)
| class Mycontextmanager:
pass
def my_context_manager():
raise exception('Method not implemented')
def call_class_context_manager(file_name='class_hi.txt', text='hello', access_mode='w'):
with my_context_manager(file_name, access_mode) as f:
f.write(text)
def call_function_context_manager(file_name='function_hi.txt', text='hello', access_mode='w'):
with my_context_manager(file_name, access_mode) as f:
f.write(text) |
# items implementation
class Item:
def __init__(self, item_name, item_description):
self.item_name = item_name
self.item_description = item_description
def __str__(self):
return '%s, %s' % (self.item_name, self.item_description)
| class Item:
def __init__(self, item_name, item_description):
self.item_name = item_name
self.item_description = item_description
def __str__(self):
return '%s, %s' % (self.item_name, self.item_description) |
# tiles
ONE_MAN = 0
TWO_MAN = 1
THREE_MAN = 2
FOUR_MAN = 3
FIVE_MAN = 4
SIX_MAN = 5
SEVEN_MAN = 6
EIGHT_MAN = 7
NINE_MAN = 8
ONE_PIN = 9
TWO_PIN = 10
THREE_PIN = 11
FOUR_PIN = 12
FIVE_PIN = 13
SIX_PIN = 14
SEVEN_PIN = 15
EIGHT_PIN = 16
NINE_PIN = 17
ONE_SOU = 18
TWO_SOU = 19
THREE_SOU = 20
FOUR_SOU = 21
FIVE_SOU = 22
SIX_SOU = 23
SEVEN_SOU = 24
EIGHT_SOU = 25
NINE_SOU = 26
EAST = 27
SOUTH = 28
WEST = 29
NORTH = 30
HAKU = 31
HATSU = 32
CHUN = 33
RED_FIVE_MAN = 34
RED_FIVE_PIN = 35
RED_FIVE_SOU = 36
# manzu
MANZU = [ONE_MAN, TWO_MAN, THREE_MAN, FOUR_MAN, FIVE_MAN, SIX_MAN,
SEVEN_MAN, EIGHT_MAN, NINE_MAN]
# pinzu
PINZU = [ONE_PIN, TWO_PIN, THREE_PIN, FOUR_PIN, FIVE_PIN, SIX_PIN,
SEVEN_PIN, EIGHT_PIN, NINE_PIN]
# souzu
SOUZU = [ONE_SOU, TWO_SOU, THREE_SOU, FOUR_SOU, FIVE_SOU, SIX_SOU,
SEVEN_SOU, EIGHT_SOU, NINE_SOU]
# terminals: 1 and 9
TERMINALS = [ONE_MAN, NINE_MAN, ONE_PIN, NINE_PIN, ONE_SOU, NINE_SOU]
# winds, dragons and honours
WINDS = [EAST, SOUTH, WEST, NORTH]
DRAGONS = [HAKU, HATSU, CHUN]
HONOURS = WINDS + DRAGONS
# yaochuuhai: terminals and honours
YAOCHUUHAI = TERMINALS + HONOURS
# green tiles: for determining ryuuiisou
GREEN_TILES = [TWO_SOU, THREE_SOU, FOUR_SOU, SIX_SOU, EIGHT_SOU, HATSU]
# red dora value
RED_DORA_VALUE = 4
# tiles count
TILES_COUNT = 34
| one_man = 0
two_man = 1
three_man = 2
four_man = 3
five_man = 4
six_man = 5
seven_man = 6
eight_man = 7
nine_man = 8
one_pin = 9
two_pin = 10
three_pin = 11
four_pin = 12
five_pin = 13
six_pin = 14
seven_pin = 15
eight_pin = 16
nine_pin = 17
one_sou = 18
two_sou = 19
three_sou = 20
four_sou = 21
five_sou = 22
six_sou = 23
seven_sou = 24
eight_sou = 25
nine_sou = 26
east = 27
south = 28
west = 29
north = 30
haku = 31
hatsu = 32
chun = 33
red_five_man = 34
red_five_pin = 35
red_five_sou = 36
manzu = [ONE_MAN, TWO_MAN, THREE_MAN, FOUR_MAN, FIVE_MAN, SIX_MAN, SEVEN_MAN, EIGHT_MAN, NINE_MAN]
pinzu = [ONE_PIN, TWO_PIN, THREE_PIN, FOUR_PIN, FIVE_PIN, SIX_PIN, SEVEN_PIN, EIGHT_PIN, NINE_PIN]
souzu = [ONE_SOU, TWO_SOU, THREE_SOU, FOUR_SOU, FIVE_SOU, SIX_SOU, SEVEN_SOU, EIGHT_SOU, NINE_SOU]
terminals = [ONE_MAN, NINE_MAN, ONE_PIN, NINE_PIN, ONE_SOU, NINE_SOU]
winds = [EAST, SOUTH, WEST, NORTH]
dragons = [HAKU, HATSU, CHUN]
honours = WINDS + DRAGONS
yaochuuhai = TERMINALS + HONOURS
green_tiles = [TWO_SOU, THREE_SOU, FOUR_SOU, SIX_SOU, EIGHT_SOU, HATSU]
red_dora_value = 4
tiles_count = 34 |
garden_waitlist = ["Jiho", "Adam", "Sonny", "Alisha"]
garden_waitlist[1] = "Calla"
garden_waitlist[-1] = "Alex"
print(garden_waitlist)
| garden_waitlist = ['Jiho', 'Adam', 'Sonny', 'Alisha']
garden_waitlist[1] = 'Calla'
garden_waitlist[-1] = 'Alex'
print(garden_waitlist) |
def one2two(digit):
if len(digit) == 1:
return "0" + digit
else:
return digit
def result(pt, st):
rt = ""
second, minute, hour = 0, 0, 0
sc, mc = 0, 0
if st[2] - pt[2] >= 0:
second = st[2] - pt[2]
else:
second = st[2] - pt[2] + 60
sc = 1
if st[1] - pt[1] - sc >= 0:
minute = st[1] - pt[1] - sc
else:
minute = st[1] - pt[1] - sc + 60
mc = 1
if st[0] - pt[0] - mc >= 0:
hour = st[0] - pt[0] - mc
else:
hour = st[0] - pt[0] - mc + 24
return one2two(str(hour)) + ":" + one2two(str(minute)) + ":" + one2two(str(second))
presentTime = list(map(int, input().split(":")))
startTime = list(map(int, input().split(":")))
print(result(presentTime, startTime))
| def one2two(digit):
if len(digit) == 1:
return '0' + digit
else:
return digit
def result(pt, st):
rt = ''
(second, minute, hour) = (0, 0, 0)
(sc, mc) = (0, 0)
if st[2] - pt[2] >= 0:
second = st[2] - pt[2]
else:
second = st[2] - pt[2] + 60
sc = 1
if st[1] - pt[1] - sc >= 0:
minute = st[1] - pt[1] - sc
else:
minute = st[1] - pt[1] - sc + 60
mc = 1
if st[0] - pt[0] - mc >= 0:
hour = st[0] - pt[0] - mc
else:
hour = st[0] - pt[0] - mc + 24
return one2two(str(hour)) + ':' + one2two(str(minute)) + ':' + one2two(str(second))
present_time = list(map(int, input().split(':')))
start_time = list(map(int, input().split(':')))
print(result(presentTime, startTime)) |
n, m = map(int, input().split())
trees = list(map(int, input().split()))
minH = 0
maxH = max(trees)
ans = 0
while minH <= maxH:
cutH = (minH+maxH)//2
cutMount = 0
for tree in trees:
cutMount += (tree - cutH if tree >= cutH else 0)
if cutMount >= m:
ans = cutH
minH = cutH + 1
else:
maxH = cutH-1
print(ans)
| (n, m) = map(int, input().split())
trees = list(map(int, input().split()))
min_h = 0
max_h = max(trees)
ans = 0
while minH <= maxH:
cut_h = (minH + maxH) // 2
cut_mount = 0
for tree in trees:
cut_mount += tree - cutH if tree >= cutH else 0
if cutMount >= m:
ans = cutH
min_h = cutH + 1
else:
max_h = cutH - 1
print(ans) |
# Python - 2.7.6
def logical_calc(array, op):
logic = {
'AND': all,
'OR': any,
'XOR': lambda arr: bool(arr.count(True) & 1)
}
if op in logic:
return logic[op](array)
return False
| def logical_calc(array, op):
logic = {'AND': all, 'OR': any, 'XOR': lambda arr: bool(arr.count(True) & 1)}
if op in logic:
return logic[op](array)
return False |
# bluetooth device attributes
DEVICE_NAME = "TT Camera Slider"
MIN_POS = 0
MAX_POS = 0.9
MIN_DURATION = 0
MAX_DURATION = 500
MIN_SPEED = 0.002
MAX_SPEED = 0.25
# motor attributes
STEP_ANGLE = 1.8
VEL_TO_RPS = 9.88319028614 * 2 # 1/(2pi(r))
DIST_TO_STEPS = 1976.63805723 # (360)/(1.8*2pi(r)) ONLY for ms=0
RADIUS = 0.0161036
# move attributes
DEFAULT_VELOCITY = 0.1
SLEEP_BETWEEN_MOVE = 2
# compensation
DIST_TO_STEPS_E = 2.58064516129
VEL_TO_RPS_E = 3.10816411107
COMPENSATION = 2.5
STEP_COMPENSATION = 1.6
| device_name = 'TT Camera Slider'
min_pos = 0
max_pos = 0.9
min_duration = 0
max_duration = 500
min_speed = 0.002
max_speed = 0.25
step_angle = 1.8
vel_to_rps = 9.88319028614 * 2
dist_to_steps = 1976.63805723
radius = 0.0161036
default_velocity = 0.1
sleep_between_move = 2
dist_to_steps_e = 2.58064516129
vel_to_rps_e = 3.10816411107
compensation = 2.5
step_compensation = 1.6 |
def combinations_fixed_sum(fixed_sum, length_of_list, lst=[]):
if length_of_list == 1:
lst += [fixed_sum]
yield lst
else:
for i in range(fixed_sum+1):
yield from combinations_fixed_sum(i, length_of_list-1, lst + [fixed_sum-i])
def combinations_fixed_sum_limits(fixed_sum, length_of_list, minimum, maximum, lst=[]):
if length_of_list == 1:
lst += [fixed_sum]
if fixed_sum >= minimum[-length_of_list] and fixed_sum <= maximum[-length_of_list]:
yield lst
else:
for i in range(min(fixed_sum, maximum[-length_of_list]), minimum[-length_of_list]-1, -1):
yield from combinations_fixed_sum_limits(fixed_sum-i, length_of_list-1, minimum, maximum, lst + [i])
| def combinations_fixed_sum(fixed_sum, length_of_list, lst=[]):
if length_of_list == 1:
lst += [fixed_sum]
yield lst
else:
for i in range(fixed_sum + 1):
yield from combinations_fixed_sum(i, length_of_list - 1, lst + [fixed_sum - i])
def combinations_fixed_sum_limits(fixed_sum, length_of_list, minimum, maximum, lst=[]):
if length_of_list == 1:
lst += [fixed_sum]
if fixed_sum >= minimum[-length_of_list] and fixed_sum <= maximum[-length_of_list]:
yield lst
else:
for i in range(min(fixed_sum, maximum[-length_of_list]), minimum[-length_of_list] - 1, -1):
yield from combinations_fixed_sum_limits(fixed_sum - i, length_of_list - 1, minimum, maximum, lst + [i]) |
class LoginProviders:
google = "google"
facebook = "facebook"
github = "github"
twitter = "twitter"
login_providers = LoginProviders()
| class Loginproviders:
google = 'google'
facebook = 'facebook'
github = 'github'
twitter = 'twitter'
login_providers = login_providers() |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.