content stringlengths 7 1.05M | fixed_cases stringlengths 1 1.28M |
|---|---|
def main():
# input
x, y = map(int, input().split())
# compute
# output
print('Better' if x<y else 'Worse')
if __name__ == '__main__':
main()
| def main():
(x, y) = map(int, input().split())
print('Better' if x < y else 'Worse')
if __name__ == '__main__':
main() |
class Enum1(set):
def __getattr__(self, name):
if name in self:
return name
raise AttributeError
Token = Enum1(['Error',
'End',
'Id',
'Integer',
'Keyword',
'Operator',
'Other',
])
class Enum2(set):
def __getattr__(self, name):
if (name[0].lower()+name[1:]) in self:
return (name[0].lower()+name[1:])
raise AttributeError
Keyword = Enum2(['if',
'else',
'return',
])
class Enum3(dict):
def __getattr__(self, name):
for k,v in self.items():
if name == v:
return k
raise AttributeError
Operator = Enum3({'+':'Add',
'-':'Sub',
'*':'Mul',
'/':'Div',
'%':'Mod',
'<':'Less',
'<=':'LessEq',
'==':'Eq',
'!=':'NotEq',
'&&':'LAnd',
'||':'LOr',
'!':'LNot',
':=':'Define',
'=':'Assign',
})
class Lexer(object):
def __init__(self, f) -> None:
self.last_char_ = ' '
self.other_val_ = ''
self.f = f
self.id_val_ = ''
self.key_val_ = ''
self.int_val_ = ''
self.op_val_ = ''
self.line_no_ = 1
def NextToken(self):
# // skip spaces
while not self.eof() and self.isspace(self.last_char_):
self.NextChar()
# // end of file
if self.eof():
return Token.End
# // skip comments
if self.last_char_ == '#':
return self.HandleComment()
# // id or keyword
if self.isalpha(self.last_char_) or self.last_char_ == '_':
return self.HandleId()
# // number
if self.isdigit(self.last_char_):
return self.HandleInteger()
# // operator
if self.IsOperatorChar(self.last_char_):
return self.HandleOperator()
# // other characters
self.other_val_ = self.last_char_
self.NextChar()
return Token.Other
def isalpha(self, chr):
return (chr <= 'Z' and chr >= 'A') or (chr <= 'z' and chr >= 'a')
def IsOperatorChar(self, chr):
return chr in "+-*/%<=!&|:"
def isdigit(self, chr):
return chr in '0123456789'
def isspace(self, chr):
if chr == '\n':
self.line_no_ += 1
return chr in ' \r\n\t'
def eof(self):
return self.last_char_ == ''
def isalnum(self, chr):
return self.isalpha(chr) or self.isdigit(chr)
def HandleId(self):
# // read string
id = ''
while True:
id += self.last_char_
self.NextChar()
if not ( not self.eof() and (self.isalnum(self.last_char_) or self.last_char_ == '_')):
break
# // check if string is keyword
if id not in Keyword:
self.id_val_ = id
return Token.Id
else:
self.key_val_ = id
return Token.Keyword
def HandleInteger(self):
# // read string
num = ''
while True:
num += self.last_char_
self.NextChar()
if not ( not self.eof() and (self.isdigit(self.last_char_))):
break
# // try to convert to integer
self.int_val_ = int(num)
return Token.Integer
def HandleOperator(self):
# // read string
op = ''
while True:
op += self.last_char_
self.NextChar()
if self.eof() or not self.IsOperatorChar(self.last_char_):
break
# // check if operator is valid
if op in Operator:
self.op_val_ = op
return Token.Operator
else:
raise Exception(f"invalid operator {op} {self.line_no_} {self.last_char_}")
def HandleComment(self):
# // skip the current line
while not self.eof() and self.last_char_ != '\n' and self.last_char_ != '\r':
self.NextChar()
return self.NextToken()
def HandleEOL(self):
pass
def NextChar(self):
chr = self.f.read(1)
self.last_char_ = chr
| class Enum1(set):
def __getattr__(self, name):
if name in self:
return name
raise AttributeError
token = enum1(['Error', 'End', 'Id', 'Integer', 'Keyword', 'Operator', 'Other'])
class Enum2(set):
def __getattr__(self, name):
if name[0].lower() + name[1:] in self:
return name[0].lower() + name[1:]
raise AttributeError
keyword = enum2(['if', 'else', 'return'])
class Enum3(dict):
def __getattr__(self, name):
for (k, v) in self.items():
if name == v:
return k
raise AttributeError
operator = enum3({'+': 'Add', '-': 'Sub', '*': 'Mul', '/': 'Div', '%': 'Mod', '<': 'Less', '<=': 'LessEq', '==': 'Eq', '!=': 'NotEq', '&&': 'LAnd', '||': 'LOr', '!': 'LNot', ':=': 'Define', '=': 'Assign'})
class Lexer(object):
def __init__(self, f) -> None:
self.last_char_ = ' '
self.other_val_ = ''
self.f = f
self.id_val_ = ''
self.key_val_ = ''
self.int_val_ = ''
self.op_val_ = ''
self.line_no_ = 1
def next_token(self):
while not self.eof() and self.isspace(self.last_char_):
self.NextChar()
if self.eof():
return Token.End
if self.last_char_ == '#':
return self.HandleComment()
if self.isalpha(self.last_char_) or self.last_char_ == '_':
return self.HandleId()
if self.isdigit(self.last_char_):
return self.HandleInteger()
if self.IsOperatorChar(self.last_char_):
return self.HandleOperator()
self.other_val_ = self.last_char_
self.NextChar()
return Token.Other
def isalpha(self, chr):
return chr <= 'Z' and chr >= 'A' or (chr <= 'z' and chr >= 'a')
def is_operator_char(self, chr):
return chr in '+-*/%<=!&|:'
def isdigit(self, chr):
return chr in '0123456789'
def isspace(self, chr):
if chr == '\n':
self.line_no_ += 1
return chr in ' \r\n\t'
def eof(self):
return self.last_char_ == ''
def isalnum(self, chr):
return self.isalpha(chr) or self.isdigit(chr)
def handle_id(self):
id = ''
while True:
id += self.last_char_
self.NextChar()
if not (not self.eof() and (self.isalnum(self.last_char_) or self.last_char_ == '_')):
break
if id not in Keyword:
self.id_val_ = id
return Token.Id
else:
self.key_val_ = id
return Token.Keyword
def handle_integer(self):
num = ''
while True:
num += self.last_char_
self.NextChar()
if not (not self.eof() and self.isdigit(self.last_char_)):
break
self.int_val_ = int(num)
return Token.Integer
def handle_operator(self):
op = ''
while True:
op += self.last_char_
self.NextChar()
if self.eof() or not self.IsOperatorChar(self.last_char_):
break
if op in Operator:
self.op_val_ = op
return Token.Operator
else:
raise exception(f'invalid operator {op} {self.line_no_} {self.last_char_}')
def handle_comment(self):
while not self.eof() and self.last_char_ != '\n' and (self.last_char_ != '\r'):
self.NextChar()
return self.NextToken()
def handle_eol(self):
pass
def next_char(self):
chr = self.f.read(1)
self.last_char_ = chr |
names = dict()
while True:
inp = input()
if inp == 'end':
break
name, value = inp.split(' = ')
if value in names:
names[name] = names[value]
elif value.isdigit():
names[name] = int(value)
for key, value in names.items():
print(f'{key} === {value}') | names = dict()
while True:
inp = input()
if inp == 'end':
break
(name, value) = inp.split(' = ')
if value in names:
names[name] = names[value]
elif value.isdigit():
names[name] = int(value)
for (key, value) in names.items():
print(f'{key} === {value}') |
class color:
BOLD = '\033[1m\033[48m'
END = '\033[0m'
ORANGE = '\033[38;5;202m'
BLACK = '\033[38;5;240m'
def print_logo(subtitle="", option=2):
print()
print(color.BOLD + color.ORANGE + " .8. " + color.BLACK + " 8 888888888o " + color.ORANGE + "8 8888888888 `8.`8888. ,8' ")
print(color.BOLD + color.ORANGE + " .888. " + color.BLACK + " 8 8888 `88. " + color.ORANGE + "8 8888 `8.`8888. ,8' ")
print(color.BOLD + color.ORANGE + " :88888. " + color.BLACK + " 8 8888 `88 " + color.ORANGE + "8 8888 `8.`8888. ,8' ")
print(color.BOLD + color.ORANGE + " . `88888. " + color.BLACK + " 8 8888 ,88 " + color.ORANGE + "8 8888 `8.`8888.,8' ")
print(color.BOLD + color.ORANGE + " .8. `88888. " + color.BLACK + " 8 8888. ,88' " + color.ORANGE + "8 888888888888 `8.`88888' ")
print(color.BOLD + color.ORANGE + " .8`8. `88888. " + color.BLACK + " 8 888888888P' " + color.ORANGE + "8 8888 .88.`8888. ")
print(color.BOLD + color.ORANGE + " .8' `8. `88888. " + color.BLACK + " 8 8888 " + color.ORANGE + "8 8888 .8'`8.`8888. ")
print(color.BOLD + color.ORANGE + " .8' `8. `88888. " + color.BLACK + " 8 8888 " + color.ORANGE + "8 8888 .8' `8.`8888. ")
print(color.BOLD + color.ORANGE + " .888888888. `88888. " + color.BLACK + " 8 8888 " + color.ORANGE + "8 8888 .8' `8.`8888. ")
print(color.BOLD + color.ORANGE + ".8' `8. `88888." + color.BLACK + " 8 8888 " + color.ORANGE + "8 888888888888 .8' `8.`8888. " + color.END)
print("\n")
print(subtitle)
print("\n")
| class Color:
bold = '\x1b[1m\x1b[48m'
end = '\x1b[0m'
orange = '\x1b[38;5;202m'
black = '\x1b[38;5;240m'
def print_logo(subtitle='', option=2):
print()
print(color.BOLD + color.ORANGE + ' .8. ' + color.BLACK + ' 8 888888888o ' + color.ORANGE + "8 8888888888 `8.`8888. ,8' ")
print(color.BOLD + color.ORANGE + ' .888. ' + color.BLACK + ' 8 8888 `88. ' + color.ORANGE + "8 8888 `8.`8888. ,8' ")
print(color.BOLD + color.ORANGE + ' :88888. ' + color.BLACK + ' 8 8888 `88 ' + color.ORANGE + "8 8888 `8.`8888. ,8' ")
print(color.BOLD + color.ORANGE + ' . `88888. ' + color.BLACK + ' 8 8888 ,88 ' + color.ORANGE + "8 8888 `8.`8888.,8' ")
print(color.BOLD + color.ORANGE + ' .8. `88888. ' + color.BLACK + " 8 8888. ,88' " + color.ORANGE + "8 888888888888 `8.`88888' ")
print(color.BOLD + color.ORANGE + ' .8`8. `88888. ' + color.BLACK + " 8 888888888P' " + color.ORANGE + '8 8888 .88.`8888. ')
print(color.BOLD + color.ORANGE + " .8' `8. `88888. " + color.BLACK + ' 8 8888 ' + color.ORANGE + "8 8888 .8'`8.`8888. ")
print(color.BOLD + color.ORANGE + " .8' `8. `88888. " + color.BLACK + ' 8 8888 ' + color.ORANGE + "8 8888 .8' `8.`8888. ")
print(color.BOLD + color.ORANGE + ' .888888888. `88888. ' + color.BLACK + ' 8 8888 ' + color.ORANGE + "8 8888 .8' `8.`8888. ")
print(color.BOLD + color.ORANGE + ".8' `8. `88888." + color.BLACK + ' 8 8888 ' + color.ORANGE + "8 888888888888 .8' `8.`8888. " + color.END)
print('\n')
print(subtitle)
print('\n') |
class Solution:
def findMaxLength(self, nums):
count = 0
map = {0:-1}
maxlen = 0
for i, number in enumerate(nums):
if number:
count += 1
else:
count -= 1
if count in map:
maxlen = max(maxlen, (i-map[count]))
else:
map[count] = 1
return maxlen | class Solution:
def find_max_length(self, nums):
count = 0
map = {0: -1}
maxlen = 0
for (i, number) in enumerate(nums):
if number:
count += 1
else:
count -= 1
if count in map:
maxlen = max(maxlen, i - map[count])
else:
map[count] = 1
return maxlen |
def ComesBefore(n, lines):
result = []
s = str(n)
for line in lines:
position = line.find(s)
if position > 0:
for d in range(0,position):
c = int(line[d])
if c not in result:
result.append(c)
result.sort()
return result
def ComesAfter(n, lines):
result = []
s = str(n)
for line in lines:
position = line.find(s)
if position < 2 and position > -1:
for d in range(position+1,3):
c = int(line[d])
if c not in result:
result.append(c)
result.sort()
return result
keylogFile = open('p079_keylog.txt', 'r')
keys = keylogFile.readlines()
# Remove duplicates
uniqueKeys = []
for key in keys:
if key not in uniqueKeys:
uniqueKeys.append(key)
for i in range(0,10):
print("Comes before %d" % (i), end=": ")
print(ComesBefore(i, keys))
for i in range(0,10):
print("Comes after %d" % (i), end=": ")
print(ComesAfter(i, keys))
print (len(uniqueKeys))
keylogFile.close()
| def comes_before(n, lines):
result = []
s = str(n)
for line in lines:
position = line.find(s)
if position > 0:
for d in range(0, position):
c = int(line[d])
if c not in result:
result.append(c)
result.sort()
return result
def comes_after(n, lines):
result = []
s = str(n)
for line in lines:
position = line.find(s)
if position < 2 and position > -1:
for d in range(position + 1, 3):
c = int(line[d])
if c not in result:
result.append(c)
result.sort()
return result
keylog_file = open('p079_keylog.txt', 'r')
keys = keylogFile.readlines()
unique_keys = []
for key in keys:
if key not in uniqueKeys:
uniqueKeys.append(key)
for i in range(0, 10):
print('Comes before %d' % i, end=': ')
print(comes_before(i, keys))
for i in range(0, 10):
print('Comes after %d' % i, end=': ')
print(comes_after(i, keys))
print(len(uniqueKeys))
keylogFile.close() |
courts = [
{
"name": "United Kingdom Supreme Court",
"href": "/judgments/advanced_search?court=uksc",
"years": "2014 – 2022",
},
{
"name": "Privy Council",
"href": "/judgments/advanced_search?court=ukpc",
"years": "2014 – 2022",
},
{
"name": "Court of Appeal Civil Division",
"href": "/judgments/advanced_search?court=ewca/civ",
"years": "2003 – 2022",
},
{
"name": "Court of Appeal Criminal Division",
"href": "/judgments/advanced_search?court=ewca/crim",
"years": "2003 – 2022",
},
{
"name": "Administrative Court",
"href": "/judgments/advanced_search?court=ewhc/admin",
"years": "2003 – 2022",
},
{
"name": "Admiralty Court",
"href": "/judgments/advanced_search?court=ewhc/admlty",
"years": "2003 – 2022",
},
{
"name": "Chancery Division of the High Court",
"href": "/judgments/advanced_search?court=ewhc/ch",
"years": "2003 – 2022",
},
{
"name": "Commercial Court",
"href": "/judgments/advanced_search?court=ewhc/comm",
"years": "2003 – 2022",
},
{
"name": "Senior Court Costs Office",
"href": "/judgments/advanced_search?court=ewhc/costs",
"years": "2003 – 2022",
},
{
"name": "Family Division of the High Court",
"href": "/judgments/advanced_search?court=ewhc/fam",
"years": "2003 – 2022",
},
{
"name": "Intellectual Property Enterprise Court",
"href": "/judgments/advanced_search?court=ewhc/ipec",
"years": "2013 – 2022",
},
{
"name": "Mercantile Court",
"href": "/judgments/advanced_search?court=ewhc/mercantile",
"years": "2008 – 2014",
},
{
"name": "Patents Court",
"href": "/judgments/advanced_search?court=ewhc/pat",
"years": "2003 – 2022",
},
{
"name": "Queen's Bench Division of the High Court",
"href": "/judgments/advanced_search?court=ewhc/qb",
"years": "2003 – 2022",
},
{
"name": "Technology and Construction Court",
"href": "/judgments/advanced_search?court=ewhc/tcc",
"years": "2003 – 2022",
},
{
"name": "Court of Protection",
"href": "/judgments/advanced_search?court=ewcop",
"years": "2009 – 2022",
},
{
"name": "Family Court",
"href": "/judgments/advanced_search?court=ewfc",
"years": "2014 – 2022",
},
]
| courts = [{'name': 'United Kingdom Supreme Court', 'href': '/judgments/advanced_search?court=uksc', 'years': '2014 – 2022'}, {'name': 'Privy Council', 'href': '/judgments/advanced_search?court=ukpc', 'years': '2014 – 2022'}, {'name': 'Court of Appeal Civil Division', 'href': '/judgments/advanced_search?court=ewca/civ', 'years': '2003 – 2022'}, {'name': 'Court of Appeal Criminal Division', 'href': '/judgments/advanced_search?court=ewca/crim', 'years': '2003 – 2022'}, {'name': 'Administrative Court', 'href': '/judgments/advanced_search?court=ewhc/admin', 'years': '2003 – 2022'}, {'name': 'Admiralty Court', 'href': '/judgments/advanced_search?court=ewhc/admlty', 'years': '2003 – 2022'}, {'name': 'Chancery Division of the High Court', 'href': '/judgments/advanced_search?court=ewhc/ch', 'years': '2003 – 2022'}, {'name': 'Commercial Court', 'href': '/judgments/advanced_search?court=ewhc/comm', 'years': '2003 – 2022'}, {'name': 'Senior Court Costs Office', 'href': '/judgments/advanced_search?court=ewhc/costs', 'years': '2003 – 2022'}, {'name': 'Family Division of the High Court', 'href': '/judgments/advanced_search?court=ewhc/fam', 'years': '2003 – 2022'}, {'name': 'Intellectual Property Enterprise Court', 'href': '/judgments/advanced_search?court=ewhc/ipec', 'years': '2013 – 2022'}, {'name': 'Mercantile Court', 'href': '/judgments/advanced_search?court=ewhc/mercantile', 'years': '2008 – 2014'}, {'name': 'Patents Court', 'href': '/judgments/advanced_search?court=ewhc/pat', 'years': '2003 – 2022'}, {'name': "Queen's Bench Division of the High Court", 'href': '/judgments/advanced_search?court=ewhc/qb', 'years': '2003 – 2022'}, {'name': 'Technology and Construction Court', 'href': '/judgments/advanced_search?court=ewhc/tcc', 'years': '2003 – 2022'}, {'name': 'Court of Protection', 'href': '/judgments/advanced_search?court=ewcop', 'years': '2009 – 2022'}, {'name': 'Family Court', 'href': '/judgments/advanced_search?court=ewfc', 'years': '2014 – 2022'}] |
########################################
# User Processing Server configuration #
########################################
core_session_type = 'Memory'
core_coordinator_db_username = 'weblab'
core_coordinator_db_password = 'weblab'
weblab_db_username = 'weblab'
weblab_db_password = 'weblab'
core_coordinator_laboratory_servers = {
"laboratory:main_instance@main_machine" : {
"exp1|ud-dummy|Dummy experiments" : "dummy@dummy",
"exp1|javadummy|Dummy experiments" : "javadummy@javadummy",
}
}
core_scheduling_systems = {
"dummy" : ("PRIORITY_QUEUE", {}),
"javadummy" : ("PRIORITY_QUEUE", {}),
}
##############################
# RemoteFacade configuration #
##############################
core_facade_soap_service_name = '/weblab/soap/'
core_facade_bind = ''
core_facade_port = 18345
core_universal_identifier = 'da2579d6-e3b2-11e0-a66a-00216a5807c8'
core_universal_identifier_human = 'server at university X'
core_server_url = 'http://localhost/weblab/'
weblab_db_username = 'weblab'
weblab_db_password = 'weblab'
##############################
# RemoteFacade configuration #
##############################
login_facade_soap_service_name = '/weblab/login/soap/'
| core_session_type = 'Memory'
core_coordinator_db_username = 'weblab'
core_coordinator_db_password = 'weblab'
weblab_db_username = 'weblab'
weblab_db_password = 'weblab'
core_coordinator_laboratory_servers = {'laboratory:main_instance@main_machine': {'exp1|ud-dummy|Dummy experiments': 'dummy@dummy', 'exp1|javadummy|Dummy experiments': 'javadummy@javadummy'}}
core_scheduling_systems = {'dummy': ('PRIORITY_QUEUE', {}), 'javadummy': ('PRIORITY_QUEUE', {})}
core_facade_soap_service_name = '/weblab/soap/'
core_facade_bind = ''
core_facade_port = 18345
core_universal_identifier = 'da2579d6-e3b2-11e0-a66a-00216a5807c8'
core_universal_identifier_human = 'server at university X'
core_server_url = 'http://localhost/weblab/'
weblab_db_username = 'weblab'
weblab_db_password = 'weblab'
login_facade_soap_service_name = '/weblab/login/soap/' |
#!/usr/bin/python3
# -*- coding: utf8 -*-
# Default settings screen
screen = {
"screensize": "1920x1080",
"fullscreen": False,
"title": "Python Project",
"resizable": {"height": True, "width": True},
}
# True is use default template in first
default_template = True
# set time refresh in ms
refresh = 200
| screen = {'screensize': '1920x1080', 'fullscreen': False, 'title': 'Python Project', 'resizable': {'height': True, 'width': True}}
default_template = True
refresh = 200 |
class WigikiError(Exception):
pass
class WigikiConfigError(WigikiError):
def __init__(self, msg=None):
self.code = 2
self.msg = msg or "Configuration error, try the --help switch"
def __str__(self):
return self.msg
class WigikiParserError(WigikiError):
def __init__(self, msg=None):
self.code = 3
self.msg = msg or ("Error while parsing gist data, check your "
"configuration format")
def __str__(self):
return self.msg
class WigikiGeneratorError(WigikiError):
def __init__(self, msg=None):
self.code = 4
self.msg = msg or "Error while generating site files"
def __str__(self):
return self.msg
class WigikiTemplateError(WigikiError):
def __init__(self):
self.code = 5
def __str__(self):
return "Error while handling template files"
| class Wigikierror(Exception):
pass
class Wigikiconfigerror(WigikiError):
def __init__(self, msg=None):
self.code = 2
self.msg = msg or 'Configuration error, try the --help switch'
def __str__(self):
return self.msg
class Wigikiparsererror(WigikiError):
def __init__(self, msg=None):
self.code = 3
self.msg = msg or 'Error while parsing gist data, check your configuration format'
def __str__(self):
return self.msg
class Wigikigeneratorerror(WigikiError):
def __init__(self, msg=None):
self.code = 4
self.msg = msg or 'Error while generating site files'
def __str__(self):
return self.msg
class Wigikitemplateerror(WigikiError):
def __init__(self):
self.code = 5
def __str__(self):
return 'Error while handling template files' |
# Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.
#
# Licensed under the Apache License, Version 2.0 (the "License").
# You may not use this file except in compliance with the License.
# A copy of the License is located at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# or in the "license" file accompanying this file. This file is distributed
# on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either
# express or implied. See the License for the specific language governing
# permissions and limitations under the License.
SLOW = True
EXPECTED_PIPELINE_NAMES = ["zeta", "0", "00", "01", "1", "Beta", "alpha",
"beta", "beta1", "beta2", "betaa", "delta", "epsilon", "gamma"]
def get_init_args():
return {
"kwargs": {
"project": "sorted_pipeline_names",
}
}
def get_jobs():
jobs = []
jobs.append({
"kwargs": {
"command": "/usr/bin/false",
"ci-stage": "build",
"pipeline": EXPECTED_PIPELINE_NAMES[0],
}
})
for pipeline in EXPECTED_PIPELINE_NAMES[1:]:
job = {
"kwargs": {
"command": "/usr/bin/true",
"ci-stage": "build",
"pipeline": pipeline,
}
}
jobs.append(job)
return jobs
def get_run_build_args():
return {}
def check_run(run):
return [p["name"] for p in run["pipelines"]] == EXPECTED_PIPELINE_NAMES
| slow = True
expected_pipeline_names = ['zeta', '0', '00', '01', '1', 'Beta', 'alpha', 'beta', 'beta1', 'beta2', 'betaa', 'delta', 'epsilon', 'gamma']
def get_init_args():
return {'kwargs': {'project': 'sorted_pipeline_names'}}
def get_jobs():
jobs = []
jobs.append({'kwargs': {'command': '/usr/bin/false', 'ci-stage': 'build', 'pipeline': EXPECTED_PIPELINE_NAMES[0]}})
for pipeline in EXPECTED_PIPELINE_NAMES[1:]:
job = {'kwargs': {'command': '/usr/bin/true', 'ci-stage': 'build', 'pipeline': pipeline}}
jobs.append(job)
return jobs
def get_run_build_args():
return {}
def check_run(run):
return [p['name'] for p in run['pipelines']] == EXPECTED_PIPELINE_NAMES |
settings = {
'DB_HOST': '[RDS_ID_DATABASE].[AWS_REGION].rds.amazonaws.com',
'DB_USER': 'teste',
'DB_NAME': 'teste',
'DB_PASSWORD':'my_password'
} | settings = {'DB_HOST': '[RDS_ID_DATABASE].[AWS_REGION].rds.amazonaws.com', 'DB_USER': 'teste', 'DB_NAME': 'teste', 'DB_PASSWORD': 'my_password'} |
# LONE_SUM
def lone_sum(a, b, c):
if a==b: return 0 if b==c else c
elif b==c: return 0 if a==c else a
elif a==c: return 0 if b==c else b
else: return a+b+c | def lone_sum(a, b, c):
if a == b:
return 0 if b == c else c
elif b == c:
return 0 if a == c else a
elif a == c:
return 0 if b == c else b
else:
return a + b + c |
#
# PySNMP MIB module ELFIQ-INC-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/ELFIQ-INC-MIB
# Produced by pysmi-0.3.4 at Mon Apr 29 18:45:14 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")
ConstraintsIntersection, ValueRangeConstraint, ConstraintsUnion, ValueSizeConstraint, SingleValueConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsIntersection", "ValueRangeConstraint", "ConstraintsUnion", "ValueSizeConstraint", "SingleValueConstraint")
ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup")
MibScalar, MibTable, MibTableRow, MibTableColumn, Unsigned32, Bits, Counter64, TimeTicks, IpAddress, MibIdentifier, enterprises, ObjectIdentity, Counter32, iso, Gauge32, Integer32, NotificationType, ModuleIdentity = mibBuilder.importSymbols("SNMPv2-SMI", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Unsigned32", "Bits", "Counter64", "TimeTicks", "IpAddress", "MibIdentifier", "enterprises", "ObjectIdentity", "Counter32", "iso", "Gauge32", "Integer32", "NotificationType", "ModuleIdentity")
TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString")
elfiqInc = ModuleIdentity((1, 3, 6, 1, 4, 1, 19713))
if mibBuilder.loadTexts: elfiqInc.setLastUpdated('200811190000Z')
if mibBuilder.loadTexts: elfiqInc.setOrganization('Elfiq Inc.')
elfiqMIBProducts = MibIdentifier((1, 3, 6, 1, 4, 1, 19713, 1))
elfiqMIBConformance = MibIdentifier((1, 3, 6, 1, 4, 1, 19713, 2))
common = MibIdentifier((1, 3, 6, 1, 4, 1, 19713, 1, 1))
linkBalancer = MibIdentifier((1, 3, 6, 1, 4, 1, 19713, 1, 2))
commonConformance = MibIdentifier((1, 3, 6, 1, 4, 1, 19713, 2, 1))
linkBalancerConformance = MibIdentifier((1, 3, 6, 1, 4, 1, 19713, 2, 2))
mibBuilder.exportSymbols("ELFIQ-INC-MIB", PYSNMP_MODULE_ID=elfiqInc, elfiqInc=elfiqInc, elfiqMIBConformance=elfiqMIBConformance, linkBalancer=linkBalancer, common=common, commonConformance=commonConformance, linkBalancerConformance=linkBalancerConformance, elfiqMIBProducts=elfiqMIBProducts)
| (integer, object_identifier, octet_string) = mibBuilder.importSymbols('ASN1', 'Integer', 'ObjectIdentifier', 'OctetString')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(constraints_intersection, value_range_constraint, constraints_union, value_size_constraint, single_value_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsIntersection', 'ValueRangeConstraint', 'ConstraintsUnion', 'ValueSizeConstraint', 'SingleValueConstraint')
(module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup')
(mib_scalar, mib_table, mib_table_row, mib_table_column, unsigned32, bits, counter64, time_ticks, ip_address, mib_identifier, enterprises, object_identity, counter32, iso, gauge32, integer32, notification_type, module_identity) = mibBuilder.importSymbols('SNMPv2-SMI', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Unsigned32', 'Bits', 'Counter64', 'TimeTicks', 'IpAddress', 'MibIdentifier', 'enterprises', 'ObjectIdentity', 'Counter32', 'iso', 'Gauge32', 'Integer32', 'NotificationType', 'ModuleIdentity')
(textual_convention, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString')
elfiq_inc = module_identity((1, 3, 6, 1, 4, 1, 19713))
if mibBuilder.loadTexts:
elfiqInc.setLastUpdated('200811190000Z')
if mibBuilder.loadTexts:
elfiqInc.setOrganization('Elfiq Inc.')
elfiq_mib_products = mib_identifier((1, 3, 6, 1, 4, 1, 19713, 1))
elfiq_mib_conformance = mib_identifier((1, 3, 6, 1, 4, 1, 19713, 2))
common = mib_identifier((1, 3, 6, 1, 4, 1, 19713, 1, 1))
link_balancer = mib_identifier((1, 3, 6, 1, 4, 1, 19713, 1, 2))
common_conformance = mib_identifier((1, 3, 6, 1, 4, 1, 19713, 2, 1))
link_balancer_conformance = mib_identifier((1, 3, 6, 1, 4, 1, 19713, 2, 2))
mibBuilder.exportSymbols('ELFIQ-INC-MIB', PYSNMP_MODULE_ID=elfiqInc, elfiqInc=elfiqInc, elfiqMIBConformance=elfiqMIBConformance, linkBalancer=linkBalancer, common=common, commonConformance=commonConformance, linkBalancerConformance=linkBalancerConformance, elfiqMIBProducts=elfiqMIBProducts) |
class A:
def bestaande_functie():
pass
A.bestaande_functie()
| class A:
def bestaande_functie():
pass
A.bestaande_functie() |
def open_chrome():
opts = Options()
# # opts.add_argument('headless')
# chrome_options = Options()
# chrome_options.binary_location = os.environ['GOOGLE_CHROME_BIN']
# chrome_options.add_argument('--disable-gpu')
# chrome_options.add_argument('--no-sandbox')
# browser = Chrome(executable_path=os.environ['CHROMEDRIVER_PATH'], options=opts, chrome_options=chrome_options)
browser = Chrome(os.path.join(os.getcwd(),'chromedriver'), options=opts)
return browser
def open_loan_payment_calc(browser):
browser.get('https://studentloanhero.com/calculators/student-loan-payment-calculator/')
balance = browser.find_element_by_xpath("//input[@data-field='amount']")
percent = browser.find_element_by_xpath("//input[@data-field='rate']")
term = browser.find_element_by_xpath("//input[@data-field='years']")
button = browser.find_element_by_xpath("//button[@class=' blue-color default-button calcs-describe-ad-btn results-button opt null']")
return [browser, balance, percent, term, button]
def repayment_plan(browser, balance, percent, term, button, balance_input, percent_input, term_input, text_before):
length = len(balance.get_attribute('value')) # clear values
balance.send_keys(length * Keys.BACKSPACE)
length = len(percent.get_attribute('value'))
percent.send_keys(length * Keys.BACKSPACE)
length = len(term.get_attribute('value'))
term.send_keys(length * Keys.BACKSPACE)
balance.send_keys(str(balance_input)) # input values
percent.send_keys(str(percent_input))
term.send_keys(str(term_input))
button.click()
# scrape output
WebDriverWait(browser, 10).until(text_to_change((By.XPATH, "//div[@class='calc-opt-card animated-left']/h4/span"), text_before))
monthly = browser.find_element_by_xpath("//div[@class='calc-opt-card animated-left']/h4/span").text
monthly = int(monthly[1:].replace(',',''))
interest = browser.find_element_by_xpath("//div[@class='calc-opt-card animated-right']/h4/span").text
interest = int(interest[1:].replace(',',''))
return [monthly, interest]
def open_income_based_calc(browser, plan):
sites = {'ibr': 'https://studentloanhero.com/calculators/student-loan-income-based-repayment-calculator/',
'icr': 'https://studentloanhero.com/calculators/income-contingent-repayment-calculator/'}
browser.get(sites[plan])
income = browser.find_element_by_xpath("//input[@data-field='agi']")
dropdown = browser.find_elements_by_xpath('//div[@class="dropdown btn-group"]')
family_size = dropdown[0]
income_growth_rate = browser.find_element_by_xpath("//input[@data-field='ibr_aig']")
old_loans = dropdown[2]
total_debt = browser.find_element_by_xpath("//input[@data-field='total_debt']")
monthly_payment = browser.find_element_by_xpath("//input[@data-field='monthly_payment']")
interest_rate = browser.find_element_by_xpath("//input[@data-field='rate']")
return [browser, income, family_size, income_growth_rate, old_loans, total_debt, monthly_payment, interest_rate, plan]
def income_based_plan(browser, income, family_size, income_growth_rate, old_loans, total_debt, monthly_payment, interest_rate,
income_input, family_size_input, income_growth_rate_input, total_debt_input, monthly_payment_input, interest_rate_input, plan):
length = len(income.get_attribute('value')) # clear values
income.send_keys(length * Keys.BACKSPACE)
length = len(income_growth_rate.get_attribute('value'))
income_growth_rate.send_keys(length * Keys.BACKSPACE)
length = len(total_debt.get_attribute('value'))
total_debt.send_keys(length * Keys.BACKSPACE)
length = len(monthly_payment.get_attribute('value'))
monthly_payment.send_keys(length * Keys.BACKSPACE)
length = len(interest_rate.get_attribute('value'))
interest_rate.send_keys(length * Keys.BACKSPACE)
income.send_keys(str(income_input)) # input values
family_size.click()
li = family_size.parent.find_elements_by_xpath("//li[@role='presentation']")
li[int(family_size_input)-1].click()
income_growth_rate.send_keys(str(income_growth_rate_input))
old_loans.click()
li[14].click()
total_debt.send_keys(str(total_debt_input))
monthly_payment.send_keys(str(monthly_payment_input))
interest_rate.send_keys(str(interest_rate_input))
WebDriverWait(browser, 10).until(text_to_change((By.XPATH, "//td/span"), # scrape output
browser.find_element_by_xpath("//td/span").text))
table = browser.find_elements_by_xpath("//td")
values = [item.text for item in table]
tuple_values = list(grouper(4, values))
split_values = []
for x in tuple_values:
split_values.append(list(x))
split_values = [['', 'Original', plan.upper(), 'Savings']] + split_values[:5]
split_values[1][0] = 'Monthly payments'
return split_values
def open_paye_calc(browser, plan):
sites = {'paye': 'https://studentloanhero.com/calculators/pay-as-you-earn-calculator/',
'repaye': 'https://studentloanhero.com/calculators/student-loan-revised-pay-as-you-earn-calculator/'}
browser.get(sites[plan])
income = browser.find_element_by_xpath("//input[@data-field='agi']")
dropdown = browser.find_elements_by_xpath('//div[@class="dropdown btn-group"]')
family_size = dropdown[0]
income_growth_rate = browser.find_element_by_xpath("//input[@data-field='ibr_aig']")
total_debt = browser.find_element_by_xpath("//input[@data-field='total_debt']")
monthly_payment = browser.find_element_by_xpath("//input[@data-field='monthly_payment']")
interest_rate = browser.find_element_by_xpath("//input[@data-field='rate']")
return [browser, income, family_size, income_growth_rate, total_debt, monthly_payment, interest_rate, plan]
def paye_plan(browser, income, family_size, income_growth_rate, total_debt, monthly_payment, interest_rate,
income_input, family_size_input, income_growth_rate_input, total_debt_input, monthly_payment_input, interest_rate_input, plan):
length = len(income.get_attribute('value')) # clear values
income.send_keys(length * Keys.BACKSPACE)
length = len(income_growth_rate.get_attribute('value'))
income_growth_rate.send_keys(length * Keys.BACKSPACE)
length = len(total_debt.get_attribute('value'))
total_debt.send_keys(length * Keys.BACKSPACE)
length = len(monthly_payment.get_attribute('value'))
monthly_payment.send_keys(length * Keys.BACKSPACE)
length = len(interest_rate.get_attribute('value'))
interest_rate.send_keys(length * Keys.BACKSPACE)
income.send_keys(str(income_input)) # input values
family_size.click()
li = family_size.parent.find_elements_by_xpath("//li[@role='presentation']")
li[int(family_size_input)-1].click()
income_growth_rate.send_keys(str(income_growth_rate_input))
total_debt.send_keys(str(total_debt_input))
monthly_payment.send_keys(str(monthly_payment_input))
interest_rate.send_keys(str(interest_rate_input))
WebDriverWait(browser, 10).until(text_to_change((By.XPATH, "//td/span"), # scrape output
browser.find_element_by_xpath("//td/span").text))
table = browser.find_elements_by_xpath("//td")
values = [item.text for item in table]
tuple_values = list(grouper(4, values))
split_values = []
for x in tuple_values:
split_values.append(list(x))
split_values = [['', 'Original', plan.upper(), 'Savings']] + split_values[:5]
split_values[1][0] = 'Monthly payments'
return split_values
# browser = open_chrome()
# inputs = open_loan_payment_calc(browser)
# payments = repayment_plan(inputs[0], inputs[1], inputs[2], inputs[3], inputs[4], 10000, 5.05, 10, '$0')
# print(payments)
# payments = repayment_plan(inputs[0], inputs[1], inputs[2], inputs[3], inputs[4], 20000, 5.05, 10, payments[0])
# print(payments)
# inputs = open_income_based_calc(browser, 'paye')
# info = income_based_plan(inputs[0], inputs[1], inputs[2], inputs[3], inputs[4], inputs[5], inputs[6], inputs[7], 74000, 4, 2, 180000, 1000, 5.05, inputs[8])
# inputs = open_paye_calc(browser, 'repaye')
# info = paye_plan(inputs[0], inputs[1], inputs[2], inputs[3], inputs[4], inputs[5], inputs[6], 74000, 4, 2, 180000, 1000, 5.05, inputs[7])
#
# for value in info:
# print(value)
| def open_chrome():
opts = options()
browser = chrome(os.path.join(os.getcwd(), 'chromedriver'), options=opts)
return browser
def open_loan_payment_calc(browser):
browser.get('https://studentloanhero.com/calculators/student-loan-payment-calculator/')
balance = browser.find_element_by_xpath("//input[@data-field='amount']")
percent = browser.find_element_by_xpath("//input[@data-field='rate']")
term = browser.find_element_by_xpath("//input[@data-field='years']")
button = browser.find_element_by_xpath("//button[@class=' blue-color default-button calcs-describe-ad-btn results-button opt null']")
return [browser, balance, percent, term, button]
def repayment_plan(browser, balance, percent, term, button, balance_input, percent_input, term_input, text_before):
length = len(balance.get_attribute('value'))
balance.send_keys(length * Keys.BACKSPACE)
length = len(percent.get_attribute('value'))
percent.send_keys(length * Keys.BACKSPACE)
length = len(term.get_attribute('value'))
term.send_keys(length * Keys.BACKSPACE)
balance.send_keys(str(balance_input))
percent.send_keys(str(percent_input))
term.send_keys(str(term_input))
button.click()
web_driver_wait(browser, 10).until(text_to_change((By.XPATH, "//div[@class='calc-opt-card animated-left']/h4/span"), text_before))
monthly = browser.find_element_by_xpath("//div[@class='calc-opt-card animated-left']/h4/span").text
monthly = int(monthly[1:].replace(',', ''))
interest = browser.find_element_by_xpath("//div[@class='calc-opt-card animated-right']/h4/span").text
interest = int(interest[1:].replace(',', ''))
return [monthly, interest]
def open_income_based_calc(browser, plan):
sites = {'ibr': 'https://studentloanhero.com/calculators/student-loan-income-based-repayment-calculator/', 'icr': 'https://studentloanhero.com/calculators/income-contingent-repayment-calculator/'}
browser.get(sites[plan])
income = browser.find_element_by_xpath("//input[@data-field='agi']")
dropdown = browser.find_elements_by_xpath('//div[@class="dropdown btn-group"]')
family_size = dropdown[0]
income_growth_rate = browser.find_element_by_xpath("//input[@data-field='ibr_aig']")
old_loans = dropdown[2]
total_debt = browser.find_element_by_xpath("//input[@data-field='total_debt']")
monthly_payment = browser.find_element_by_xpath("//input[@data-field='monthly_payment']")
interest_rate = browser.find_element_by_xpath("//input[@data-field='rate']")
return [browser, income, family_size, income_growth_rate, old_loans, total_debt, monthly_payment, interest_rate, plan]
def income_based_plan(browser, income, family_size, income_growth_rate, old_loans, total_debt, monthly_payment, interest_rate, income_input, family_size_input, income_growth_rate_input, total_debt_input, monthly_payment_input, interest_rate_input, plan):
length = len(income.get_attribute('value'))
income.send_keys(length * Keys.BACKSPACE)
length = len(income_growth_rate.get_attribute('value'))
income_growth_rate.send_keys(length * Keys.BACKSPACE)
length = len(total_debt.get_attribute('value'))
total_debt.send_keys(length * Keys.BACKSPACE)
length = len(monthly_payment.get_attribute('value'))
monthly_payment.send_keys(length * Keys.BACKSPACE)
length = len(interest_rate.get_attribute('value'))
interest_rate.send_keys(length * Keys.BACKSPACE)
income.send_keys(str(income_input))
family_size.click()
li = family_size.parent.find_elements_by_xpath("//li[@role='presentation']")
li[int(family_size_input) - 1].click()
income_growth_rate.send_keys(str(income_growth_rate_input))
old_loans.click()
li[14].click()
total_debt.send_keys(str(total_debt_input))
monthly_payment.send_keys(str(monthly_payment_input))
interest_rate.send_keys(str(interest_rate_input))
web_driver_wait(browser, 10).until(text_to_change((By.XPATH, '//td/span'), browser.find_element_by_xpath('//td/span').text))
table = browser.find_elements_by_xpath('//td')
values = [item.text for item in table]
tuple_values = list(grouper(4, values))
split_values = []
for x in tuple_values:
split_values.append(list(x))
split_values = [['', 'Original', plan.upper(), 'Savings']] + split_values[:5]
split_values[1][0] = 'Monthly payments'
return split_values
def open_paye_calc(browser, plan):
sites = {'paye': 'https://studentloanhero.com/calculators/pay-as-you-earn-calculator/', 'repaye': 'https://studentloanhero.com/calculators/student-loan-revised-pay-as-you-earn-calculator/'}
browser.get(sites[plan])
income = browser.find_element_by_xpath("//input[@data-field='agi']")
dropdown = browser.find_elements_by_xpath('//div[@class="dropdown btn-group"]')
family_size = dropdown[0]
income_growth_rate = browser.find_element_by_xpath("//input[@data-field='ibr_aig']")
total_debt = browser.find_element_by_xpath("//input[@data-field='total_debt']")
monthly_payment = browser.find_element_by_xpath("//input[@data-field='monthly_payment']")
interest_rate = browser.find_element_by_xpath("//input[@data-field='rate']")
return [browser, income, family_size, income_growth_rate, total_debt, monthly_payment, interest_rate, plan]
def paye_plan(browser, income, family_size, income_growth_rate, total_debt, monthly_payment, interest_rate, income_input, family_size_input, income_growth_rate_input, total_debt_input, monthly_payment_input, interest_rate_input, plan):
length = len(income.get_attribute('value'))
income.send_keys(length * Keys.BACKSPACE)
length = len(income_growth_rate.get_attribute('value'))
income_growth_rate.send_keys(length * Keys.BACKSPACE)
length = len(total_debt.get_attribute('value'))
total_debt.send_keys(length * Keys.BACKSPACE)
length = len(monthly_payment.get_attribute('value'))
monthly_payment.send_keys(length * Keys.BACKSPACE)
length = len(interest_rate.get_attribute('value'))
interest_rate.send_keys(length * Keys.BACKSPACE)
income.send_keys(str(income_input))
family_size.click()
li = family_size.parent.find_elements_by_xpath("//li[@role='presentation']")
li[int(family_size_input) - 1].click()
income_growth_rate.send_keys(str(income_growth_rate_input))
total_debt.send_keys(str(total_debt_input))
monthly_payment.send_keys(str(monthly_payment_input))
interest_rate.send_keys(str(interest_rate_input))
web_driver_wait(browser, 10).until(text_to_change((By.XPATH, '//td/span'), browser.find_element_by_xpath('//td/span').text))
table = browser.find_elements_by_xpath('//td')
values = [item.text for item in table]
tuple_values = list(grouper(4, values))
split_values = []
for x in tuple_values:
split_values.append(list(x))
split_values = [['', 'Original', plan.upper(), 'Savings']] + split_values[:5]
split_values[1][0] = 'Monthly payments'
return split_values |
S = input()
K = 'oda' if S == 'yukiko' else 'yukiko'
B = [input() for _ in range(8)]
print(S if sum(len([x for x in row if x in 'bw']) for row in B) % 2 == 0 else K)
| s = input()
k = 'oda' if S == 'yukiko' else 'yukiko'
b = [input() for _ in range(8)]
print(S if sum((len([x for x in row if x in 'bw']) for row in B)) % 2 == 0 else K) |
# Problem: https://www.hackerrank.com/challenges/string-validators/problem
# Score: 10
s = input()
print(any([char.isalnum() for char in s]))
print(any([char.isalpha() for char in s]))
print(any([char.isdigit() for char in s]))
print(any([char.islower() for char in s]))
print(any([char.isupper() for char in s]))
| s = input()
print(any([char.isalnum() for char in s]))
print(any([char.isalpha() for char in s]))
print(any([char.isdigit() for char in s]))
print(any([char.islower() for char in s]))
print(any([char.isupper() for char in s])) |
AUTH_BASIC_LOGIN = '/users/login'
AUTH_LOGOUT = '/users/logout'
AUTH_STEP_START = '/auth/login/multi_step/start'
AUTH_STEP_CHECK_LOGIN = '/auth/login/multi_step/check_login'
AUTH_STEP_CHECK_PASSWORD = '/auth/login/multi_step/commit_pwd'
AUTH_STEP_FINISH = '/auth/login/multi_step/finish'
PASSWD_START = '/auth/restore_pwd/multi_step/start'
PASSWD_CHECK_LOGIN = '/auth/restore_pwd/multi_step/check_login'
PASSWD_SEND_MAIL = '/auth/restore_pwd/multi_step/send_email'
PASSWD_CHECK_KEY = '/auth/restore_pwd/multi_step/check'
PASSWD_FINISH = '/auth/restore_pwd/multi_step/finish'
| auth_basic_login = '/users/login'
auth_logout = '/users/logout'
auth_step_start = '/auth/login/multi_step/start'
auth_step_check_login = '/auth/login/multi_step/check_login'
auth_step_check_password = '/auth/login/multi_step/commit_pwd'
auth_step_finish = '/auth/login/multi_step/finish'
passwd_start = '/auth/restore_pwd/multi_step/start'
passwd_check_login = '/auth/restore_pwd/multi_step/check_login'
passwd_send_mail = '/auth/restore_pwd/multi_step/send_email'
passwd_check_key = '/auth/restore_pwd/multi_step/check'
passwd_finish = '/auth/restore_pwd/multi_step/finish' |
class Solution:
def canConstruct(self, s: str, k: int) -> bool:
digit_count = {}
if len(s) < k:
return False
elif len(s) == k:
return True
else:
odd = 0
for i in set(s):
digit_count[i] = s.count(i)
for i in digit_count.values():
if i % 2 != 0:
odd += 1
if odd > k:
return False
else:
return True
s = "annabelle"
k = 2
res = Solution().canConstruct(s, k)
print(res) | class Solution:
def can_construct(self, s: str, k: int) -> bool:
digit_count = {}
if len(s) < k:
return False
elif len(s) == k:
return True
else:
odd = 0
for i in set(s):
digit_count[i] = s.count(i)
for i in digit_count.values():
if i % 2 != 0:
odd += 1
if odd > k:
return False
else:
return True
s = 'annabelle'
k = 2
res = solution().canConstruct(s, k)
print(res) |
class can_id:
def __init__ (self, can_id, description, attributes):
self.can_id = can_id.upper()
self.pgn = self.get_pgn(can_id)
self.description = description
self.attributes = attributes
def get_pgn(self, can_id):
if(can_id[2].upper() == 'E'):
return int(can_id[2:4], 16)
else:
return int(can_id[2:6], 16)
class pgn:
def __init__ (self, pgn, description, attributes):
self.pgn = pgn
self.description = description
self.attributes = attributes
class attribute:
def __init__ (self, description, byte_offset, size):
self.description = description
self.byte_offset = byte_offset
self.size = size
| class Can_Id:
def __init__(self, can_id, description, attributes):
self.can_id = can_id.upper()
self.pgn = self.get_pgn(can_id)
self.description = description
self.attributes = attributes
def get_pgn(self, can_id):
if can_id[2].upper() == 'E':
return int(can_id[2:4], 16)
else:
return int(can_id[2:6], 16)
class Pgn:
def __init__(self, pgn, description, attributes):
self.pgn = pgn
self.description = description
self.attributes = attributes
class Attribute:
def __init__(self, description, byte_offset, size):
self.description = description
self.byte_offset = byte_offset
self.size = size |
class LyricsNotFoundError(Exception):
pass
class ExistingLyricsError(Exception):
pass
class UnsupportedTypeError(Exception):
pass
class UnknownTypeError(Exception):
pass | class Lyricsnotfounderror(Exception):
pass
class Existinglyricserror(Exception):
pass
class Unsupportedtypeerror(Exception):
pass
class Unknowntypeerror(Exception):
pass |
def lambda_handler(event, context):
if 'Arg1' not in event or 'Arg2' not in event:
raise ValueError("Missing Argument")
else:
return "%s: %s" % (event['Arg1'],event['Arg2']) | def lambda_handler(event, context):
if 'Arg1' not in event or 'Arg2' not in event:
raise value_error('Missing Argument')
else:
return '%s: %s' % (event['Arg1'], event['Arg2']) |
'''
Created on Jan 14, 2016
@author: Dave
This module does not actually *do* anything. It just gives an import hook, so that we can find the
package location in the filesystem.
'''
| """
Created on Jan 14, 2016
@author: Dave
This module does not actually *do* anything. It just gives an import hook, so that we can find the
package location in the filesystem.
""" |
input_data = open("output", 'rb').read()
input_data = input_data[0x2c:]
flag = ""
for i in range(0, len(input_data), 2):
flag += str(1 - input_data[i + 1] & 0x1)
flag += str(1 - input_data[i] & 0x1)
print(bytes.fromhex(hex(int(flag[:216], 2))[2:])) | input_data = open('output', 'rb').read()
input_data = input_data[44:]
flag = ''
for i in range(0, len(input_data), 2):
flag += str(1 - input_data[i + 1] & 1)
flag += str(1 - input_data[i] & 1)
print(bytes.fromhex(hex(int(flag[:216], 2))[2:])) |
COIN_STPT = "STPT"
COIN_MXN = "MXN"
COIN_UGX = "UGX"
COIN_RENBTC = "RENBTC"
COIN_GLM = "GLM"
COIN_NEAR = "NEAR"
COIN_AUDIO = "AUDIO"
COIN_HNT = "HNT"
COIN_ADADOWN = "ADADOWN"
COIN_CDT = "CDT"
COIN_SPARTA = "SPARTA"
COIN_SUSD = "SUSD"
COIN_AION = "AION"
COIN_NPXS = "NPXS"
COIN_DGB = "DGB"
COIN_ZRX = "ZRX"
COIN_BCD = "BCD"
COIN_EASY = "EASY"
COIN_WING = "WING"
COIN_AE = "AE"
COIN_WNXM = "WNXM"
COIN_BCH = "BCH"
COIN_ADAUP = "ADAUP"
COIN_JST = "JST"
COIN_HOT = "HOT"
COIN_IRIS = "IRIS"
COIN_BCX = "BCX"
COIN_SEK = "SEK"
COIN_TRIG = "TRIG"
COIN_RCN = "RCN"
COIN_COVER = "COVER"
COIN_FLM = "FLM"
COIN_GNT = "GNT"
COIN_VITE = "VITE"
COIN_BKRW = "BKRW"
COIN_XPR = "XPR"
COIN_SFP = "SFP"
COIN_DIA = "DIA"
COIN_RDN = "RDN"
COIN_ARDR = "ARDR"
COIN_CLOAK = "CLOAK"
COIN_NEBL = "NEBL"
COIN_BEL = "BEL"
COIN_JUV = "JUV"
COIN_GRTDOWN = "GRTDOWN"
COIN_VTHO = "VTHO"
COIN_SALT = "SALT"
COIN_STORM = "STORM"
COIN_REN = "REN"
COIN_REP = "REP"
COIN_ADA = "ADA"
COIN_ELF = "ELF"
COIN_REQ = "REQ"
COIN_STORJ = "STORJ"
COIN_CHF = "CHF"
COIN_ADD = "ADD"
COIN_BZRX = "BZRX"
COIN_SGT = "SGT"
COIN_DF = "DF"
COIN_EOSDOWN = "EOSDOWN"
COIN_PAXG = "PAXG"
COIN_YOYO = "YOYO"
COIN_PAX = "PAX"
COIN_CHR = "CHR"
COIN_VND = "VND"
COIN_BCHDOWN = "BCHDOWN"
COIN_WAVES = "WAVES"
COIN_CHZ = "CHZ"
COIN_ADX = "ADX"
COIN_XRP = "XRP"
COIN_WPR = "WPR"
COIN_AED = "AED"
COIN_SAND = "SAND"
COIN_DKK = "DKK"
COIN_OCEAN = "OCEAN"
COIN_FOR = "FOR"
COIN_UMA = "UMA"
COIN_SCRT = "SCRT"
COIN_TUSD = "TUSD"
COIN_WABI = "WABI"
COIN_IDRT = "IDRT"
COIN_ENG = "ENG"
COIN_ENJ = "ENJ"
COIN_UNIDOWN = "UNIDOWN"
COIN_YFII = "YFII"
COIN_KZT = "KZT"
COIN_OAX = "OAX"
COIN_GRT = "GRT"
COIN_GRS = "GRS"
COIN_UND = "UND"
COIN_HARD = "HARD"
COIN_TFUEL = "TFUEL"
COIN_LEND = "LEND"
COIN_DLT = "DLT"
COIN_TROY = "TROY"
COIN_XLMUP = "XLMUP"
COIN_UNI = "UNI"
COIN_BTCDOWN = "BTCDOWN"
COIN_HUF = "HUF"
COIN_SBTC = "SBTC"
COIN_CKB = "CKB"
COIN_WRX = "WRX"
COIN_XTZ = "XTZ"
COIN_LUNA = "LUNA"
COIN_ETHDOWN = "ETHDOWN"
COIN_AGI = "AGI"
COIN_BCHA = "BCHA"
COIN_EON = "EON"
COIN_EOP = "EOP"
COIN_EOS = "EOS"
COIN_GO = "GO"
COIN_NCASH = "NCASH"
COIN_RIF = "RIF"
COIN_EOSBULL = "EOSBULL"
COIN_SKL = "SKL"
COIN_PEN = "PEN"
COIN_BLINK = "BLINK"
COIN_SXPDOWN = "SXPDOWN"
COIN_HC = "HC"
COIN_SKY = "SKY"
COIN_BURGER = "BURGER"
COIN_NAS = "NAS"
COIN_NAV = "NAV"
COIN_GTO = "GTO"
COIN_WTC = "WTC"
COIN_XVG = "XVG"
COIN_TNB = "TNB"
COIN_DNT = "DNT"
COIN_BULL = "BULL"
COIN_XTZDOWN = "XTZDOWN"
COIN_XVS = "XVS"
COIN_STEEM = "STEEM"
COIN_BVND = "BVND"
COIN_SLP = "SLP"
COIN_TNT = "TNT"
COIN_NBS = "NBS"
COIN_DOT = "DOT"
COIN_IQ = "IQ"
COIN_CMT = "CMT"
COIN_GRTUP = "GRTUP"
COIN_1INCH = "1INCH"
COIN_XRPBULL = "XRPBULL"
COIN_MITH = "MITH"
COIN_ERD = "ERD"
COIN_CND = "CND"
COIN_UNFI = "UNFI"
COIN_FTM = "FTM"
COIN_POWR = "POWR"
COIN_GVT = "GVT"
COIN_WINGS = "WINGS"
COIN_FTT = "FTT"
COIN_RLC = "RLC"
COIN_PHB = "PHB"
COIN_TRXDOWN = "TRXDOWN"
COIN_ATOM = "ATOM"
COIN_XRPUP = "XRPUP"
COIN_BLZ = "BLZ"
COIN_SNM = "SNM"
COIN_MBL = "MBL"
COIN_BNBUP = "BNBUP"
COIN_SNT = "SNT"
COIN_SNX = "SNX"
COIN_LTCDOWN = "LTCDOWN"
COIN_FUN = "FUN"
COIN_COS = "COS"
COIN_USD = "USD"
COIN_QKC = "QKC"
COIN_SUSHIUP = "SUSHIUP"
COIN_ROSE = "ROSE"
COIN_SOL = "SOL"
COIN_TRXUP = "TRXUP"
COIN_ETC = "ETC"
COIN_ETF = "ETF"
COIN_BNB = "BNB"
COIN_CELR = "CELR"
COIN_OGN = "OGN"
COIN_ETH = "ETH"
COIN_MCO = "MCO"
COIN_NEO = "NEO"
COIN_TOMO = "TOMO"
COIN_CELO = "CELO"
COIN_GXS = "GXS"
COIN_TRB = "TRB"
COIN_BNT = "BNT"
COIN_QLC = "QLC"
COIN_LBA = "LBA"
COIN_MDA = "MDA"
COIN_UTK = "UTK"
COIN_EOSBEAR = "EOSBEAR"
COIN_HEGIC = "HEGIC"
COIN_AMB = "AMB"
COIN_TRU = "TRU"
COIN_WBNB = "WBNB"
COIN_FUEL = "FUEL"
COIN_DREP = "DREP"
COIN_TRY = "TRY"
COIN_TRX = "TRX"
COIN_MDT = "MDT"
COIN_MDX = "MDX"
COIN_XRPDOWN = "XRPDOWN"
COIN_AERGO = "AERGO"
COIN_EUR = "EUR"
COIN_BOT = "BOT"
COIN_NULS = "NULS"
COIN_NGN = "NGN"
COIN_EGLD = "EGLD"
COIN_ANTOLD = "ANTOLD"
COIN_FXS = "FXS"
COIN_HNST = "HNST"
COIN_CRV = "CRV"
COIN_EVX = "EVX"
COIN_BAKE = "BAKE"
COIN_ANT = "ANT"
COIN_LINKUP = "LINKUP"
COIN_SRM = "SRM"
COIN_PLN = "PLN"
COIN_ETHBEAR = "ETHBEAR"
COIN_OG = "OG"
COIN_MFT = "MFT"
COIN_BETH = "BETH"
COIN_BQX = "BQX"
COIN_BRD = "BRD"
COIN_BUSD = "BUSD"
COIN_CTK = "CTK"
COIN_ARPA = "ARPA"
COIN_DOTDOWN = "DOTDOWN"
COIN_BRL = "BRL"
COIN_CTR = "CTR"
COIN_MATIC = "MATIC"
COIN_IOTX = "IOTX"
COIN_FRONT = "FRONT"
COIN_ZAR = "ZAR"
COIN_DOCK = "DOCK"
COIN_STX = "STX"
COIN_PNT = "PNT"
COIN_DENT = "DENT"
COIN_BCPT = "BCPT"
COIN_BNBBEAR = "BNBBEAR"
COIN_VIBE = "VIBE"
COIN_SUB = "SUB"
COIN_POA = "POA"
COIN_IOST = "IOST"
COIN_CAKE = "CAKE"
COIN_ETHUP = "ETHUP"
COIN_POE = "POE"
COIN_OMG = "OMG"
COIN_BAND = "BAND"
COIN_SUN = "SUN"
COIN_BTC = "BTC"
COIN_TWT = "TWT"
COIN_NKN = "NKN"
COIN_RSR = "RSR"
COIN_CVC = "CVC"
COIN_IOTA = "IOTA"
COIN_REEF = "REEF"
COIN_BTG = "BTG"
COIN_KES = "KES"
COIN_ARK = "ARK"
COIN_BTM = "BTM"
COIN_CVP = "CVP"
COIN_ARN = "ARN"
COIN_KEY = "KEY"
COIN_BTS = "BTS"
COIN_BTT = "BTT"
COIN_ONE = "ONE"
COIN_LINKDOWN = "LINKDOWN"
COIN_ONG = "ONG"
COIN_ANKR = "ANKR"
COIN_SUSHI = "SUSHI"
COIN_ALGO = "ALGO"
COIN_ZCX = "ZCX"
COIN_SC = "SC"
COIN_WBTC = "WBTC"
COIN_ONT = "ONT"
COIN_PPT = "PPT"
COIN_ONX = "ONX"
COIN_RUB = "RUB"
COIN_PIVX = "PIVX"
COIN_ASR = "ASR"
COIN_FIRO = "FIRO"
COIN_AST = "AST"
COIN_MANA = "MANA"
COIN_DOTUP = "DOTUP"
COIN_MEETONE = "MEETONE"
COIN_QSP = "QSP"
COIN_ATD = "ATD"
COIN_NMR = "NMR"
COIN_MKR = "MKR"
COIN_DODO = "DODO"
COIN_LIT = "LIT"
COIN_ZEC = "ZEC"
COIN_ATM = "ATM"
COIN_APPC = "APPC"
COIN_JEX = "JEX"
COIN_ICX = "ICX"
COIN_LOOM = "LOOM"
COIN_ZEN = "ZEN"
COIN_KP3R = "KP3R"
COIN_DUSK = "DUSK"
COIN_ALPHA = "ALPHA"
COIN_DOGE = "DOGE"
COIN_BOLT = "BOLT"
COIN_SXP = "SXP"
COIN_HBAR = "HBAR"
COIN_RVN = "RVN"
COIN_AUD = "AUD"
COIN_NANO = "NANO"
COIN_IDR = "IDR"
COIN_CTSI = "CTSI"
COIN_KAVA = "KAVA"
COIN_PSG = "PSG"
COIN_HCC = "HCC"
COIN_VIDT = "VIDT"
COIN_NOK = "NOK"
COIN_AVA = "AVA"
COIN_SYS = "SYS"
COIN_COCOS = "COCOS"
COIN_STRAX = "STRAX"
COIN_EOSUP = "EOSUP"
COIN_CZK = "CZK"
COIN_GAS = "GAS"
COIN_COVEROLD = "COVEROLD"
COIN_AAVEDOWN = "AAVEDOWN"
COIN_THETA = "THETA"
COIN_BCHUP = "BCHUP"
COIN_WAN = "WAN"
COIN_XLMDOWN = "XLMDOWN"
COIN_ORN = "ORN"
COIN_PERL = "PERL"
COIN_AAVE = "AAVE"
COIN_XRPBEAR = "XRPBEAR"
COIN_GBP = "GBP"
COIN_LLT = "LLT"
COIN_SXPUP = "SXPUP"
COIN_YFIDOWN = "YFIDOWN"
COIN_YFI = "YFI"
COIN_PERLOLD = "PERLOLD"
COIN_MOD = "MOD"
COIN_OST = "OST"
COIN_AXS = "AXS"
COIN_ZIL = "ZIL"
COIN_VAI = "VAI"
COIN_XEM = "XEM"
COIN_CTXC = "CTXC"
COIN_XTZUP = "XTZUP"
COIN_BIDR = "BIDR"
COIN_BCHSV = "BCHSV"
COIN_AAVEUP = "AAVEUP"
COIN_SUSHIDOWN = "SUSHIDOWN"
COIN_COMP = "COMP"
COIN_ETHBNT = "ETHBNT"
COIN_RUNE = "RUNE"
COIN_GHST = "GHST"
COIN_KMD = "KMD"
COIN_IDEX = "IDEX"
COIN_BNBDOWN = "BNBDOWN"
COIN_DEXE = "DEXE"
COIN_AVAX = "AVAX"
COIN_UAH = "UAH"
COIN_KNC = "KNC"
COIN_PROS = "PROS"
COIN_PROM = "PROM"
COIN_BTCUP = "BTCUP"
COIN_CHAT = "CHAT"
COIN_BGBP = "BGBP"
COIN_HIVE = "HIVE"
COIN_SNGLS = "SNGLS"
COIN_DAI = "DAI"
COIN_YFIUP = "YFIUP"
COIN_FET = "FET"
COIN_ETHBULL = "ETHBULL"
COIN_LRC = "LRC"
COIN_REPV1 = "REPV1"
COIN_ADXOLD = "ADXOLD"
COIN_MTH = "MTH"
COIN_MTL = "MTL"
COIN_VET = "VET"
COIN_USDT = "USDT"
COIN_USDS = "USDS"
COIN_OXT = "OXT"
COIN_DASH = "DASH"
COIN_NVT = "NVT"
COIN_SWRV = "SWRV"
COIN_EDO = "EDO"
COIN_GHS = "GHS"
COIN_BTCST = "BTCST"
COIN_HKD = "HKD"
COIN_LSK = "LSK"
COIN_CAD = "CAD"
COIN_BEAR = "BEAR"
COIN_BEAM = "BEAM"
COIN_CAN = "CAN"
COIN_DCR = "DCR"
COIN_CREAM = "CREAM"
COIN_DATA = "DATA"
COIN_ENTRP = "ENTRP"
COIN_FILUP = "FILUP"
COIN_UNIUP = "UNIUP"
COIN_LTC = "LTC"
COIN_USDC = "USDC"
COIN_WIN = "WIN"
COIN_BNBBULL = "BNBBULL"
COIN_LTCUP = "LTCUP"
COIN_INJ = "INJ"
COIN_TCT = "TCT"
COIN_LTO = "LTO"
COIN_NXS = "NXS"
COIN_INR = "INR"
COIN_CBK = "CBK"
COIN_CBM = "CBM"
COIN_INS = "INS"
COIN_JPY = "JPY"
COIN_XLM = "XLM"
COIN_LINK = "LINK"
COIN_QTUM = "QTUM"
COIN_FILDOWN = "FILDOWN"
COIN_UFT = "UFT"
COIN_LUN = "LUN"
COIN_KSM = "KSM"
COIN_FIL = "FIL"
COIN_POLY = "POLY"
COIN_STMX = "STMX"
COIN_BAL = "BAL"
COIN_FIO = "FIO"
COIN_VIB = "VIB"
COIN_VIA = "VIA"
COIN_BAT = "BAT"
COIN_VRAB = "VRAB"
COIN_AKRO = "AKRO"
COIN_NZD = "NZD"
COIN_XMR = "XMR"
COIN_COTI = "COTI"
| coin_stpt = 'STPT'
coin_mxn = 'MXN'
coin_ugx = 'UGX'
coin_renbtc = 'RENBTC'
coin_glm = 'GLM'
coin_near = 'NEAR'
coin_audio = 'AUDIO'
coin_hnt = 'HNT'
coin_adadown = 'ADADOWN'
coin_cdt = 'CDT'
coin_sparta = 'SPARTA'
coin_susd = 'SUSD'
coin_aion = 'AION'
coin_npxs = 'NPXS'
coin_dgb = 'DGB'
coin_zrx = 'ZRX'
coin_bcd = 'BCD'
coin_easy = 'EASY'
coin_wing = 'WING'
coin_ae = 'AE'
coin_wnxm = 'WNXM'
coin_bch = 'BCH'
coin_adaup = 'ADAUP'
coin_jst = 'JST'
coin_hot = 'HOT'
coin_iris = 'IRIS'
coin_bcx = 'BCX'
coin_sek = 'SEK'
coin_trig = 'TRIG'
coin_rcn = 'RCN'
coin_cover = 'COVER'
coin_flm = 'FLM'
coin_gnt = 'GNT'
coin_vite = 'VITE'
coin_bkrw = 'BKRW'
coin_xpr = 'XPR'
coin_sfp = 'SFP'
coin_dia = 'DIA'
coin_rdn = 'RDN'
coin_ardr = 'ARDR'
coin_cloak = 'CLOAK'
coin_nebl = 'NEBL'
coin_bel = 'BEL'
coin_juv = 'JUV'
coin_grtdown = 'GRTDOWN'
coin_vtho = 'VTHO'
coin_salt = 'SALT'
coin_storm = 'STORM'
coin_ren = 'REN'
coin_rep = 'REP'
coin_ada = 'ADA'
coin_elf = 'ELF'
coin_req = 'REQ'
coin_storj = 'STORJ'
coin_chf = 'CHF'
coin_add = 'ADD'
coin_bzrx = 'BZRX'
coin_sgt = 'SGT'
coin_df = 'DF'
coin_eosdown = 'EOSDOWN'
coin_paxg = 'PAXG'
coin_yoyo = 'YOYO'
coin_pax = 'PAX'
coin_chr = 'CHR'
coin_vnd = 'VND'
coin_bchdown = 'BCHDOWN'
coin_waves = 'WAVES'
coin_chz = 'CHZ'
coin_adx = 'ADX'
coin_xrp = 'XRP'
coin_wpr = 'WPR'
coin_aed = 'AED'
coin_sand = 'SAND'
coin_dkk = 'DKK'
coin_ocean = 'OCEAN'
coin_for = 'FOR'
coin_uma = 'UMA'
coin_scrt = 'SCRT'
coin_tusd = 'TUSD'
coin_wabi = 'WABI'
coin_idrt = 'IDRT'
coin_eng = 'ENG'
coin_enj = 'ENJ'
coin_unidown = 'UNIDOWN'
coin_yfii = 'YFII'
coin_kzt = 'KZT'
coin_oax = 'OAX'
coin_grt = 'GRT'
coin_grs = 'GRS'
coin_und = 'UND'
coin_hard = 'HARD'
coin_tfuel = 'TFUEL'
coin_lend = 'LEND'
coin_dlt = 'DLT'
coin_troy = 'TROY'
coin_xlmup = 'XLMUP'
coin_uni = 'UNI'
coin_btcdown = 'BTCDOWN'
coin_huf = 'HUF'
coin_sbtc = 'SBTC'
coin_ckb = 'CKB'
coin_wrx = 'WRX'
coin_xtz = 'XTZ'
coin_luna = 'LUNA'
coin_ethdown = 'ETHDOWN'
coin_agi = 'AGI'
coin_bcha = 'BCHA'
coin_eon = 'EON'
coin_eop = 'EOP'
coin_eos = 'EOS'
coin_go = 'GO'
coin_ncash = 'NCASH'
coin_rif = 'RIF'
coin_eosbull = 'EOSBULL'
coin_skl = 'SKL'
coin_pen = 'PEN'
coin_blink = 'BLINK'
coin_sxpdown = 'SXPDOWN'
coin_hc = 'HC'
coin_sky = 'SKY'
coin_burger = 'BURGER'
coin_nas = 'NAS'
coin_nav = 'NAV'
coin_gto = 'GTO'
coin_wtc = 'WTC'
coin_xvg = 'XVG'
coin_tnb = 'TNB'
coin_dnt = 'DNT'
coin_bull = 'BULL'
coin_xtzdown = 'XTZDOWN'
coin_xvs = 'XVS'
coin_steem = 'STEEM'
coin_bvnd = 'BVND'
coin_slp = 'SLP'
coin_tnt = 'TNT'
coin_nbs = 'NBS'
coin_dot = 'DOT'
coin_iq = 'IQ'
coin_cmt = 'CMT'
coin_grtup = 'GRTUP'
coin_1_inch = '1INCH'
coin_xrpbull = 'XRPBULL'
coin_mith = 'MITH'
coin_erd = 'ERD'
coin_cnd = 'CND'
coin_unfi = 'UNFI'
coin_ftm = 'FTM'
coin_powr = 'POWR'
coin_gvt = 'GVT'
coin_wings = 'WINGS'
coin_ftt = 'FTT'
coin_rlc = 'RLC'
coin_phb = 'PHB'
coin_trxdown = 'TRXDOWN'
coin_atom = 'ATOM'
coin_xrpup = 'XRPUP'
coin_blz = 'BLZ'
coin_snm = 'SNM'
coin_mbl = 'MBL'
coin_bnbup = 'BNBUP'
coin_snt = 'SNT'
coin_snx = 'SNX'
coin_ltcdown = 'LTCDOWN'
coin_fun = 'FUN'
coin_cos = 'COS'
coin_usd = 'USD'
coin_qkc = 'QKC'
coin_sushiup = 'SUSHIUP'
coin_rose = 'ROSE'
coin_sol = 'SOL'
coin_trxup = 'TRXUP'
coin_etc = 'ETC'
coin_etf = 'ETF'
coin_bnb = 'BNB'
coin_celr = 'CELR'
coin_ogn = 'OGN'
coin_eth = 'ETH'
coin_mco = 'MCO'
coin_neo = 'NEO'
coin_tomo = 'TOMO'
coin_celo = 'CELO'
coin_gxs = 'GXS'
coin_trb = 'TRB'
coin_bnt = 'BNT'
coin_qlc = 'QLC'
coin_lba = 'LBA'
coin_mda = 'MDA'
coin_utk = 'UTK'
coin_eosbear = 'EOSBEAR'
coin_hegic = 'HEGIC'
coin_amb = 'AMB'
coin_tru = 'TRU'
coin_wbnb = 'WBNB'
coin_fuel = 'FUEL'
coin_drep = 'DREP'
coin_try = 'TRY'
coin_trx = 'TRX'
coin_mdt = 'MDT'
coin_mdx = 'MDX'
coin_xrpdown = 'XRPDOWN'
coin_aergo = 'AERGO'
coin_eur = 'EUR'
coin_bot = 'BOT'
coin_nuls = 'NULS'
coin_ngn = 'NGN'
coin_egld = 'EGLD'
coin_antold = 'ANTOLD'
coin_fxs = 'FXS'
coin_hnst = 'HNST'
coin_crv = 'CRV'
coin_evx = 'EVX'
coin_bake = 'BAKE'
coin_ant = 'ANT'
coin_linkup = 'LINKUP'
coin_srm = 'SRM'
coin_pln = 'PLN'
coin_ethbear = 'ETHBEAR'
coin_og = 'OG'
coin_mft = 'MFT'
coin_beth = 'BETH'
coin_bqx = 'BQX'
coin_brd = 'BRD'
coin_busd = 'BUSD'
coin_ctk = 'CTK'
coin_arpa = 'ARPA'
coin_dotdown = 'DOTDOWN'
coin_brl = 'BRL'
coin_ctr = 'CTR'
coin_matic = 'MATIC'
coin_iotx = 'IOTX'
coin_front = 'FRONT'
coin_zar = 'ZAR'
coin_dock = 'DOCK'
coin_stx = 'STX'
coin_pnt = 'PNT'
coin_dent = 'DENT'
coin_bcpt = 'BCPT'
coin_bnbbear = 'BNBBEAR'
coin_vibe = 'VIBE'
coin_sub = 'SUB'
coin_poa = 'POA'
coin_iost = 'IOST'
coin_cake = 'CAKE'
coin_ethup = 'ETHUP'
coin_poe = 'POE'
coin_omg = 'OMG'
coin_band = 'BAND'
coin_sun = 'SUN'
coin_btc = 'BTC'
coin_twt = 'TWT'
coin_nkn = 'NKN'
coin_rsr = 'RSR'
coin_cvc = 'CVC'
coin_iota = 'IOTA'
coin_reef = 'REEF'
coin_btg = 'BTG'
coin_kes = 'KES'
coin_ark = 'ARK'
coin_btm = 'BTM'
coin_cvp = 'CVP'
coin_arn = 'ARN'
coin_key = 'KEY'
coin_bts = 'BTS'
coin_btt = 'BTT'
coin_one = 'ONE'
coin_linkdown = 'LINKDOWN'
coin_ong = 'ONG'
coin_ankr = 'ANKR'
coin_sushi = 'SUSHI'
coin_algo = 'ALGO'
coin_zcx = 'ZCX'
coin_sc = 'SC'
coin_wbtc = 'WBTC'
coin_ont = 'ONT'
coin_ppt = 'PPT'
coin_onx = 'ONX'
coin_rub = 'RUB'
coin_pivx = 'PIVX'
coin_asr = 'ASR'
coin_firo = 'FIRO'
coin_ast = 'AST'
coin_mana = 'MANA'
coin_dotup = 'DOTUP'
coin_meetone = 'MEETONE'
coin_qsp = 'QSP'
coin_atd = 'ATD'
coin_nmr = 'NMR'
coin_mkr = 'MKR'
coin_dodo = 'DODO'
coin_lit = 'LIT'
coin_zec = 'ZEC'
coin_atm = 'ATM'
coin_appc = 'APPC'
coin_jex = 'JEX'
coin_icx = 'ICX'
coin_loom = 'LOOM'
coin_zen = 'ZEN'
coin_kp3_r = 'KP3R'
coin_dusk = 'DUSK'
coin_alpha = 'ALPHA'
coin_doge = 'DOGE'
coin_bolt = 'BOLT'
coin_sxp = 'SXP'
coin_hbar = 'HBAR'
coin_rvn = 'RVN'
coin_aud = 'AUD'
coin_nano = 'NANO'
coin_idr = 'IDR'
coin_ctsi = 'CTSI'
coin_kava = 'KAVA'
coin_psg = 'PSG'
coin_hcc = 'HCC'
coin_vidt = 'VIDT'
coin_nok = 'NOK'
coin_ava = 'AVA'
coin_sys = 'SYS'
coin_cocos = 'COCOS'
coin_strax = 'STRAX'
coin_eosup = 'EOSUP'
coin_czk = 'CZK'
coin_gas = 'GAS'
coin_coverold = 'COVEROLD'
coin_aavedown = 'AAVEDOWN'
coin_theta = 'THETA'
coin_bchup = 'BCHUP'
coin_wan = 'WAN'
coin_xlmdown = 'XLMDOWN'
coin_orn = 'ORN'
coin_perl = 'PERL'
coin_aave = 'AAVE'
coin_xrpbear = 'XRPBEAR'
coin_gbp = 'GBP'
coin_llt = 'LLT'
coin_sxpup = 'SXPUP'
coin_yfidown = 'YFIDOWN'
coin_yfi = 'YFI'
coin_perlold = 'PERLOLD'
coin_mod = 'MOD'
coin_ost = 'OST'
coin_axs = 'AXS'
coin_zil = 'ZIL'
coin_vai = 'VAI'
coin_xem = 'XEM'
coin_ctxc = 'CTXC'
coin_xtzup = 'XTZUP'
coin_bidr = 'BIDR'
coin_bchsv = 'BCHSV'
coin_aaveup = 'AAVEUP'
coin_sushidown = 'SUSHIDOWN'
coin_comp = 'COMP'
coin_ethbnt = 'ETHBNT'
coin_rune = 'RUNE'
coin_ghst = 'GHST'
coin_kmd = 'KMD'
coin_idex = 'IDEX'
coin_bnbdown = 'BNBDOWN'
coin_dexe = 'DEXE'
coin_avax = 'AVAX'
coin_uah = 'UAH'
coin_knc = 'KNC'
coin_pros = 'PROS'
coin_prom = 'PROM'
coin_btcup = 'BTCUP'
coin_chat = 'CHAT'
coin_bgbp = 'BGBP'
coin_hive = 'HIVE'
coin_sngls = 'SNGLS'
coin_dai = 'DAI'
coin_yfiup = 'YFIUP'
coin_fet = 'FET'
coin_ethbull = 'ETHBULL'
coin_lrc = 'LRC'
coin_repv1 = 'REPV1'
coin_adxold = 'ADXOLD'
coin_mth = 'MTH'
coin_mtl = 'MTL'
coin_vet = 'VET'
coin_usdt = 'USDT'
coin_usds = 'USDS'
coin_oxt = 'OXT'
coin_dash = 'DASH'
coin_nvt = 'NVT'
coin_swrv = 'SWRV'
coin_edo = 'EDO'
coin_ghs = 'GHS'
coin_btcst = 'BTCST'
coin_hkd = 'HKD'
coin_lsk = 'LSK'
coin_cad = 'CAD'
coin_bear = 'BEAR'
coin_beam = 'BEAM'
coin_can = 'CAN'
coin_dcr = 'DCR'
coin_cream = 'CREAM'
coin_data = 'DATA'
coin_entrp = 'ENTRP'
coin_filup = 'FILUP'
coin_uniup = 'UNIUP'
coin_ltc = 'LTC'
coin_usdc = 'USDC'
coin_win = 'WIN'
coin_bnbbull = 'BNBBULL'
coin_ltcup = 'LTCUP'
coin_inj = 'INJ'
coin_tct = 'TCT'
coin_lto = 'LTO'
coin_nxs = 'NXS'
coin_inr = 'INR'
coin_cbk = 'CBK'
coin_cbm = 'CBM'
coin_ins = 'INS'
coin_jpy = 'JPY'
coin_xlm = 'XLM'
coin_link = 'LINK'
coin_qtum = 'QTUM'
coin_fildown = 'FILDOWN'
coin_uft = 'UFT'
coin_lun = 'LUN'
coin_ksm = 'KSM'
coin_fil = 'FIL'
coin_poly = 'POLY'
coin_stmx = 'STMX'
coin_bal = 'BAL'
coin_fio = 'FIO'
coin_vib = 'VIB'
coin_via = 'VIA'
coin_bat = 'BAT'
coin_vrab = 'VRAB'
coin_akro = 'AKRO'
coin_nzd = 'NZD'
coin_xmr = 'XMR'
coin_coti = 'COTI' |
# Using python list
def add_one(nums):
carry = 1
for num in nums:
sums, carry = (num+carry)%10, (num+carry)//10
nums[-1] = sums
if carry == 0:
return nums
if carry == 1:
return [1] + nums
# Using linked list
def add_one(head):
# Reverse
rev_head = reverse(head)
# Add one
tail = rev_head
while tail:
if tail.value < 9:
tail.value += 1
return reverse(rev_head)
else:
tail.value = 0
carry = 1
tail = tail.next
if carry == 1:
rev_head.prepend(1)
return reverse(rev_head)
def reverse(head):
rev_head = None
tail = head
while tail:
rev_head.prepend(tail.value)
tail = tail.next
return rev_head
| def add_one(nums):
carry = 1
for num in nums:
(sums, carry) = ((num + carry) % 10, (num + carry) // 10)
nums[-1] = sums
if carry == 0:
return nums
if carry == 1:
return [1] + nums
def add_one(head):
rev_head = reverse(head)
tail = rev_head
while tail:
if tail.value < 9:
tail.value += 1
return reverse(rev_head)
else:
tail.value = 0
carry = 1
tail = tail.next
if carry == 1:
rev_head.prepend(1)
return reverse(rev_head)
def reverse(head):
rev_head = None
tail = head
while tail:
rev_head.prepend(tail.value)
tail = tail.next
return rev_head |
#!/usr/bin/env python
#
# Given 2 sorted lists, merge them in sequential order using least
# number of iterations/compute power.
#
l1 = [1, 3, 6, 7, 15, 22]
l2 = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 100]
len1 = len(l1)
len2 = len(l2)
i,j = 0, 0
merged = []
while i < len1 and j < len2:
if l1[i] < l2[j]:
if l1[i] not in merged:
merged.append(l1[i])
i += 1
else:
if l2[j] not in merged:
merged.append(l2[j])
j += 1
merged = merged + l1[i:] + l2[j:]
print(merged)
| l1 = [1, 3, 6, 7, 15, 22]
l2 = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 100]
len1 = len(l1)
len2 = len(l2)
(i, j) = (0, 0)
merged = []
while i < len1 and j < len2:
if l1[i] < l2[j]:
if l1[i] not in merged:
merged.append(l1[i])
i += 1
else:
if l2[j] not in merged:
merged.append(l2[j])
j += 1
merged = merged + l1[i:] + l2[j:]
print(merged) |
{
"targets": [
{
"target_name": "modexp_postbuild",
"dependencies": ["modexp"],
"conditions": [
['OS=="win"', {
'copies': [{
'destination': '<(PRODUCT_DIR)',
'files': [
'<(module_root_dir)/openssl-1.1.1g-win64-mingw/libcrypto-1_1-x64.dll',
]
}]
}]
]
},
{
"target_name": "modexp",
"sources": [ "modexp.cc" ],
"cflags!": [ "-fno-exceptions" ],
"cflags_cc!": [ "-fno-exceptions" ],
"include_dirs": ["<!@(node -p \"require('node-addon-api').include\")"],
"dependencies": ["<!(node -p \"require('node-addon-api').gyp\")"],
"defines": [ 'NAPI_DISABLE_CPP_EXCEPTIONS' ],
"conditions": [
[
'OS=="mac"', {
'include_dirs': [
'/usr/local/opt/openssl@1.1/include/',
],
'libraries': [
'/usr/local/opt/openssl@1.1/lib/libcrypto.a',
],
}
],
[
'OS=="linux"', {
'libraries': [
'-lcrypto'
],
}
],
[
'OS=="win"', {
'include_dirs': [
'<(module_root_dir)/openssl-1.1.1g-win64-mingw/include',
],
'libraries': [
'-l<(module_root_dir)/openssl-1.1.1g-win64-mingw/lib/libcrypto.dll.a'
],
}
],
],
}
]
}
| {'targets': [{'target_name': 'modexp_postbuild', 'dependencies': ['modexp'], 'conditions': [['OS=="win"', {'copies': [{'destination': '<(PRODUCT_DIR)', 'files': ['<(module_root_dir)/openssl-1.1.1g-win64-mingw/libcrypto-1_1-x64.dll']}]}]]}, {'target_name': 'modexp', 'sources': ['modexp.cc'], 'cflags!': ['-fno-exceptions'], 'cflags_cc!': ['-fno-exceptions'], 'include_dirs': ['<!@(node -p "require(\'node-addon-api\').include")'], 'dependencies': ['<!(node -p "require(\'node-addon-api\').gyp")'], 'defines': ['NAPI_DISABLE_CPP_EXCEPTIONS'], 'conditions': [['OS=="mac"', {'include_dirs': ['/usr/local/opt/openssl@1.1/include/'], 'libraries': ['/usr/local/opt/openssl@1.1/lib/libcrypto.a']}], ['OS=="linux"', {'libraries': ['-lcrypto']}], ['OS=="win"', {'include_dirs': ['<(module_root_dir)/openssl-1.1.1g-win64-mingw/include'], 'libraries': ['-l<(module_root_dir)/openssl-1.1.1g-win64-mingw/lib/libcrypto.dll.a']}]]}]} |
'''
| Write a program to input 3 sides of a triangle and prints whether it is an equilateral, isosceles or scale triangle |
|---------------------------------------------------------------------------------------------------------------------|
| Boolean comparision |
'''
n = input("Enter sides, seperated by commas[,] \n")
n = [int(i) for i in n.split(',')]
a,b,c = n
if a==b and b==c and c==a:
print("Equilateral")
elif a!=b and b!=c and c!=a:
print("Scalene")
else:
print("Isoceles") | """
| Write a program to input 3 sides of a triangle and prints whether it is an equilateral, isosceles or scale triangle |
|---------------------------------------------------------------------------------------------------------------------|
| Boolean comparision |
"""
n = input('Enter sides, seperated by commas[,] \n')
n = [int(i) for i in n.split(',')]
(a, b, c) = n
if a == b and b == c and (c == a):
print('Equilateral')
elif a != b and b != c and (c != a):
print('Scalene')
else:
print('Isoceles') |
print(dict([(1, "foo")]))
d = dict([("foo", "foo2"), ("bar", "baz")])
print(sorted(d.keys()))
print(sorted(d.values()))
try:
dict(((1,),))
except ValueError:
print("ValueError")
try:
dict(((1, 2, 3),))
except ValueError:
print("ValueError")
| print(dict([(1, 'foo')]))
d = dict([('foo', 'foo2'), ('bar', 'baz')])
print(sorted(d.keys()))
print(sorted(d.values()))
try:
dict(((1,),))
except ValueError:
print('ValueError')
try:
dict(((1, 2, 3),))
except ValueError:
print('ValueError') |
instructions = [
[[6, 6, 6, 6, 1, 1, 1, 1, 1, 6, 6, 6, 2, 2, 2, 2],
[6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 6, 6, 2, 2, 2, 2],
[6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 1, 6, 6, 2, 2, 2],
[6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 1, 1, 6, 6, 6, 2],
[6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 1, 6, 6, 6, 2],
[6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 1, 1, 6, 6, 6],
[6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 1, 6, 6, 6, 6],
[6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 6, 6, 6, 6, 6, 2],
[6, 6, 6, 6, 6, 6, 1, 1, 1, 6, 6, 1, 1, 1, 1, 6],
[6, 6, 6, 6, 1, 1, 1, 6, 6, 6, 1, 1, 6, 6, 6, 2],
[1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 6, 6, 6, 6],
[1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 6, 6, 6],
[1, 1, 1, 1, 1, 6, 6, 6, 1, 1, 1, 1, 1, 1, 6, 6],
[1, 6, 6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 1, 6],
[6, 6, 6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 1, 1],
[6, 6, 6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 1, 1]],
[[2, 2, 2, 2, 5, 5, 5, 5, 5, 4, 5, 11, 3, 3, 5, 3],
[2, 2, 2, 2, 5, 5, 5, 5, 5, 5, 11, 5, 3, 10, 3, 3],
[2, 2, 2, 2, 5, 5, 5, 5, 5, 11, 10, 5, 3, 2, 10, 3],
[2, 2, 2, 2, 5, 5, 5, 5, 5, 11, 10, 5, 3, 2, 2, 3],
[2, 2, 2, 2, 5, 5, 5, 5, 11, 11, 5, 5, 3, 2, 2, 10],
[6, 2, 2, 5, 5, 5, 5, 5, 11, 10, 5, 3, 3, 2, 2, 10],
[6, 2, 2, 5, 5, 5, 5, 5, 11, 10, 5, 3, 3, 2, 2, 3],
[2, 2, 6, 5, 5, 5, 5, 11, 11, 5, 5, 3, 3, 2, 2, 3],
[6, 2, 2, 2, 5, 6, 6, 11, 11, 10, 3, 3, 3, 2, 2, 4],
[2, 6, 6, 2, 2, 5, 5, 11, 11, 10, 9, 9, 9, 2, 11, 2],
[6, 6, 2, 2, 2, 5, 5, 11, 11, 10, 10, 5, 2, 2, 2, 11],
[6, 6, 2, 2, 2, 2, 5, 11, 11, 11, 10, 5, 2, 2, 2, 2],
[6, 6, 6, 2, 2, 2, 5, 5, 11, 11, 10, 10, 5, 2, 2, 2],
[6, 6, 2, 2, 2, 2, 2, 5, 11, 11, 11, 10, 10, 5, 2, 2],
[6, 6, 6, 2, 2, 2, 2, 5, 11, 11, 11, 11, 10, 10, 5, 2],
[1, 6, 6, 6, 2, 2, 2, 5, 11, 5, 4, 4, 7, 7, 4, 4]],
[[2, 2, 2, 11, 4, 3, 3, 10, 1, 1, 1, 1, 1, 1, 1, 1],
[3, 2, 2, 11, 4, 3, 3, 10, 1, 1, 1, 1, 1, 1, 12, 1],
[3, 2, 2, 2, 4, 3, 3, 11, 1, 1, 1, 1, 1, 1, 1, 1],
[3, 3, 2, 2, 2, 3, 3, 11, 1, 1, 1, 1, 1, 1, 1, 12],
[3, 3, 2, 2, 10, 2, 3, 11, 10, 1, 1, 12, 1, 12, 1, 1],
[3, 3, 2, 2, 10, 2, 3, 11, 10, 1, 1, 1, 1, 1, 1, 12],
[3, 3, 2, 2, 10, 2, 3, 5, 10, 1, 12, 1, 12, 1, 12, 12],
[3, 3, 3, 2, 10, 2, 3, 11, 10, 1, 1, 1, 1, 1, 12, 12],
[3, 3, 3, 2, 2, 2, 3, 11, 10, 1, 1, 12, 1, 12, 12, 1],
[3, 3, 3, 2, 7, 2, 2, 11, 10, 1, 1, 1, 12, 12, 12, 12],
[2, 4, 3, 2, 7, 2, 2, 11, 10, 1, 12, 12, 12, 12, 12, 12],
[11, 2, 4, 2, 7, 2, 2, 3, 10, 12, 1, 12, 12, 1, 12, 12],
[2, 11, 2, 4, 7, 7, 2, 11, 10, 12, 12, 12, 12, 12, 12, 12],
[2, 2, 11, 2, 7, 2, 4, 4, 4, 12, 12, 1, 12, 12, 12, 12],
[2, 2, 2, 11, 4, 2, 3, 3, 11, 10, 12, 12, 12, 12, 12, 12],
[5, 2, 2, 11, 4, 2, 3, 3, 3, 11, 12, 12, 12, 12, 12, 11]],
[[6, 6, 6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 1, 1],
[6, 6, 6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 1, 1],
[6, 6, 6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 1, 1],
[6, 6, 6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 1, 1],
[6, 6, 6, 6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 1],
[6, 6, 6, 6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 1],
[6, 6, 6, 6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 1],
[6, 6, 6, 6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 1],
[6, 6, 6, 6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 5],
[6, 6, 6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 5, 4],
[6, 6, 6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 2, 4, 2],
[6, 6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 6, 4, 6, 2],
[6, 6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 6, 2, 1, 6, 2],
[6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 2, 1, 6, 6, 2],
[6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 2, 4, 1, 1, 5, 2],
[6, 6, 6, 6, 6, 6, 1, 1, 1, 2, 3, 1, 1, 1, 12, 5]],
[[1, 1, 6, 6, 2, 6, 2, 5, 4, 3, 4, 5, 5, 5, 5, 5],
[1, 1, 1, 6, 6, 6, 4, 7, 1, 1, 1, 1, 1, 1, 6, 2],
[1, 1, 1, 6, 6, 4, 5, 1, 1, 12, 12, 11, 1, 1, 6, 3],
[1, 1, 1, 6, 5, 4, 1, 1, 11, 11, 10, 10, 11, 1, 6, 6],
[1, 1, 6, 5, 4, 1, 1, 12, 9, 10, 10, 11, 11, 1, 6, 6],
[1, 1, 5, 4, 1, 1, 12, 12, 11, 10, 9, 7, 10, 1, 6, 6],
[1, 5, 4, 6, 1, 1, 12, 12, 12, 11, 10, 7, 10, 1, 6, 6],
[5, 4, 6, 6, 6, 1, 1, 1, 12, 12, 11, 11, 11, 1, 6, 6],
[4, 1, 11, 6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 1, 1, 6],
[2, 1, 1, 11, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 1, 6],
[2, 1, 2, 1, 11, 6, 5, 5, 6, 6, 6, 6, 6, 6, 6, 1],
[2, 1, 2, 1, 1, 1, 11, 11, 5, 5, 5, 5, 5, 5, 6, 6],
[3, 1, 2, 1, 3, 1, 1, 11, 11, 9, 9, 9, 5, 5, 6, 6],
[2, 1, 3, 1, 3, 1, 1, 12, 10, 10, 10, 10, 1, 1, 1, 6],
[2, 2, 2, 1, 3, 1, 2, 11, 10, 3, 1, 3, 2, 1, 2, 1],
[2, 2, 3, 1, 3, 1, 2, 11, 10, 3, 1, 3, 2, 1, 2, 2]],
[[4, 4, 4, 11, 11, 4, 2, 3, 3, 3, 11, 12, 12, 12, 12, 1],
[2, 4, 4, 4, 11, 4, 2, 2, 3, 3, 3, 12, 11, 12, 11, 12],
[6, 2, 2, 4, 4, 4, 4, 4, 4, 4, 4, 10, 12, 12, 12, 11],
[5, 6, 2, 2, 2, 4, 1, 1, 1, 1, 1, 10, 12, 11, 12, 12],
[2, 3, 7, 7, 1, 1, 12, 12, 2, 1, 1, 4, 12, 12, 12, 12],
[2, 3, 3, 1, 1, 10, 11, 10, 2, 1, 6, 12, 12, 12, 12, 12],
[2, 2, 2, 1, 10, 10, 10, 4, 1, 1, 6, 12, 12, 11, 12, 11],
[2, 3, 4, 1, 10, 9, 10, 7, 1, 1, 10, 12, 12, 12, 12, 11],
[2, 3, 2, 1, 11, 10, 11, 1, 1, 6, 12, 12, 12, 12, 11, 11],
[6, 2, 3, 1, 11, 11, 4, 1, 1, 2, 12, 12, 12, 12, 11, 11],
[6, 2, 3, 6, 1, 12, 1, 1, 1, 10, 12, 12, 12, 12, 11, 10],
[1, 6, 11, 4, 6, 1, 1, 1, 1, 12, 12, 12, 12, 11, 11, 10],
[6, 1, 11, 11, 2, 6, 1, 1, 2, 12, 12, 11, 12, 11, 11, 10],
[6, 1, 6, 11, 4, 2, 9, 1, 4, 12, 12, 12, 11, 11, 10, 10],
[6, 6, 1, 11, 11, 4, 10, 10, 12, 12, 12, 12, 11, 11, 10, 10],
[1, 6, 6, 4, 4, 4, 2, 10, 12, 12, 12, 11, 11, 10, 10, 8]],
[[6, 6, 6, 6, 6, 1, 1, 1, 2, 5, 1, 1, 1, 1, 1, 12],
[6, 6, 6, 6, 6, 1, 1, 1, 5, 3, 1, 1, 1, 1, 1, 1],
[6, 6, 6, 6, 1, 1, 1, 2, 3, 1, 1, 1, 6, 1, 1, 1],
[6, 6, 6, 6, 1, 1, 2, 5, 12, 1, 1, 6, 6, 6, 1, 1],
[3, 3, 3, 11, 3, 11, 11, 3, 1, 1, 1, 1, 6, 6, 6, 6],
[1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 6, 6],
[1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1],
[1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 12, 2, 2, 1],
[1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 2, 6, 12],
[1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 2, 6, 6, 2, 6],
[1, 1, 1, 1, 1, 1, 11, 1, 1, 1, 12, 6, 6, 2, 2, 12],
[12, 1, 1, 1, 1, 1, 1, 1, 11, 12, 6, 6, 2, 12, 6, 1],
[12, 12, 12, 1, 1, 1, 1, 11, 11, 11, 12, 2, 6, 12, 1, 1],
[1, 12, 2, 12, 6, 6, 1, 12, 11, 10, 12, 6, 2, 1, 1, 1],
[1, 1, 12, 2, 6, 6, 2, 1, 1, 10, 10, 11, 12, 1, 1, 1],
[1, 1, 1, 12, 2, 2, 6, 12, 1, 12, 11, 10, 12, 1, 1, 1]],
[[5, 2, 2, 2, 2, 1, 2, 11, 10, 3, 1, 1, 1, 1, 1, 2],
[5, 5, 2, 2, 2, 1, 3, 11, 10, 1, 1, 6, 6, 6, 1, 1],
[1, 5, 5, 2, 2, 2, 2, 11, 1, 6, 6, 6, 6, 6, 6, 1],
[1, 1, 5, 4, 2, 2, 2, 1, 6, 6, 6, 6, 6, 6, 1, 5],
[1, 1, 12, 5, 1, 2, 1, 6, 6, 6, 6, 6, 6, 1, 5, 4],
[6, 6, 1, 12, 5, 1, 6, 6, 6, 6, 6, 6, 1, 5, 4, 1],
[2, 6, 5, 1, 12, 5, 1, 6, 6, 6, 6, 1, 5, 10, 1, 1],
[1, 6, 2, 5, 1, 2, 11, 1, 6, 6, 1, 5, 10, 1, 6, 1],
[6, 1, 2, 2, 2, 6, 1, 11, 1, 1, 5, 11, 1, 6, 3, 2],
[6, 11, 1, 1, 5, 12, 6, 12, 10, 5, 11, 1, 6, 6, 10, 2],
[1, 1, 1, 1, 1, 1, 6, 6, 6, 10, 4, 12, 4, 5, 7, 5],
[1, 1, 1, 1, 1, 1, 1, 5, 6, 3, 4, 4, 5, 5, 5, 5],
[1, 1, 1, 1, 1, 1, 1, 1, 1, 3, 3, 4, 2, 2, 2, 2],
[1, 1, 1, 5, 5, 3, 2, 2, 2, 1, 10, 4, 1, 1, 1, 1],
[1, 1, 5, 3, 2, 1, 1, 1, 1, 1, 1, 12, 12, 12, 12, 12],
[1, 3, 3, 2, 12, 12, 12, 12, 12, 12, 12, 12, 12, 12, 12, 12]],
[[1, 6, 4, 2, 2, 4, 2, 4, 12, 11, 12, 11, 11, 10, 10, 8],
[1, 4, 2, 7, 2, 4, 2, 12, 12, 12, 11, 11, 10, 10, 8, 8],
[6, 4, 7, 7, 2, 4, 1, 12, 12, 12, 11, 11, 10, 10, 8, 8],
[4, 4, 4, 4, 4, 6, 4, 11, 122, 11, 11, 10, 10, 8, 8, 7],
[1, 1, 1, 1, 1, 10, 12, 12, 12, 11, 11, 10, 10, 8, 8, 7],
[6, 1, 5, 6, 1, 10, 12, 11, 12, 11, 11, 10, 8, 8, 7, 7],
[5, 1, 5, 6, 1, 10, 12, 12, 11, 11, 10, 10, 8, 8, 7, 7],
[5, 2, 3, 6, 1, 10, 12, 12, 11, 11, 10, 10, 8, 7, 7, 7],
[10, 2, 10, 6, 1, 4, 12, 11, 11, 10, 10, 8, 8, 7, 7, 7],
[10, 2, 10, 6, 1, 4, 12, 11, 11, 10, 10, 8, 8, 7, 7, 7],
[7, 7, 7, 7, 11, 5, 4, 11, 11, 10, 10, 8, 8, 7, 7, 7],
[5, 5, 5, 5, 5, 5, 4, 11, 10, 10, 8, 8, 7, 7, 7, 7],
[2, 2, 2, 2, 3, 3, 3, 4, 10, 10, 8, 8, 7, 7, 7, 7],
[1, 1, 1, 1, 1, 1, 3, 4, 10, 8, 8, 0, 0, 0, 0, 7],
[12, 12, 11, 12, 11, 11, 10, 10, 10, 8, 8, 0, 0, 0, 0, 7],
[12, 12, 12, 11, 11, 11, 10, 10, 8, 8, 7, 7, 7, 7, 7, 7]]
]
print("Checking...")
valid = True
if len(instructions) != 9:
print(str() + " plates")
valid = False
for plate in instructions:
if len(plate) != 16:
print(str(len(plate)) + " lines")
valid = False
for line in plate:
if len(line) != 16:
print(str(len(line)) + " columns")
print(line)
valid = False
if not valid:
print("Invalid Shape")
else:
print("Shape Correct")
cleaned = []
for row in range(16):
cleaned.extend(instructions[0][row])
cleaned.extend(instructions[1][row])
cleaned.extend(instructions[2][row])
for row in range(16):
cleaned.extend(instructions[3][row])
cleaned.extend(instructions[4][row])
cleaned.extend(instructions[5][row])
for row in range(16):
cleaned.extend(instructions[6][row])
cleaned.extend(instructions[7][row])
cleaned.extend(instructions[8][row])
out_file = open("image2.script", 'w')
out_file.write("global pixels = " + str(cleaned) + "\n")
out_file.close()
print("Done")
| instructions = [[[6, 6, 6, 6, 1, 1, 1, 1, 1, 6, 6, 6, 2, 2, 2, 2], [6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 6, 6, 2, 2, 2, 2], [6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 1, 6, 6, 2, 2, 2], [6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 1, 1, 6, 6, 6, 2], [6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 1, 6, 6, 6, 2], [6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 1, 1, 6, 6, 6], [6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 1, 6, 6, 6, 6], [6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 6, 6, 6, 6, 6, 2], [6, 6, 6, 6, 6, 6, 1, 1, 1, 6, 6, 1, 1, 1, 1, 6], [6, 6, 6, 6, 1, 1, 1, 6, 6, 6, 1, 1, 6, 6, 6, 2], [1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 6, 6, 6, 6], [1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 6, 6, 6], [1, 1, 1, 1, 1, 6, 6, 6, 1, 1, 1, 1, 1, 1, 6, 6], [1, 6, 6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 1, 6], [6, 6, 6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 1, 1], [6, 6, 6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 1, 1]], [[2, 2, 2, 2, 5, 5, 5, 5, 5, 4, 5, 11, 3, 3, 5, 3], [2, 2, 2, 2, 5, 5, 5, 5, 5, 5, 11, 5, 3, 10, 3, 3], [2, 2, 2, 2, 5, 5, 5, 5, 5, 11, 10, 5, 3, 2, 10, 3], [2, 2, 2, 2, 5, 5, 5, 5, 5, 11, 10, 5, 3, 2, 2, 3], [2, 2, 2, 2, 5, 5, 5, 5, 11, 11, 5, 5, 3, 2, 2, 10], [6, 2, 2, 5, 5, 5, 5, 5, 11, 10, 5, 3, 3, 2, 2, 10], [6, 2, 2, 5, 5, 5, 5, 5, 11, 10, 5, 3, 3, 2, 2, 3], [2, 2, 6, 5, 5, 5, 5, 11, 11, 5, 5, 3, 3, 2, 2, 3], [6, 2, 2, 2, 5, 6, 6, 11, 11, 10, 3, 3, 3, 2, 2, 4], [2, 6, 6, 2, 2, 5, 5, 11, 11, 10, 9, 9, 9, 2, 11, 2], [6, 6, 2, 2, 2, 5, 5, 11, 11, 10, 10, 5, 2, 2, 2, 11], [6, 6, 2, 2, 2, 2, 5, 11, 11, 11, 10, 5, 2, 2, 2, 2], [6, 6, 6, 2, 2, 2, 5, 5, 11, 11, 10, 10, 5, 2, 2, 2], [6, 6, 2, 2, 2, 2, 2, 5, 11, 11, 11, 10, 10, 5, 2, 2], [6, 6, 6, 2, 2, 2, 2, 5, 11, 11, 11, 11, 10, 10, 5, 2], [1, 6, 6, 6, 2, 2, 2, 5, 11, 5, 4, 4, 7, 7, 4, 4]], [[2, 2, 2, 11, 4, 3, 3, 10, 1, 1, 1, 1, 1, 1, 1, 1], [3, 2, 2, 11, 4, 3, 3, 10, 1, 1, 1, 1, 1, 1, 12, 1], [3, 2, 2, 2, 4, 3, 3, 11, 1, 1, 1, 1, 1, 1, 1, 1], [3, 3, 2, 2, 2, 3, 3, 11, 1, 1, 1, 1, 1, 1, 1, 12], [3, 3, 2, 2, 10, 2, 3, 11, 10, 1, 1, 12, 1, 12, 1, 1], [3, 3, 2, 2, 10, 2, 3, 11, 10, 1, 1, 1, 1, 1, 1, 12], [3, 3, 2, 2, 10, 2, 3, 5, 10, 1, 12, 1, 12, 1, 12, 12], [3, 3, 3, 2, 10, 2, 3, 11, 10, 1, 1, 1, 1, 1, 12, 12], [3, 3, 3, 2, 2, 2, 3, 11, 10, 1, 1, 12, 1, 12, 12, 1], [3, 3, 3, 2, 7, 2, 2, 11, 10, 1, 1, 1, 12, 12, 12, 12], [2, 4, 3, 2, 7, 2, 2, 11, 10, 1, 12, 12, 12, 12, 12, 12], [11, 2, 4, 2, 7, 2, 2, 3, 10, 12, 1, 12, 12, 1, 12, 12], [2, 11, 2, 4, 7, 7, 2, 11, 10, 12, 12, 12, 12, 12, 12, 12], [2, 2, 11, 2, 7, 2, 4, 4, 4, 12, 12, 1, 12, 12, 12, 12], [2, 2, 2, 11, 4, 2, 3, 3, 11, 10, 12, 12, 12, 12, 12, 12], [5, 2, 2, 11, 4, 2, 3, 3, 3, 11, 12, 12, 12, 12, 12, 11]], [[6, 6, 6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 1, 1], [6, 6, 6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 1, 1], [6, 6, 6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 1, 1], [6, 6, 6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 1, 1], [6, 6, 6, 6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 1], [6, 6, 6, 6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 1], [6, 6, 6, 6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 1], [6, 6, 6, 6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 1], [6, 6, 6, 6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 5], [6, 6, 6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 5, 4], [6, 6, 6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 2, 4, 2], [6, 6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 6, 4, 6, 2], [6, 6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 6, 2, 1, 6, 2], [6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 1, 2, 1, 6, 6, 2], [6, 6, 6, 6, 6, 6, 1, 1, 1, 1, 2, 4, 1, 1, 5, 2], [6, 6, 6, 6, 6, 6, 1, 1, 1, 2, 3, 1, 1, 1, 12, 5]], [[1, 1, 6, 6, 2, 6, 2, 5, 4, 3, 4, 5, 5, 5, 5, 5], [1, 1, 1, 6, 6, 6, 4, 7, 1, 1, 1, 1, 1, 1, 6, 2], [1, 1, 1, 6, 6, 4, 5, 1, 1, 12, 12, 11, 1, 1, 6, 3], [1, 1, 1, 6, 5, 4, 1, 1, 11, 11, 10, 10, 11, 1, 6, 6], [1, 1, 6, 5, 4, 1, 1, 12, 9, 10, 10, 11, 11, 1, 6, 6], [1, 1, 5, 4, 1, 1, 12, 12, 11, 10, 9, 7, 10, 1, 6, 6], [1, 5, 4, 6, 1, 1, 12, 12, 12, 11, 10, 7, 10, 1, 6, 6], [5, 4, 6, 6, 6, 1, 1, 1, 12, 12, 11, 11, 11, 1, 6, 6], [4, 1, 11, 6, 6, 6, 6, 1, 1, 1, 1, 1, 1, 1, 1, 6], [2, 1, 1, 11, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 1, 6], [2, 1, 2, 1, 11, 6, 5, 5, 6, 6, 6, 6, 6, 6, 6, 1], [2, 1, 2, 1, 1, 1, 11, 11, 5, 5, 5, 5, 5, 5, 6, 6], [3, 1, 2, 1, 3, 1, 1, 11, 11, 9, 9, 9, 5, 5, 6, 6], [2, 1, 3, 1, 3, 1, 1, 12, 10, 10, 10, 10, 1, 1, 1, 6], [2, 2, 2, 1, 3, 1, 2, 11, 10, 3, 1, 3, 2, 1, 2, 1], [2, 2, 3, 1, 3, 1, 2, 11, 10, 3, 1, 3, 2, 1, 2, 2]], [[4, 4, 4, 11, 11, 4, 2, 3, 3, 3, 11, 12, 12, 12, 12, 1], [2, 4, 4, 4, 11, 4, 2, 2, 3, 3, 3, 12, 11, 12, 11, 12], [6, 2, 2, 4, 4, 4, 4, 4, 4, 4, 4, 10, 12, 12, 12, 11], [5, 6, 2, 2, 2, 4, 1, 1, 1, 1, 1, 10, 12, 11, 12, 12], [2, 3, 7, 7, 1, 1, 12, 12, 2, 1, 1, 4, 12, 12, 12, 12], [2, 3, 3, 1, 1, 10, 11, 10, 2, 1, 6, 12, 12, 12, 12, 12], [2, 2, 2, 1, 10, 10, 10, 4, 1, 1, 6, 12, 12, 11, 12, 11], [2, 3, 4, 1, 10, 9, 10, 7, 1, 1, 10, 12, 12, 12, 12, 11], [2, 3, 2, 1, 11, 10, 11, 1, 1, 6, 12, 12, 12, 12, 11, 11], [6, 2, 3, 1, 11, 11, 4, 1, 1, 2, 12, 12, 12, 12, 11, 11], [6, 2, 3, 6, 1, 12, 1, 1, 1, 10, 12, 12, 12, 12, 11, 10], [1, 6, 11, 4, 6, 1, 1, 1, 1, 12, 12, 12, 12, 11, 11, 10], [6, 1, 11, 11, 2, 6, 1, 1, 2, 12, 12, 11, 12, 11, 11, 10], [6, 1, 6, 11, 4, 2, 9, 1, 4, 12, 12, 12, 11, 11, 10, 10], [6, 6, 1, 11, 11, 4, 10, 10, 12, 12, 12, 12, 11, 11, 10, 10], [1, 6, 6, 4, 4, 4, 2, 10, 12, 12, 12, 11, 11, 10, 10, 8]], [[6, 6, 6, 6, 6, 1, 1, 1, 2, 5, 1, 1, 1, 1, 1, 12], [6, 6, 6, 6, 6, 1, 1, 1, 5, 3, 1, 1, 1, 1, 1, 1], [6, 6, 6, 6, 1, 1, 1, 2, 3, 1, 1, 1, 6, 1, 1, 1], [6, 6, 6, 6, 1, 1, 2, 5, 12, 1, 1, 6, 6, 6, 1, 1], [3, 3, 3, 11, 3, 11, 11, 3, 1, 1, 1, 1, 6, 6, 6, 6], [1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 6, 6], [1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1], [1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 12, 2, 2, 1], [1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 2, 6, 12], [1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 2, 6, 6, 2, 6], [1, 1, 1, 1, 1, 1, 11, 1, 1, 1, 12, 6, 6, 2, 2, 12], [12, 1, 1, 1, 1, 1, 1, 1, 11, 12, 6, 6, 2, 12, 6, 1], [12, 12, 12, 1, 1, 1, 1, 11, 11, 11, 12, 2, 6, 12, 1, 1], [1, 12, 2, 12, 6, 6, 1, 12, 11, 10, 12, 6, 2, 1, 1, 1], [1, 1, 12, 2, 6, 6, 2, 1, 1, 10, 10, 11, 12, 1, 1, 1], [1, 1, 1, 12, 2, 2, 6, 12, 1, 12, 11, 10, 12, 1, 1, 1]], [[5, 2, 2, 2, 2, 1, 2, 11, 10, 3, 1, 1, 1, 1, 1, 2], [5, 5, 2, 2, 2, 1, 3, 11, 10, 1, 1, 6, 6, 6, 1, 1], [1, 5, 5, 2, 2, 2, 2, 11, 1, 6, 6, 6, 6, 6, 6, 1], [1, 1, 5, 4, 2, 2, 2, 1, 6, 6, 6, 6, 6, 6, 1, 5], [1, 1, 12, 5, 1, 2, 1, 6, 6, 6, 6, 6, 6, 1, 5, 4], [6, 6, 1, 12, 5, 1, 6, 6, 6, 6, 6, 6, 1, 5, 4, 1], [2, 6, 5, 1, 12, 5, 1, 6, 6, 6, 6, 1, 5, 10, 1, 1], [1, 6, 2, 5, 1, 2, 11, 1, 6, 6, 1, 5, 10, 1, 6, 1], [6, 1, 2, 2, 2, 6, 1, 11, 1, 1, 5, 11, 1, 6, 3, 2], [6, 11, 1, 1, 5, 12, 6, 12, 10, 5, 11, 1, 6, 6, 10, 2], [1, 1, 1, 1, 1, 1, 6, 6, 6, 10, 4, 12, 4, 5, 7, 5], [1, 1, 1, 1, 1, 1, 1, 5, 6, 3, 4, 4, 5, 5, 5, 5], [1, 1, 1, 1, 1, 1, 1, 1, 1, 3, 3, 4, 2, 2, 2, 2], [1, 1, 1, 5, 5, 3, 2, 2, 2, 1, 10, 4, 1, 1, 1, 1], [1, 1, 5, 3, 2, 1, 1, 1, 1, 1, 1, 12, 12, 12, 12, 12], [1, 3, 3, 2, 12, 12, 12, 12, 12, 12, 12, 12, 12, 12, 12, 12]], [[1, 6, 4, 2, 2, 4, 2, 4, 12, 11, 12, 11, 11, 10, 10, 8], [1, 4, 2, 7, 2, 4, 2, 12, 12, 12, 11, 11, 10, 10, 8, 8], [6, 4, 7, 7, 2, 4, 1, 12, 12, 12, 11, 11, 10, 10, 8, 8], [4, 4, 4, 4, 4, 6, 4, 11, 122, 11, 11, 10, 10, 8, 8, 7], [1, 1, 1, 1, 1, 10, 12, 12, 12, 11, 11, 10, 10, 8, 8, 7], [6, 1, 5, 6, 1, 10, 12, 11, 12, 11, 11, 10, 8, 8, 7, 7], [5, 1, 5, 6, 1, 10, 12, 12, 11, 11, 10, 10, 8, 8, 7, 7], [5, 2, 3, 6, 1, 10, 12, 12, 11, 11, 10, 10, 8, 7, 7, 7], [10, 2, 10, 6, 1, 4, 12, 11, 11, 10, 10, 8, 8, 7, 7, 7], [10, 2, 10, 6, 1, 4, 12, 11, 11, 10, 10, 8, 8, 7, 7, 7], [7, 7, 7, 7, 11, 5, 4, 11, 11, 10, 10, 8, 8, 7, 7, 7], [5, 5, 5, 5, 5, 5, 4, 11, 10, 10, 8, 8, 7, 7, 7, 7], [2, 2, 2, 2, 3, 3, 3, 4, 10, 10, 8, 8, 7, 7, 7, 7], [1, 1, 1, 1, 1, 1, 3, 4, 10, 8, 8, 0, 0, 0, 0, 7], [12, 12, 11, 12, 11, 11, 10, 10, 10, 8, 8, 0, 0, 0, 0, 7], [12, 12, 12, 11, 11, 11, 10, 10, 8, 8, 7, 7, 7, 7, 7, 7]]]
print('Checking...')
valid = True
if len(instructions) != 9:
print(str() + ' plates')
valid = False
for plate in instructions:
if len(plate) != 16:
print(str(len(plate)) + ' lines')
valid = False
for line in plate:
if len(line) != 16:
print(str(len(line)) + ' columns')
print(line)
valid = False
if not valid:
print('Invalid Shape')
else:
print('Shape Correct')
cleaned = []
for row in range(16):
cleaned.extend(instructions[0][row])
cleaned.extend(instructions[1][row])
cleaned.extend(instructions[2][row])
for row in range(16):
cleaned.extend(instructions[3][row])
cleaned.extend(instructions[4][row])
cleaned.extend(instructions[5][row])
for row in range(16):
cleaned.extend(instructions[6][row])
cleaned.extend(instructions[7][row])
cleaned.extend(instructions[8][row])
out_file = open('image2.script', 'w')
out_file.write('global pixels = ' + str(cleaned) + '\n')
out_file.close()
print('Done') |
'''CORES NO TERMINAL using the standard ANSI >>> Example "/033[0:30:40m"
STYLE:
0 = None;
1 = Bold;
4 = Underline;
7 = Negative.
TEXT COLOR:
30 = White;
31 = Red;
32 = Green;
33 = Yellow;
34 = Blue;
35 = Purple;
36 = Agua;
37 = Gray.
BACK COLOR:
40 = White;
41 = Red;
42 = Green;
43 = Yellow;
44 = Blue;
45 = Purple;
46 = Agua;
47 = Gray.
'''
def style_none(msg='', f=0):
if f == 1:
print(f'\033[m', end='')
else:
return f'\033[m{msg}\033[m'
def style_bold(msg='', f=0):
if f == 1:
print(f'\033[1m', end='')
else:
return f'\033[1m{msg}\033[m'
def style_underline(msg='', f=0):
if f == 1:
print(f'\033[4m', end='')
else:
return f'\033[4m{msg}\033[m'
def style_negative(msg='', f=0):
if f == 1:
print(f'\033[7m', end='')
else:
return f'\033[7m{msg}\033[m'
def txt_white(msg='', f=0):
if f == 1:
print(f'\033[30m', end='')
else:
return f'\033[30m{msg}\033[m'
def txt_red(msg='', f=0):
if f == 1:
print(f'\033[31m', end='')
else:
return f'\033[31m{msg}\033[m'
def txt_green(msg='', f=0):
if f == 1:
print(f'\033[32m', end='')
else:
return f'\033[32m{msg}\033[m'
def txt_yellow(msg='', f=0):
if f == 1:
print(f'\033[33m', end='')
else:
return f'\033[33m{msg}\033[m'
def txt_blue(msg='', f=0):
if f == 1:
print(f'\033[34m', end='')
else:
return f'\033[34m{msg}\033[m'
def txt_purple(msg='', f=0):
if f == 1:
print(f'\033[35m', end='')
else:
return f'\033[35m{msg}\033[m'
def txt_aqua(msg='', f=0):
if f == 1:
print(f'\033[36m', end='')
else:
return f'\033[36m{msg}\033[m'
def txt_gray(msg='', f=0):
if f == 1:
print(f'\033[37m', end='')
else:
return f'\033[37m{msg}\033[m'
def back_white(msg='', f=0):
if f == 1:
print(f'\033[40m', end='')
else:
return f'\033[40m {msg} \033[m'
def back_red(msg='', f=0):
if f == 1:
print(f'\033[41m', end='')
else:
return f'\033[41m {msg} \033[m'
def back_green(msg='', f=0):
if f == 1:
print(f'\033[42m', end='')
else:
return f'\033[42m {msg} \033[m'
def back_yellow(msg='', f=0):
if f == 1:
print(f'\033[43m', end='')
else:
return f'\033[43m {msg} \033[m'
def back_blue(msg='', f=0):
if f == 1:
print(f'\033[44m', end='')
else:
return f'\033[44m {msg} \033[m'
def back_purple(msg='', f=0):
if f == 1:
print(f'\033[45m', end='')
else:
return f'\033[45m {msg} \033[m'
def back_aqua(msg='', f=0):
if f == 1:
print(f'\033[46m', end='')
else:
return f'\033[46m {msg} \033[m'
def back_gray(msg='', f=0):
if f == 1:
print(f'\033[47m', end='')
else:
return f'\033[47m {msg} \033[m'
| """CORES NO TERMINAL using the standard ANSI >>> Example "/033[0:30:40m"
STYLE:
0 = None;
1 = Bold;
4 = Underline;
7 = Negative.
TEXT COLOR:
30 = White;
31 = Red;
32 = Green;
33 = Yellow;
34 = Blue;
35 = Purple;
36 = Agua;
37 = Gray.
BACK COLOR:
40 = White;
41 = Red;
42 = Green;
43 = Yellow;
44 = Blue;
45 = Purple;
46 = Agua;
47 = Gray.
"""
def style_none(msg='', f=0):
if f == 1:
print(f'\x1b[m', end='')
else:
return f'\x1b[m{msg}\x1b[m'
def style_bold(msg='', f=0):
if f == 1:
print(f'\x1b[1m', end='')
else:
return f'\x1b[1m{msg}\x1b[m'
def style_underline(msg='', f=0):
if f == 1:
print(f'\x1b[4m', end='')
else:
return f'\x1b[4m{msg}\x1b[m'
def style_negative(msg='', f=0):
if f == 1:
print(f'\x1b[7m', end='')
else:
return f'\x1b[7m{msg}\x1b[m'
def txt_white(msg='', f=0):
if f == 1:
print(f'\x1b[30m', end='')
else:
return f'\x1b[30m{msg}\x1b[m'
def txt_red(msg='', f=0):
if f == 1:
print(f'\x1b[31m', end='')
else:
return f'\x1b[31m{msg}\x1b[m'
def txt_green(msg='', f=0):
if f == 1:
print(f'\x1b[32m', end='')
else:
return f'\x1b[32m{msg}\x1b[m'
def txt_yellow(msg='', f=0):
if f == 1:
print(f'\x1b[33m', end='')
else:
return f'\x1b[33m{msg}\x1b[m'
def txt_blue(msg='', f=0):
if f == 1:
print(f'\x1b[34m', end='')
else:
return f'\x1b[34m{msg}\x1b[m'
def txt_purple(msg='', f=0):
if f == 1:
print(f'\x1b[35m', end='')
else:
return f'\x1b[35m{msg}\x1b[m'
def txt_aqua(msg='', f=0):
if f == 1:
print(f'\x1b[36m', end='')
else:
return f'\x1b[36m{msg}\x1b[m'
def txt_gray(msg='', f=0):
if f == 1:
print(f'\x1b[37m', end='')
else:
return f'\x1b[37m{msg}\x1b[m'
def back_white(msg='', f=0):
if f == 1:
print(f'\x1b[40m', end='')
else:
return f'\x1b[40m {msg} \x1b[m'
def back_red(msg='', f=0):
if f == 1:
print(f'\x1b[41m', end='')
else:
return f'\x1b[41m {msg} \x1b[m'
def back_green(msg='', f=0):
if f == 1:
print(f'\x1b[42m', end='')
else:
return f'\x1b[42m {msg} \x1b[m'
def back_yellow(msg='', f=0):
if f == 1:
print(f'\x1b[43m', end='')
else:
return f'\x1b[43m {msg} \x1b[m'
def back_blue(msg='', f=0):
if f == 1:
print(f'\x1b[44m', end='')
else:
return f'\x1b[44m {msg} \x1b[m'
def back_purple(msg='', f=0):
if f == 1:
print(f'\x1b[45m', end='')
else:
return f'\x1b[45m {msg} \x1b[m'
def back_aqua(msg='', f=0):
if f == 1:
print(f'\x1b[46m', end='')
else:
return f'\x1b[46m {msg} \x1b[m'
def back_gray(msg='', f=0):
if f == 1:
print(f'\x1b[47m', end='')
else:
return f'\x1b[47m {msg} \x1b[m' |
description = 'presets for the detector position'
group = 'configdata'
# Assigns presets for the detector z position and x/y displacement of the
# beamstop for each selector preset.
#
# When you add a new detector z position, make sure to add a real offset as
# well in the DETECTOR_OFFSETS table below.
FIXED_X = 0.0
FIXED_X_TILT = 16.0
FIXED_Y = 520.0
DETECTOR_PRESETS = {
'2.9A tilt': {
'1.5m': dict(z=1.5, x=FIXED_X, y=FIXED_Y),
'1.5m DB': dict(z=1.5, x=FIXED_X, y=500.0),
'2m': dict(z=2, x=FIXED_X, y=FIXED_Y),
'4m': dict(z=4, x=FIXED_X, y=FIXED_Y),
'8m': dict(z=8, x=FIXED_X, y=FIXED_Y),
},
'4.66A': {
'1.5m': dict(z=1.5, x=FIXED_X, y=FIXED_Y),
'1.5m DB': dict(z=1.5, x=FIXED_X, y=500.0),
'2m': dict(z=2, x=FIXED_X, y=FIXED_Y),
'4m': dict(z=4, x=FIXED_X, y=FIXED_Y),
'8m DB': dict(z=8, x=FIXED_X, y=500.0),
'8m': dict(z=8, x=FIXED_X, y=FIXED_Y),
'14m': dict(z=14, x=FIXED_X, y=FIXED_Y),
'20m': dict(z=19.9, x=FIXED_X, y=FIXED_Y),
},
'5A': {
'1.5m': dict(z=1.5, x=FIXED_X, y=FIXED_Y),
'1.5m DB': dict(z=1.5, x=FIXED_X, y=620.0),
'2m': dict(z=2, x=FIXED_X, y=FIXED_Y),
'4m': dict(z=4, x=FIXED_X, y=FIXED_Y),
'6m': dict(z=6, x=FIXED_X, y=FIXED_Y),
'8m': dict(z=8, x=FIXED_X, y=FIXED_Y),
'8m DB': dict(z=8, x=FIXED_X, y=620.0),
'20m': dict(z=19.9, x=FIXED_X, y=FIXED_Y),
'20m DB': dict(z=19.9, x=FIXED_X, y=620.0),
},
'5A tilt': {
'1.5m': dict(z=1.5, x=FIXED_X_TILT, y=FIXED_Y),
'2m': dict(z=2, x=FIXED_X_TILT, y=FIXED_Y),
'2m DB': dict(z=2, x=FIXED_X_TILT, y=500.0),
'4m': dict(z=4, x=FIXED_X_TILT, y=FIXED_Y),
'6m': dict(z=6, x=FIXED_X_TILT, y=FIXED_Y),
'8m': dict(z=8, x=FIXED_X_TILT, y=FIXED_Y),
'8m DB': dict(z=8, x=FIXED_X_TILT, y=500.0),
'20m': dict(z=19.9, x=FIXED_X_TILT, y=FIXED_Y),
},
'7A': {
'1.5m': dict(z=1.5, x=FIXED_X, y=FIXED_Y),
'1.5m DB': dict(z=1.5, x=FIXED_X, y=500.0),
'2m': dict(z=2, x=FIXED_X, y=FIXED_Y),
'4m': dict(z=4, x=FIXED_X, y=FIXED_Y),
'8m': dict(z=8, x=FIXED_X, y=FIXED_Y),
'8m DB': dict(z=8, x=FIXED_X, y=300.0),
'20m DB': dict(z=19.9, x=FIXED_X, y=300.0),
'20m': dict(z=19.9, x=FIXED_X, y=FIXED_Y),
},
'7A tilt': {
'1.5m': dict(z=1.5, x=FIXED_X_TILT, y=FIXED_Y),
'1.5m DB': dict(z=1.5, x=FIXED_X_TILT, y=500.0),
'2m': dict(z=2, x=FIXED_X_TILT, y=FIXED_Y),
'2m DB': dict(z=2, x=FIXED_X_TILT, y=500.0),
'4m': dict(z=4, x=FIXED_X_TILT, y=FIXED_Y),
'8m': dict(z=8, x=FIXED_X_TILT, y=FIXED_Y),
'8m DB': dict(z=8, x=FIXED_X_TILT, y=500.0),
'20m': dict(z=19.9, x=FIXED_X_TILT, y=FIXED_Y),
},
'10A': {
'1.5m': dict(z=1.5, x=FIXED_X, y=FIXED_Y),
'1.5m DB': dict(z=1.5, x=FIXED_X, y=500.0),
'2m': dict(z=2, x=FIXED_X, y=FIXED_Y),
'4m': dict(z=4, x=FIXED_X, y=FIXED_Y),
'8m': dict(z=8, x=FIXED_X, y=FIXED_Y),
'8m DB': dict(z=8, x=FIXED_X, y=620.0),
'20m': dict(z=19.9, x=FIXED_X, y=FIXED_Y),
'20m DB': dict(z=19.9, x=FIXED_X, y=300.0),
},
'19A': {
'2m': dict(z=2, x=FIXED_X, y=FIXED_Y),
'8m': dict(z=8, x=FIXED_X, y=FIXED_Y),
'20m': dict(z=19.9, x=FIXED_X, y=FIXED_Y),
},
}
SMALL_DET_POSITION = 17.0
# This offset is added to 20m + det_z to get the chopper-detector length
# for time-of-flight mode calculation.
#
# It varies with detector distance because the det_z value is not actually
# particularly accurate.
DETECTOR_OFFSETS = {
1.5: 0.7,
2: 0.7,
2.1: 0.7,
4: 0.7,
4.1: 0.7,
6: 0.7,
8: 0.7,
8.1: 0.7,
14: 0.7,
17.0: 0.7, # for small detector
19.9: 0.7,
}
| description = 'presets for the detector position'
group = 'configdata'
fixed_x = 0.0
fixed_x_tilt = 16.0
fixed_y = 520.0
detector_presets = {'2.9A tilt': {'1.5m': dict(z=1.5, x=FIXED_X, y=FIXED_Y), '1.5m DB': dict(z=1.5, x=FIXED_X, y=500.0), '2m': dict(z=2, x=FIXED_X, y=FIXED_Y), '4m': dict(z=4, x=FIXED_X, y=FIXED_Y), '8m': dict(z=8, x=FIXED_X, y=FIXED_Y)}, '4.66A': {'1.5m': dict(z=1.5, x=FIXED_X, y=FIXED_Y), '1.5m DB': dict(z=1.5, x=FIXED_X, y=500.0), '2m': dict(z=2, x=FIXED_X, y=FIXED_Y), '4m': dict(z=4, x=FIXED_X, y=FIXED_Y), '8m DB': dict(z=8, x=FIXED_X, y=500.0), '8m': dict(z=8, x=FIXED_X, y=FIXED_Y), '14m': dict(z=14, x=FIXED_X, y=FIXED_Y), '20m': dict(z=19.9, x=FIXED_X, y=FIXED_Y)}, '5A': {'1.5m': dict(z=1.5, x=FIXED_X, y=FIXED_Y), '1.5m DB': dict(z=1.5, x=FIXED_X, y=620.0), '2m': dict(z=2, x=FIXED_X, y=FIXED_Y), '4m': dict(z=4, x=FIXED_X, y=FIXED_Y), '6m': dict(z=6, x=FIXED_X, y=FIXED_Y), '8m': dict(z=8, x=FIXED_X, y=FIXED_Y), '8m DB': dict(z=8, x=FIXED_X, y=620.0), '20m': dict(z=19.9, x=FIXED_X, y=FIXED_Y), '20m DB': dict(z=19.9, x=FIXED_X, y=620.0)}, '5A tilt': {'1.5m': dict(z=1.5, x=FIXED_X_TILT, y=FIXED_Y), '2m': dict(z=2, x=FIXED_X_TILT, y=FIXED_Y), '2m DB': dict(z=2, x=FIXED_X_TILT, y=500.0), '4m': dict(z=4, x=FIXED_X_TILT, y=FIXED_Y), '6m': dict(z=6, x=FIXED_X_TILT, y=FIXED_Y), '8m': dict(z=8, x=FIXED_X_TILT, y=FIXED_Y), '8m DB': dict(z=8, x=FIXED_X_TILT, y=500.0), '20m': dict(z=19.9, x=FIXED_X_TILT, y=FIXED_Y)}, '7A': {'1.5m': dict(z=1.5, x=FIXED_X, y=FIXED_Y), '1.5m DB': dict(z=1.5, x=FIXED_X, y=500.0), '2m': dict(z=2, x=FIXED_X, y=FIXED_Y), '4m': dict(z=4, x=FIXED_X, y=FIXED_Y), '8m': dict(z=8, x=FIXED_X, y=FIXED_Y), '8m DB': dict(z=8, x=FIXED_X, y=300.0), '20m DB': dict(z=19.9, x=FIXED_X, y=300.0), '20m': dict(z=19.9, x=FIXED_X, y=FIXED_Y)}, '7A tilt': {'1.5m': dict(z=1.5, x=FIXED_X_TILT, y=FIXED_Y), '1.5m DB': dict(z=1.5, x=FIXED_X_TILT, y=500.0), '2m': dict(z=2, x=FIXED_X_TILT, y=FIXED_Y), '2m DB': dict(z=2, x=FIXED_X_TILT, y=500.0), '4m': dict(z=4, x=FIXED_X_TILT, y=FIXED_Y), '8m': dict(z=8, x=FIXED_X_TILT, y=FIXED_Y), '8m DB': dict(z=8, x=FIXED_X_TILT, y=500.0), '20m': dict(z=19.9, x=FIXED_X_TILT, y=FIXED_Y)}, '10A': {'1.5m': dict(z=1.5, x=FIXED_X, y=FIXED_Y), '1.5m DB': dict(z=1.5, x=FIXED_X, y=500.0), '2m': dict(z=2, x=FIXED_X, y=FIXED_Y), '4m': dict(z=4, x=FIXED_X, y=FIXED_Y), '8m': dict(z=8, x=FIXED_X, y=FIXED_Y), '8m DB': dict(z=8, x=FIXED_X, y=620.0), '20m': dict(z=19.9, x=FIXED_X, y=FIXED_Y), '20m DB': dict(z=19.9, x=FIXED_X, y=300.0)}, '19A': {'2m': dict(z=2, x=FIXED_X, y=FIXED_Y), '8m': dict(z=8, x=FIXED_X, y=FIXED_Y), '20m': dict(z=19.9, x=FIXED_X, y=FIXED_Y)}}
small_det_position = 17.0
detector_offsets = {1.5: 0.7, 2: 0.7, 2.1: 0.7, 4: 0.7, 4.1: 0.7, 6: 0.7, 8: 0.7, 8.1: 0.7, 14: 0.7, 17.0: 0.7, 19.9: 0.7} |
def sum_dicts(
*dict_arguments
) -> dict:
result = {}
for dict_argument in dict_arguments:
for key, value in dict_argument.items():
if key not in result:
result[key] = []
result[key].append(value)
for key, value in result.items():
if len(value) == 1:
result[key] = value[0]
return result
def main():
print( sum_dicts({1:1}, {2:2}, {2:3}, {2:4}, {3:3}) )
if __name__ == '__main__':
main()
| def sum_dicts(*dict_arguments) -> dict:
result = {}
for dict_argument in dict_arguments:
for (key, value) in dict_argument.items():
if key not in result:
result[key] = []
result[key].append(value)
for (key, value) in result.items():
if len(value) == 1:
result[key] = value[0]
return result
def main():
print(sum_dicts({1: 1}, {2: 2}, {2: 3}, {2: 4}, {3: 3}))
if __name__ == '__main__':
main() |
legend = {
9: ("positive very high", "#006400"),
8: ("positive high", "#228b22"),
7: ("positive medium", "#008000"),
6: ("positive low", "#98fb98"),
1: ("no change", "#f5f5dc"),
2: ("negative low", "#ffff00"),
3: ("negative medium", "#ffa500"),
4: ("negative high", "#ff0000"),
5: ("negative very high", "#8b0000"),
}
| legend = {9: ('positive very high', '#006400'), 8: ('positive high', '#228b22'), 7: ('positive medium', '#008000'), 6: ('positive low', '#98fb98'), 1: ('no change', '#f5f5dc'), 2: ('negative low', '#ffff00'), 3: ('negative medium', '#ffa500'), 4: ('negative high', '#ff0000'), 5: ('negative very high', '#8b0000')} |
l1=[]
for i in range(0,3):
l2=list(map(int,input().split()))
l1.append(l2)
l3=[]
for i in range(0,3):
l3.append(l1[i][0]+l1[i][1]+l1[i][2])
for i in range(0,3):
l3.append(l1[0][i]+l1[1][i]+l1[2][i])
l3.append(l1[0][2]+l1[1][1]+l1[2][0])
c=max(l3)
j=1
while l1[0][2]+l1[1][1]+l1[2][0]!=l1[0][0]+l1[1][1]+l1[2][2]:
l1[0][0]=c-l1[0][1]-l1[0][2]+j
l1[1][1]=c-l1[1][0]-l1[1][2]+j
l1[2][2]=c-l1[2][1]-l1[2][0]+j
j=j+1
for x in l1:
for y in x:
print(y,end=" ")
print() | l1 = []
for i in range(0, 3):
l2 = list(map(int, input().split()))
l1.append(l2)
l3 = []
for i in range(0, 3):
l3.append(l1[i][0] + l1[i][1] + l1[i][2])
for i in range(0, 3):
l3.append(l1[0][i] + l1[1][i] + l1[2][i])
l3.append(l1[0][2] + l1[1][1] + l1[2][0])
c = max(l3)
j = 1
while l1[0][2] + l1[1][1] + l1[2][0] != l1[0][0] + l1[1][1] + l1[2][2]:
l1[0][0] = c - l1[0][1] - l1[0][2] + j
l1[1][1] = c - l1[1][0] - l1[1][2] + j
l1[2][2] = c - l1[2][1] - l1[2][0] + j
j = j + 1
for x in l1:
for y in x:
print(y, end=' ')
print() |
class RNode:
def __eq__(self, other):
if not isinstance(other, (RNode,)):
return False
if hasattr(self, 'id') and hasattr(other, 'id'):
return self.id == other.id
| class Rnode:
def __eq__(self, other):
if not isinstance(other, (RNode,)):
return False
if hasattr(self, 'id') and hasattr(other, 'id'):
return self.id == other.id |
#Cities:
def describe_city(name, country='india'):
print(name,"is in",country+".")
describe_city('newyork','USA')
describe_city('mumbai')
describe_city(name = 'paris',country='France') | def describe_city(name, country='india'):
print(name, 'is in', country + '.')
describe_city('newyork', 'USA')
describe_city('mumbai')
describe_city(name='paris', country='France') |
# Codes and tutorials are from: https://www.tutorialsteacher.com/python/property-function
class person:
def __init__(self):
self.__name = ''
def setname(self, name):
print('setname() called')
self.__name = name
def getname(self):
print('getname() called')
return self.__name
name = property(getname, setname)
| class Person:
def __init__(self):
self.__name = ''
def setname(self, name):
print('setname() called')
self.__name = name
def getname(self):
print('getname() called')
return self.__name
name = property(getname, setname) |
def set_authorize_current_user():
pass
def check_update_order_allowed():
pass | def set_authorize_current_user():
pass
def check_update_order_allowed():
pass |
maior_idade=0
idades=[int(input("idade1:")),
int(input("idade2:")),
int(input("idade3:"))]
for idade in idades:
if idade>maior_idade:
maior_idade=idade
print("maior idade: ", maior_idade)
| maior_idade = 0
idades = [int(input('idade1:')), int(input('idade2:')), int(input('idade3:'))]
for idade in idades:
if idade > maior_idade:
maior_idade = idade
print('maior idade: ', maior_idade) |
#!/usr/bin/python3
with open('input.txt') as f:
input = f.read().splitlines()
def execute(instructions):
accumulator = 0
ip = 0
ip_visited = []
while ip < len(instructions):
if ip in ip_visited:
raise Exception()
ip_visited.append(ip)
instruction = instructions[ip]
op = instruction[:3]
arg = int(instruction[4:])
if op == 'acc':
accumulator += arg
elif op == 'jmp':
ip += arg
continue
elif op == 'nop':
pass
else:
print(f'invalid instruction: {op} at {ip}')
break
ip += 1
if ip == len(instructions):
return accumulator
else:
raise Exception()
for i, instr in enumerate(input):
c = [n for n in input]
if c[i][:3] == 'nop':
c[i] = f'jmp {c[i][4:]}'
elif c[i][:3] == 'jmp':
c[i] = f'nop {c[i][4:]}'
try:
print(execute(c))
except:
pass
| with open('input.txt') as f:
input = f.read().splitlines()
def execute(instructions):
accumulator = 0
ip = 0
ip_visited = []
while ip < len(instructions):
if ip in ip_visited:
raise exception()
ip_visited.append(ip)
instruction = instructions[ip]
op = instruction[:3]
arg = int(instruction[4:])
if op == 'acc':
accumulator += arg
elif op == 'jmp':
ip += arg
continue
elif op == 'nop':
pass
else:
print(f'invalid instruction: {op} at {ip}')
break
ip += 1
if ip == len(instructions):
return accumulator
else:
raise exception()
for (i, instr) in enumerate(input):
c = [n for n in input]
if c[i][:3] == 'nop':
c[i] = f'jmp {c[i][4:]}'
elif c[i][:3] == 'jmp':
c[i] = f'nop {c[i][4:]}'
try:
print(execute(c))
except:
pass |
def bina(n):
l1=[]
num=n
rem=0
while(num>0):
rem=num%2
num=num//2
l1.append(str(rem))
l1.reverse()
str1="".join(l1)
return str1
def octa(n):
l1=[]
num=n
rem=0
while(num!=0):
rem=num%8
num=num//8
l1.append(str(rem))
l1.reverse()
str1="".join(l1)
return str1
def hexa(n):
l1=[]
num=n
rem=0
dict={10:"A",11:"B",12:"C",13:"D",14:"E",15:"F"}
while(num!=0):
rem=num%16
num=num//16
if rem in range(0,10):
l1.append(str(rem))
else:
l1.append(dict[rem])
l1.reverse()
str1="".join(l1)
return str1
def calc(should_print=False):
print("1.Decimal to binary\n2.Decimal to Hexadecimal\n3.Decimal to Octal")
choice = int(input("Enter your choice: "))
n=int(input("Enter a decimal number: "))
if choice==1:
if should_print:
print("Binary conversion is: ",bina(n))
else:
return bina(n)
elif choice==2:
if should_print:
print("Hexadecimal conversion is: ",hexa(n))
else:
return hexa(n)
elif choice==3:
if should_print:
print("Octal conversion is: ", octa(n))
else:
return octa(n)
else:
if should_print:
print("Please enter valid choice")
else:
return None | def bina(n):
l1 = []
num = n
rem = 0
while num > 0:
rem = num % 2
num = num // 2
l1.append(str(rem))
l1.reverse()
str1 = ''.join(l1)
return str1
def octa(n):
l1 = []
num = n
rem = 0
while num != 0:
rem = num % 8
num = num // 8
l1.append(str(rem))
l1.reverse()
str1 = ''.join(l1)
return str1
def hexa(n):
l1 = []
num = n
rem = 0
dict = {10: 'A', 11: 'B', 12: 'C', 13: 'D', 14: 'E', 15: 'F'}
while num != 0:
rem = num % 16
num = num // 16
if rem in range(0, 10):
l1.append(str(rem))
else:
l1.append(dict[rem])
l1.reverse()
str1 = ''.join(l1)
return str1
def calc(should_print=False):
print('1.Decimal to binary\n2.Decimal to Hexadecimal\n3.Decimal to Octal')
choice = int(input('Enter your choice: '))
n = int(input('Enter a decimal number: '))
if choice == 1:
if should_print:
print('Binary conversion is: ', bina(n))
else:
return bina(n)
elif choice == 2:
if should_print:
print('Hexadecimal conversion is: ', hexa(n))
else:
return hexa(n)
elif choice == 3:
if should_print:
print('Octal conversion is: ', octa(n))
else:
return octa(n)
elif should_print:
print('Please enter valid choice')
else:
return None |
#import sys
#a=sys.stdin.read().split()
f = open("i.txt",'r')
a=f.read().split()
sum=0
t={0}#set only with value 0
while(True):
for x in a:
sum+=int(x)
if(sum in t):
print(sum)
exit()
else:
t.add(sum)
| f = open('i.txt', 'r')
a = f.read().split()
sum = 0
t = {0}
while True:
for x in a:
sum += int(x)
if sum in t:
print(sum)
exit()
else:
t.add(sum) |
def near_hundred(n):
if abs(100 - n) <= 10 or abs(200 - n) <= 10:
return True
return False
| def near_hundred(n):
if abs(100 - n) <= 10 or abs(200 - n) <= 10:
return True
return False |
PINK = '\033[95m'
OKBLUE = '\033[94m'
OKCYAN = '\033[96m'
OKGREEN = '\033[92m'
WARNING = '\033[93m'
FAIL = '\033[91m'
ENDC = '\033[0m'
BOLD = '\033[1m'
UNDERLINE = '\033[4m'
def underline(s):
return UNDERLINE + s + ENDC
def errmsg(s):
return FAIL + s + ENDC
def cyan(s):
return OKCYAN + s + ENDC
def blue(s):
return OKBLUE + s + ENDC
def pink(s):
return PINK + s + ENDC
def bold(s):
return BOLD + s + ENDC
def warning(s):
return WARNING + s + ENDC
def green(s):
return OKGREEN + s + ENDC
| pink = '\x1b[95m'
okblue = '\x1b[94m'
okcyan = '\x1b[96m'
okgreen = '\x1b[92m'
warning = '\x1b[93m'
fail = '\x1b[91m'
endc = '\x1b[0m'
bold = '\x1b[1m'
underline = '\x1b[4m'
def underline(s):
return UNDERLINE + s + ENDC
def errmsg(s):
return FAIL + s + ENDC
def cyan(s):
return OKCYAN + s + ENDC
def blue(s):
return OKBLUE + s + ENDC
def pink(s):
return PINK + s + ENDC
def bold(s):
return BOLD + s + ENDC
def warning(s):
return WARNING + s + ENDC
def green(s):
return OKGREEN + s + ENDC |
models = {
"BODY_25": {
"path": "pose/body_25/pose_deploy.prototxt",
"body_parts": ["Nose", "Neck", "RShoulder", "RElbow", "RWrist", "LShoulder", "LElbow", "LWrist", "MidHip",
"RHip", "RKnee", "RAnkle", "LHip", "LKnee", "LAnkle", "REye", "LEye", "REar", "LEar", "LBigToe",
"LSmallToe", "LHeel", "RBigToe", "RSmallToe", "RHeel", "Background"]
}
}
| models = {'BODY_25': {'path': 'pose/body_25/pose_deploy.prototxt', 'body_parts': ['Nose', 'Neck', 'RShoulder', 'RElbow', 'RWrist', 'LShoulder', 'LElbow', 'LWrist', 'MidHip', 'RHip', 'RKnee', 'RAnkle', 'LHip', 'LKnee', 'LAnkle', 'REye', 'LEye', 'REar', 'LEar', 'LBigToe', 'LSmallToe', 'LHeel', 'RBigToe', 'RSmallToe', 'RHeel', 'Background']}} |
class LogicalPlanner:
def __init__(self, operation, planning_svc, stopping_conditions=[]):
self.operation = operation
self.planning_svc = planning_svc
self.stopping_conditions = stopping_conditions
self.stopping_condition_met = False
async def execute(self, phase):
for link in await self.planning_svc.get_links(operation=self.operation, phase=phase,
stopping_conditions=self.stopping_conditions, planner=self):
await self.operation.apply(link)
| class Logicalplanner:
def __init__(self, operation, planning_svc, stopping_conditions=[]):
self.operation = operation
self.planning_svc = planning_svc
self.stopping_conditions = stopping_conditions
self.stopping_condition_met = False
async def execute(self, phase):
for link in await self.planning_svc.get_links(operation=self.operation, phase=phase, stopping_conditions=self.stopping_conditions, planner=self):
await self.operation.apply(link) |
b = int(input("Input the base : "))
h = int(input("Input the height : "))
area = b*h/2
print("area = ", area) | b = int(input('Input the base : '))
h = int(input('Input the height : '))
area = b * h / 2
print('area = ', area) |
def handler(event, context):
# --- Add your own custom authorization logic here. ---
print(event)
return {
"principalId": "my-user",
"policyDocument": {
"Version": "2012-10-17",
"Statement": [{
"Action": "execute-api:Invoke",
"Effect": "Allow" if event["headers"]["Authorization"] == "goodToken" else "Deny",
"Resource": event["methodArn"],
}]
},
}
| def handler(event, context):
print(event)
return {'principalId': 'my-user', 'policyDocument': {'Version': '2012-10-17', 'Statement': [{'Action': 'execute-api:Invoke', 'Effect': 'Allow' if event['headers']['Authorization'] == 'goodToken' else 'Deny', 'Resource': event['methodArn']}]}} |
#
# PySNMP MIB module DELL-NETWORKING-SMI (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/DELL-NETWORKING-SMI
# Produced by pysmi-0.3.4 at Wed May 1 12:37:48 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
OctetString, Integer, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "OctetString", "Integer", "ObjectIdentifier")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ValueSizeConstraint, SingleValueConstraint, ConstraintsUnion, ConstraintsIntersection, ValueRangeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueSizeConstraint", "SingleValueConstraint", "ConstraintsUnion", "ConstraintsIntersection", "ValueRangeConstraint")
ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup")
ModuleIdentity, ObjectIdentity, enterprises, Counter64, Counter32, Gauge32, Unsigned32, MibIdentifier, iso, TimeTicks, NotificationType, IpAddress, MibScalar, MibTable, MibTableRow, MibTableColumn, Bits, Integer32 = mibBuilder.importSymbols("SNMPv2-SMI", "ModuleIdentity", "ObjectIdentity", "enterprises", "Counter64", "Counter32", "Gauge32", "Unsigned32", "MibIdentifier", "iso", "TimeTicks", "NotificationType", "IpAddress", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Bits", "Integer32")
TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString")
dellNet = ModuleIdentity((1, 3, 6, 1, 4, 1, 6027))
dellNet.setRevisions(('2007-06-15 12:00', '1900-10-10 00:00',))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
if mibBuilder.loadTexts: dellNet.setRevisionsDescriptions(('Added dellNetModules.', 'Initial version of this MIB module.',))
if mibBuilder.loadTexts: dellNet.setLastUpdated('200706151200Z')
if mibBuilder.loadTexts: dellNet.setOrganization('Dell Inc')
if mibBuilder.loadTexts: dellNet.setContactInfo('http://www.dell.com/support')
if mibBuilder.loadTexts: dellNet.setDescription('The Structure of Management Information for the Dell Networking OS.')
dellNetProducts = ObjectIdentity((1, 3, 6, 1, 4, 1, 6027, 1))
if mibBuilder.loadTexts: dellNetProducts.setStatus('current')
if mibBuilder.loadTexts: dellNetProducts.setDescription("Dell Networking OS Products' OID.")
dellNetCommon = ObjectIdentity((1, 3, 6, 1, 4, 1, 6027, 2))
if mibBuilder.loadTexts: dellNetCommon.setStatus('current')
if mibBuilder.loadTexts: dellNetCommon.setDescription('All Dell Networking OS shared TEXTTUAL-CONVENTION definitions')
dellNetMgmt = ObjectIdentity((1, 3, 6, 1, 4, 1, 6027, 3))
if mibBuilder.loadTexts: dellNetMgmt.setStatus('current')
if mibBuilder.loadTexts: dellNetMgmt.setDescription('dellNetMgmt is the main subtree for Dell Networking OS mib development.')
dellNetModules = ObjectIdentity((1, 3, 6, 1, 4, 1, 6027, 4))
if mibBuilder.loadTexts: dellNetModules.setStatus('current')
if mibBuilder.loadTexts: dellNetModules.setDescription('dellNetModules provides a root object identifier from which MODULE-IDENTITY values may be based.')
dellNetExperiment = ObjectIdentity((1, 3, 6, 1, 4, 1, 6027, 20))
if mibBuilder.loadTexts: dellNetExperiment.setStatus('current')
if mibBuilder.loadTexts: dellNetExperiment.setDescription('dellNetExperiment provides a root object identifier from which experimental mibs may be temporarily based. mibs are typicially based here if they fall in one of two categories 1) are IETF work-in-process mibs which have not been assigned a permanent object identifier by the IANA. 2) are Dell Networking OS work-in-process which has not been assigned a permanent object identifier by the Dell Networking OS assigned number authority, typicially because the mib is not ready for deployment. NOTE WELL: support for mibs in the dellNetExperiment subtree will be deleted when a permanent object identifier assignment is made.')
mibBuilder.exportSymbols("DELL-NETWORKING-SMI", dellNetMgmt=dellNetMgmt, dellNetExperiment=dellNetExperiment, PYSNMP_MODULE_ID=dellNet, dellNetCommon=dellNetCommon, dellNet=dellNet, dellNetProducts=dellNetProducts, dellNetModules=dellNetModules)
| (octet_string, integer, object_identifier) = mibBuilder.importSymbols('ASN1', 'OctetString', 'Integer', 'ObjectIdentifier')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(value_size_constraint, single_value_constraint, constraints_union, constraints_intersection, value_range_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueSizeConstraint', 'SingleValueConstraint', 'ConstraintsUnion', 'ConstraintsIntersection', 'ValueRangeConstraint')
(module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup')
(module_identity, object_identity, enterprises, counter64, counter32, gauge32, unsigned32, mib_identifier, iso, time_ticks, notification_type, ip_address, mib_scalar, mib_table, mib_table_row, mib_table_column, bits, integer32) = mibBuilder.importSymbols('SNMPv2-SMI', 'ModuleIdentity', 'ObjectIdentity', 'enterprises', 'Counter64', 'Counter32', 'Gauge32', 'Unsigned32', 'MibIdentifier', 'iso', 'TimeTicks', 'NotificationType', 'IpAddress', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Bits', 'Integer32')
(textual_convention, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString')
dell_net = module_identity((1, 3, 6, 1, 4, 1, 6027))
dellNet.setRevisions(('2007-06-15 12:00', '1900-10-10 00:00'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
if mibBuilder.loadTexts:
dellNet.setRevisionsDescriptions(('Added dellNetModules.', 'Initial version of this MIB module.'))
if mibBuilder.loadTexts:
dellNet.setLastUpdated('200706151200Z')
if mibBuilder.loadTexts:
dellNet.setOrganization('Dell Inc')
if mibBuilder.loadTexts:
dellNet.setContactInfo('http://www.dell.com/support')
if mibBuilder.loadTexts:
dellNet.setDescription('The Structure of Management Information for the Dell Networking OS.')
dell_net_products = object_identity((1, 3, 6, 1, 4, 1, 6027, 1))
if mibBuilder.loadTexts:
dellNetProducts.setStatus('current')
if mibBuilder.loadTexts:
dellNetProducts.setDescription("Dell Networking OS Products' OID.")
dell_net_common = object_identity((1, 3, 6, 1, 4, 1, 6027, 2))
if mibBuilder.loadTexts:
dellNetCommon.setStatus('current')
if mibBuilder.loadTexts:
dellNetCommon.setDescription('All Dell Networking OS shared TEXTTUAL-CONVENTION definitions')
dell_net_mgmt = object_identity((1, 3, 6, 1, 4, 1, 6027, 3))
if mibBuilder.loadTexts:
dellNetMgmt.setStatus('current')
if mibBuilder.loadTexts:
dellNetMgmt.setDescription('dellNetMgmt is the main subtree for Dell Networking OS mib development.')
dell_net_modules = object_identity((1, 3, 6, 1, 4, 1, 6027, 4))
if mibBuilder.loadTexts:
dellNetModules.setStatus('current')
if mibBuilder.loadTexts:
dellNetModules.setDescription('dellNetModules provides a root object identifier from which MODULE-IDENTITY values may be based.')
dell_net_experiment = object_identity((1, 3, 6, 1, 4, 1, 6027, 20))
if mibBuilder.loadTexts:
dellNetExperiment.setStatus('current')
if mibBuilder.loadTexts:
dellNetExperiment.setDescription('dellNetExperiment provides a root object identifier from which experimental mibs may be temporarily based. mibs are typicially based here if they fall in one of two categories 1) are IETF work-in-process mibs which have not been assigned a permanent object identifier by the IANA. 2) are Dell Networking OS work-in-process which has not been assigned a permanent object identifier by the Dell Networking OS assigned number authority, typicially because the mib is not ready for deployment. NOTE WELL: support for mibs in the dellNetExperiment subtree will be deleted when a permanent object identifier assignment is made.')
mibBuilder.exportSymbols('DELL-NETWORKING-SMI', dellNetMgmt=dellNetMgmt, dellNetExperiment=dellNetExperiment, PYSNMP_MODULE_ID=dellNet, dellNetCommon=dellNetCommon, dellNet=dellNet, dellNetProducts=dellNetProducts, dellNetModules=dellNetModules) |
print("Arithmetic Progression V3.0")
print("-"*27)
num1 = int(input("First number: "))
num2 = int(input("Second number: "))
c = 1
total = 0
plus = 10
while plus != 0:
total = total + plus
while c < total:
print(num1)
num1 = num1 + num2
c +=1
plus = int(input("How many you want to show ? "))
print("End")
| print('Arithmetic Progression V3.0')
print('-' * 27)
num1 = int(input('First number: '))
num2 = int(input('Second number: '))
c = 1
total = 0
plus = 10
while plus != 0:
total = total + plus
while c < total:
print(num1)
num1 = num1 + num2
c += 1
plus = int(input('How many you want to show ? '))
print('End') |
print(True and True) # True
print(True and False) # False
print(False and False) # False
print("------")
print(True or True) # True
print(True or False) # True
print(False or False) # False | print(True and True)
print(True and False)
print(False and False)
print('------')
print(True or True)
print(True or False)
print(False or False) |
# Texture generator
ctx.params_gen_texture = cell(("cson", "seamless", "transformer_params"))
link(ctx.params_gen_texture, ".", "params_gen_texture.cson")
if not ctx.params_gen_texture.value: ### kludge: to be fixed in seamless 0.2
ctx.params_gen_texture.set("{}")
ctx.gen_texture = transformer(ctx.params_gen_texture)
link(ctx.gen_texture.code.cell(), ".", "cell-gen-texture.py")
ctx.texture = cell("array")
ctx.texture.set_store("GLTex", 2) #OpenGL texture store, 2D texture
| ctx.params_gen_texture = cell(('cson', 'seamless', 'transformer_params'))
link(ctx.params_gen_texture, '.', 'params_gen_texture.cson')
if not ctx.params_gen_texture.value:
ctx.params_gen_texture.set('{}')
ctx.gen_texture = transformer(ctx.params_gen_texture)
link(ctx.gen_texture.code.cell(), '.', 'cell-gen-texture.py')
ctx.texture = cell('array')
ctx.texture.set_store('GLTex', 2) |
PROJECT = 'my-first-project-238015'
DATASET = 'waste'
TABLE_WEIGHT = 'weight'
TABLE_ROUTE = 'route'
TABLE_MERGE = 'merge'
BQ_TABLE_WEIGHT = '.'.join([DATASET, TABLE_WEIGHT])
BQ_TABLE_ROUTE = '.'.join([PROJECT, DATASET, TABLE_ROUTE])
BQ_TABLE_MERGE = '.'.join([DATASET, TABLE_MERGE])
BUCKET = 'austin_waste'
FOLDER_DAT = 'data'
FOLDER_RES = 'results'
SOURCE_OBJECT = FOLDER_DAT + '/' +'route.csv'
DESTINATION_OBJECT = FOLDER_RES + '/' + 'merge.csv'
BUCKET_URI = 'gs://' + BUCKET + '/'
DESTINATION_URI = BUCKET_URI + DESTINATION_OBJECT
TYPE = 'DEAD ANIMAL' | project = 'my-first-project-238015'
dataset = 'waste'
table_weight = 'weight'
table_route = 'route'
table_merge = 'merge'
bq_table_weight = '.'.join([DATASET, TABLE_WEIGHT])
bq_table_route = '.'.join([PROJECT, DATASET, TABLE_ROUTE])
bq_table_merge = '.'.join([DATASET, TABLE_MERGE])
bucket = 'austin_waste'
folder_dat = 'data'
folder_res = 'results'
source_object = FOLDER_DAT + '/' + 'route.csv'
destination_object = FOLDER_RES + '/' + 'merge.csv'
bucket_uri = 'gs://' + BUCKET + '/'
destination_uri = BUCKET_URI + DESTINATION_OBJECT
type = 'DEAD ANIMAL' |
# Using conditionals (if-then statements) in Python
age = int(input("How old are you? > ")) # variable age equals the input converted into an integer
if age >= 18: # if age is greater than or equal to 18:
print("You are an adult")
if age <= 19 and age >= 13: # if age is less than or equal to 19 and age is greater than or equal to 13:
print("You are a teenager")
elif age < 13: # else: if age is less than 13:
print("You are a child") | age = int(input('How old are you? > '))
if age >= 18:
print('You are an adult')
if age <= 19 and age >= 13:
print('You are a teenager')
elif age < 13:
print('You are a child') |
_base_ = [
'../_base_/models/hv_pointpillars_fpn_nus.py',
'../_base_/datasets/nus-3d.py', '../_base_/schedules/schedule_2x.py',
'../_base_/default_runtime.py'
]
# pretrained = 'https://github.com/SwinTransformer/storage/releases/download/v1.0.0/swin_tiny_patch4_window7_224.pth' # noqa
voxel_size = [0.25, 0.25, 8]
model = dict(
pts_voxel_layer=dict(
max_num_points=64,
point_cloud_range=[-50, -50, -5, 50, 50, 3],
voxel_size=voxel_size,
max_voxels=(30000, 40000)),
pts_voxel_encoder=dict(
point_cloud_range=[-50, -50, -5, 50, 50, 3]),
pts_middle_encoder=dict(
type='PointPillarsScatter', in_channels=64, output_shape=[400, 400]),
pts_backbone=dict(
_delete_=True,
type='SwinTransformer',
pretrain_img_size=400,
patch_size = 2,
in_channels=64,
embed_dims=96,
strides = [2, 2, 2],
depths=[2, 2, 6],
num_heads=[3, 6, 12],
window_size=20,
mlp_ratio=4,
qkv_bias=True,
qk_scale=None,
drop_rate=0.,
attn_drop_rate=0.,
drop_path_rate=0.2,
patch_norm=True,
out_indices=(0, 1, 2),
with_cp=False,
convert_weights=True,
),
pts_neck=dict(
in_channels=[96, 192, 384],
out_channels=256,
num_outs=3)
)
data = dict(
samples_per_gpu=3,
workers_per_gpu=3
) | _base_ = ['../_base_/models/hv_pointpillars_fpn_nus.py', '../_base_/datasets/nus-3d.py', '../_base_/schedules/schedule_2x.py', '../_base_/default_runtime.py']
voxel_size = [0.25, 0.25, 8]
model = dict(pts_voxel_layer=dict(max_num_points=64, point_cloud_range=[-50, -50, -5, 50, 50, 3], voxel_size=voxel_size, max_voxels=(30000, 40000)), pts_voxel_encoder=dict(point_cloud_range=[-50, -50, -5, 50, 50, 3]), pts_middle_encoder=dict(type='PointPillarsScatter', in_channels=64, output_shape=[400, 400]), pts_backbone=dict(_delete_=True, type='SwinTransformer', pretrain_img_size=400, patch_size=2, in_channels=64, embed_dims=96, strides=[2, 2, 2], depths=[2, 2, 6], num_heads=[3, 6, 12], window_size=20, mlp_ratio=4, qkv_bias=True, qk_scale=None, drop_rate=0.0, attn_drop_rate=0.0, drop_path_rate=0.2, patch_norm=True, out_indices=(0, 1, 2), with_cp=False, convert_weights=True), pts_neck=dict(in_channels=[96, 192, 384], out_channels=256, num_outs=3))
data = dict(samples_per_gpu=3, workers_per_gpu=3) |
#350111
#a3_p10.py
#Alexander_Mchedlishvili
#a.mchedlish@jacobs-university.de
n=int(input("Enter the width(horizontal): "))
m=int(input("Enter the length(vertical): "))
c="c"
def print_frame(n, m, c):
row = n * c
ln = len(row)-2
for a in range(m):
if a == 0 or a == (m-1):
print(row)
else:
print("c",ln*" ","c")
print_frame(n, m, c)
| n = int(input('Enter the width(horizontal): '))
m = int(input('Enter the length(vertical): '))
c = 'c'
def print_frame(n, m, c):
row = n * c
ln = len(row) - 2
for a in range(m):
if a == 0 or a == m - 1:
print(row)
else:
print('c', ln * ' ', 'c')
print_frame(n, m, c) |
N = int(input())
A = list(map(int, input().split()))
B = list(map(int, input().split()))
C = list(map(int, input().split()))
ans = 0
prev = -1
for i, a in enumerate(A):
ans += B[a-1]
if a == prev + 1:
ans += C[prev - 1]
prev = a
print(ans) | n = int(input())
a = list(map(int, input().split()))
b = list(map(int, input().split()))
c = list(map(int, input().split()))
ans = 0
prev = -1
for (i, a) in enumerate(A):
ans += B[a - 1]
if a == prev + 1:
ans += C[prev - 1]
prev = a
print(ans) |
# Title
TITLE = "The Game of Life"
# Screen Dimensions
ROWS = 40
COLS = 40
SCREEN_WIDTH = 600
SCREEN_HEIGHT = 600
# Square (or Rectangle) Dimensions
SQR_WIDTH = int(SCREEN_WIDTH // COLS)
SQR_HEIGHT = int(SCREEN_HEIGHT // ROWS)
# Times
FPS = 10
# Text
FONT_NAME = "freesansbold.ttf"
FONT_SIZE = 15
TEXT_X = SCREEN_WIDTH - 125
TEXT_Y = SCREEN_HEIGHT - 25
# Colours
BLACK = (0, 0, 0)
RED = (255, 0, 0)
GREEN = (0, 255, 0)
BLUE = (0, 0, 255)
WHITE = (255, 255, 255)
GREY = (128, 128, 128) | title = 'The Game of Life'
rows = 40
cols = 40
screen_width = 600
screen_height = 600
sqr_width = int(SCREEN_WIDTH // COLS)
sqr_height = int(SCREEN_HEIGHT // ROWS)
fps = 10
font_name = 'freesansbold.ttf'
font_size = 15
text_x = SCREEN_WIDTH - 125
text_y = SCREEN_HEIGHT - 25
black = (0, 0, 0)
red = (255, 0, 0)
green = (0, 255, 0)
blue = (0, 0, 255)
white = (255, 255, 255)
grey = (128, 128, 128) |
'''from constants import *
from jobs import *
from download import *
from convert import *
from upload import *
from polling import*
''' | """from constants import *
from jobs import *
from download import *
from convert import *
from upload import *
from polling import*
""" |
def test():
assert (
"docs = list(nlp.pipe(TEXTS))" in __solution__
), "Verwendest du nlp.pipe in einer Liste?"
__msg__.good("Gute Arbeit!")
| def test():
assert 'docs = list(nlp.pipe(TEXTS))' in __solution__, 'Verwendest du nlp.pipe in einer Liste?'
__msg__.good('Gute Arbeit!') |
MOVES_LIMIT = 2*10**5
class Queue:
def __init__(self): self.queue = []
def push(self, data):
self.queue.insert(0, data)
return "ok"
def pop(self): return self.queue.pop()
def front(self): return self.queue[-1]
def size(self): return len(self.queue)
def clear(self):
self.queue = []
return "ok"
first = Queue()
second = Queue()
n = int(input())
for e in input().split(): first.push(e)
for e in input().split(): second.push(e)
k = 0
while first.size() and second.size():
k += 1
a, b = first.pop(), second.pop()
if (a > b) and ((b, a) != ('0', '9')) or ((a, b) == ('0', '9')):
first.push(a)
first.push(b)
else:
second.push(a)
second.push(b)
if k == MOVES_LIMIT:
print('draw')
break
else:
print('first' if first.size() else 'second', k)
| moves_limit = 2 * 10 ** 5
class Queue:
def __init__(self):
self.queue = []
def push(self, data):
self.queue.insert(0, data)
return 'ok'
def pop(self):
return self.queue.pop()
def front(self):
return self.queue[-1]
def size(self):
return len(self.queue)
def clear(self):
self.queue = []
return 'ok'
first = queue()
second = queue()
n = int(input())
for e in input().split():
first.push(e)
for e in input().split():
second.push(e)
k = 0
while first.size() and second.size():
k += 1
(a, b) = (first.pop(), second.pop())
if a > b and (b, a) != ('0', '9') or (a, b) == ('0', '9'):
first.push(a)
first.push(b)
else:
second.push(a)
second.push(b)
if k == MOVES_LIMIT:
print('draw')
break
else:
print('first' if first.size() else 'second', k) |
__all__ = [
"ParamScheduler",
"ConstantParamScheduler",
"CosineParamScheduler",
"LinearParamScheduler",
"CompositeParamScheduler",
"MultiStepParamScheduler",
"StepParamScheduler",
"StepWithFixedGammaParamScheduler",
"PolynomialDecayParamScheduler",
] | __all__ = ['ParamScheduler', 'ConstantParamScheduler', 'CosineParamScheduler', 'LinearParamScheduler', 'CompositeParamScheduler', 'MultiStepParamScheduler', 'StepParamScheduler', 'StepWithFixedGammaParamScheduler', 'PolynomialDecayParamScheduler'] |
name = str(input("Please enter your name: ")) #These two lines ask for password and name, then store them in variable
pw = str(input("Please enter a password: "))
print("Welcome", name) # Prints name
pwLength = len(pw) #Checks the length of the password
pwList = list(pw) #Lists each character of the string in a single array
print("Your password has " + str(pwLength) + " characters.") #Prints the number of characters in the string
if (pwLength < 8): #If the length of the password is smaller than 8, print the following message
print("Your password has less than 8 characters. We recommend at least 8 characters for the safety of your account.")
print("This is your obfuscated password: " + str(pwList[0]) + "#"*(pwLength-2) + str(pwList[pwLength-1]))
#This command is special. It takes the first character of the array of characters (hence index 0)
#Then it takes the length of the password-2, because you expose the first and last characters of the password
#times #, in order to obfuscate
#Finally, it takes the last index (length - 1) and prints the character associated to it, which is the last
#Character of the password | name = str(input('Please enter your name: '))
pw = str(input('Please enter a password: '))
print('Welcome', name)
pw_length = len(pw)
pw_list = list(pw)
print('Your password has ' + str(pwLength) + ' characters.')
if pwLength < 8:
print('Your password has less than 8 characters. We recommend at least 8 characters for the safety of your account.')
print('This is your obfuscated password: ' + str(pwList[0]) + '#' * (pwLength - 2) + str(pwList[pwLength - 1])) |
class DuplicateStageName(TypeError):
pass
class IncompleteStage(TypeError):
pass
class StageNotFound(ValueError):
pass
class ReservedNameError(TypeError):
pass
| class Duplicatestagename(TypeError):
pass
class Incompletestage(TypeError):
pass
class Stagenotfound(ValueError):
pass
class Reservednameerror(TypeError):
pass |
class Warrior:
def __init__(self, name, level, experience, rank):
self.name = name
self.level = level
self.experience = experience
self.rank = rank
def __str__(self):
return '[Warrior: %s, %s, %s, %s]' % (self.name, self.level, self.experience, self.rank)
def ranking (self, rank):
rank_1 = ['Pushover', 'Novice', 'Fighter', 'Warrior', 'Veteran',
'Sage', 'Elite', 'Conqueror', 'Champion', 'Master', 'Greatest']
self.rank = rank_1.pop(rank)
def training(self, experience):
self.experience = int(self.experience + experience)
self.level = int(self.experience // 100)
if self.level > 10:
self.rank = int(self.level // 10)
else:
self.rank = 1
print('Defeated Chuck Norris')
self.ranking(self.rank)
def battle(self, level):
if level <= 100:
if self.level == level:
self.experience = int(self.experience+10)
print('a good fight')
elif (self.level - level) == 1:
self.experience = int(self.experience+5)
print('a good fight')
elif (self.level - level) >= 2:
print('easy fight')
elif -5 < (self.level - level) < 0:
self.experience = int(self.experience + 20*int(level - self.level)**2)
print('an intence fight')
elif (self.level - level) < -5:
print('you loose')
else:
print('inavalid level')
self.level = int(self.experience // 100)
if self.level > 10:
self.rank = int(self.level // 10)
else:
self.rank = 1
self.ranking(self.rank)
class FellowFighter(Warrior):
def __init__(self, name, level, experience, rank):
Warrior.__init__(self, name, level, experience, rank)
class Fighter(Warrior):
def __init__(self, name, level, experience, rank):
Warrior.__init__(self, name, level, experience, rank)
if __name__ == '__main__':
bruce_lee = Warrior('Bruce Lee', 1, 100, 0)
bruce_lee.ranking(bruce_lee.rank)
print(bruce_lee)
print ('let start the training')
print ('your fellow fighter is Chuck Norris')
chuck_norris = FellowFighter ('Chuck Norris', 1, 100, 1)
chuck_norris.ranking(chuck_norris.rank)
print(chuck_norris)
bruce_lee.training(chuck_norris.experience)
print(bruce_lee)
van_dam = Fighter('Van Dam', 1, 700, 1)
van_dam.ranking(van_dam.rank)
print('fight with Van Dam')
print(van_dam)
bruce_lee.battle(van_dam.level)
print(bruce_lee) | class Warrior:
def __init__(self, name, level, experience, rank):
self.name = name
self.level = level
self.experience = experience
self.rank = rank
def __str__(self):
return '[Warrior: %s, %s, %s, %s]' % (self.name, self.level, self.experience, self.rank)
def ranking(self, rank):
rank_1 = ['Pushover', 'Novice', 'Fighter', 'Warrior', 'Veteran', 'Sage', 'Elite', 'Conqueror', 'Champion', 'Master', 'Greatest']
self.rank = rank_1.pop(rank)
def training(self, experience):
self.experience = int(self.experience + experience)
self.level = int(self.experience // 100)
if self.level > 10:
self.rank = int(self.level // 10)
else:
self.rank = 1
print('Defeated Chuck Norris')
self.ranking(self.rank)
def battle(self, level):
if level <= 100:
if self.level == level:
self.experience = int(self.experience + 10)
print('a good fight')
elif self.level - level == 1:
self.experience = int(self.experience + 5)
print('a good fight')
elif self.level - level >= 2:
print('easy fight')
elif -5 < self.level - level < 0:
self.experience = int(self.experience + 20 * int(level - self.level) ** 2)
print('an intence fight')
elif self.level - level < -5:
print('you loose')
else:
print('inavalid level')
self.level = int(self.experience // 100)
if self.level > 10:
self.rank = int(self.level // 10)
else:
self.rank = 1
self.ranking(self.rank)
class Fellowfighter(Warrior):
def __init__(self, name, level, experience, rank):
Warrior.__init__(self, name, level, experience, rank)
class Fighter(Warrior):
def __init__(self, name, level, experience, rank):
Warrior.__init__(self, name, level, experience, rank)
if __name__ == '__main__':
bruce_lee = warrior('Bruce Lee', 1, 100, 0)
bruce_lee.ranking(bruce_lee.rank)
print(bruce_lee)
print('let start the training')
print('your fellow fighter is Chuck Norris')
chuck_norris = fellow_fighter('Chuck Norris', 1, 100, 1)
chuck_norris.ranking(chuck_norris.rank)
print(chuck_norris)
bruce_lee.training(chuck_norris.experience)
print(bruce_lee)
van_dam = fighter('Van Dam', 1, 700, 1)
van_dam.ranking(van_dam.rank)
print('fight with Van Dam')
print(van_dam)
bruce_lee.battle(van_dam.level)
print(bruce_lee) |
#
# PySNMP MIB module BayNetworks-IISIS-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/BayNetworks-IISIS-MIB
# Produced by pysmi-0.3.4 at Wed May 1 11:42:41 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
ObjectIdentifier, Integer, OctetString = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "Integer", "OctetString")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
SingleValueConstraint, ValueSizeConstraint, ConstraintsIntersection, ValueRangeConstraint, ConstraintsUnion = mibBuilder.importSymbols("ASN1-REFINEMENT", "SingleValueConstraint", "ValueSizeConstraint", "ConstraintsIntersection", "ValueRangeConstraint", "ConstraintsUnion")
ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup")
Bits, NotificationType, MibIdentifier, Unsigned32, Integer32, iso, Counter32, TimeTicks, Counter64, IpAddress, ModuleIdentity, MibScalar, MibTable, MibTableRow, MibTableColumn, ObjectIdentity, Gauge32 = mibBuilder.importSymbols("SNMPv2-SMI", "Bits", "NotificationType", "MibIdentifier", "Unsigned32", "Integer32", "iso", "Counter32", "TimeTicks", "Counter64", "IpAddress", "ModuleIdentity", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "ObjectIdentity", "Gauge32")
TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString")
wfIisisGroup, = mibBuilder.importSymbols("Wellfleet-COMMON-MIB", "wfIisisGroup")
wfIisisGeneralGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1))
wfIisisGeneralDelete = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("created", 1), ("deleted", 2))).clone('created')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisGeneralDelete.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisGeneralDelete.setDescription("'This value determines whether I-ISIS is configured'")
wfIisisGeneralDisable = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2))).clone('enabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisGeneralDisable.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisGeneralDisable.setDescription("'The administrative status of I-ISIS in the router. The value 'enabled' denotes that the I-ISIS Process is active on at least one interface; 'disabled' disables it on all interfaces.'")
wfIisisGeneralState = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("invalid", 3), ("notpresent", 4))).clone('down')).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisGeneralState.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisGeneralState.setDescription("'The state of I-ISIS'")
wfIisisRouterId = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisRouterId.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisRouterId.setDescription('This value contains the system ID of this Intermediate System.')
wfIisisVersion = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 5), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisVersion.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisVersion.setDescription('This read-only parameter identifies the version number of the IS-IS protocol to which this node conforms to.')
wfIisisRouterType = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("l1only", 1), ("l2only", 2), ("l1l2", 3))).clone('l1l2')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisRouterType.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisRouterType.setDescription('This value determines whether this system is L1 only router L2 only router or L1-L2 IS.')
wfIisisSpfHoldDown = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 60)).clone(10)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisSpfHoldDown.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisSpfHoldDown.setDescription('Hold Down Timer for the SPF (in seconds). The SPF will run at most once per hold down timer value. A value of 0 means no hold down.')
wfIisisPrimaryLogMask = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 8), Gauge32().clone(287)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisPrimaryLogMask.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisPrimaryLogMask.setDescription("A parameter to specify which I-ISIS log messages should be logged. This will only effect the Primary I-ISIS gate. Each bit represents a message as defined below. A 1 in that bit location means to log it and a 0 means not to put that log message in the log. Changing this value will NOT restart I-ISIS, but will take effct immediately(if there are any messages to be logged. bit 31 bit 0 +---------------------------------------+ | | +---------------------------------------+ bit0 Trace Messages bit1 INFO Level messages bit2 debug level messages bit3 I-ISIS interface state change messages bit4 Nbr state changes bit5 self-origination of LSA's bit6 receipt of new LSA's bit7 changes to I-ISIS`s Routing Table bit8 Bad LS requests, Ack's, or updates bit9 receipt of less recent LSA's bit10 receipt of more recent self-originated LSA's bit11 receipt of MAxAge LSA's (i.e. LSA's being flushed) bit12 - 31 reserved ")
wfIisisMaximumPath = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 12)).clone(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisMaximumPath.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisMaximumPath.setDescription('Maximum number of equal cost paths allowed for a network installed by OSPF.')
wfIisisMaxAreas = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 3)).clone(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisMaxAreas.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisMaxAreas.setDescription('This value defines the maximum allowable number of areas addresses for the domain that this router exists in.')
wfIisisNumL1Lsps = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 11), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisNumL1Lsps.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisNumL1Lsps.setDescription('Number of L2 LSPS stored in the database')
wfIisisNumL2Lsps = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 12), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisNumL2Lsps.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisNumL2Lsps.setDescription('Number of L2 LSPS stored in the database')
wfIisisCksumIsPdus = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2))).clone('enabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisCksumIsPdus.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisCksumIsPdus.setDescription('This value indicates whether ISIS PDUs will carry a checksum.')
wfIisisL1LspPassword = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 14), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisL1LspPassword.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisL1LspPassword.setDescription('This assigns a password such that only L1 Lsps with the matching password will be accepted. All L1 Lsps generated by this system will contain this string in the password option.')
wfIisisL2LspPassword = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 15), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisL2LspPassword.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisL2LspPassword.setDescription('This assigns a password such that only L2 Lsps with the matching password will be accepted. All L2 Lsps generated by this system will contain this string in the password option.')
wfIisisAreaAddr = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 16), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisAreaAddr.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisAreaAddr.setDescription("This Assigns the area address for this router. This field must be filled in. If the user doesn't enter a value, then assign 0x470005. Site Manager must force the user to enter at least a 3-byte value for this field.")
wfIisisAreaAddrAlias1 = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 17), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisAreaAddrAlias1.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisAreaAddrAlias1.setDescription('This Assigns the first area address alias for this router. This field does no have to be filled in, but if the user tries to enter a value, Site Manager must make sure that it is at least 3-bytes in length.')
wfIisisAreaAddrAlias2 = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 18), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisAreaAddrAlias2.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisAreaAddrAlias2.setDescription('This Assigns the second area address alias for this router. This field does no have to be filled in, but if the user tries to enter a value, Site Manager must make sure that it is at least 3-bytes in length.')
wfIisisL1CorruptedLsps = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 19), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisL1CorruptedLsps.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisL1CorruptedLsps.setDescription('Number of Corrupted L1-Lsps Detected.')
wfIisisL2CorruptedLsps = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 20), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisL2CorruptedLsps.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisL2CorruptedLsps.setDescription('Number of Corrupted L2-Lsps Detected.')
wfIisisL1LspDbOverLoads = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 21), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisL1LspDbOverLoads.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisL1LspDbOverLoads.setDescription('Number of times the L1 Lsp Database Overload event has been generated.')
wfIisisL2LspDbOverLoads = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 22), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisL2LspDbOverLoads.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisL2LspDbOverLoads.setDescription('Number of times the L2Lsp Database Overload event has been generated.')
wfIisisNearestL2Is = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 23), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisNearestL2Is.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisNearestL2Is.setDescription('This is the ID of the nearest L2 system in this area.')
wfIisisNumL1Routes = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 24), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisNumL1Routes.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisNumL1Routes.setDescription('Number of L1 Routes.')
wfIisisNumL2Routes = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 25), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisNumL2Routes.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisNumL2Routes.setDescription('Number of L2 Routes.')
wfIisisMinLSPGenerationInterval = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 26), Integer32().subtype(subtypeSpec=ValueRangeConstraint(5, 900)).clone(30)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisMinLSPGenerationInterval.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisMinLSPGenerationInterval.setDescription('Min time interval(in secs) before LSP generation')
wfIisisMaxLSPGenerationInterval = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 27), Integer32().subtype(subtypeSpec=ValueRangeConstraint(150, 27000)).clone(900)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisMaxLSPGenerationInterval.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisMaxLSPGenerationInterval.setDescription('Max time interval(in secs) before LSP generation')
wfIisisMaxAge = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 28), Integer32().subtype(subtypeSpec=ValueRangeConstraint(300, 7200)).clone(1200)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisMaxAge.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisMaxAge.setDescription('The lifetime of the lsp after which it will be considered expired')
wfIisisMinLSPXmtInterval = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 29), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 100)).clone(5)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisMinLSPXmtInterval.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisMinLSPXmtInterval.setDescription('')
wfIisisPartialSNPInterval = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 30), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 30)).clone(2)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisPartialSNPInterval.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisPartialSNPInterval.setDescription('')
wfIisisZeroAgeLifetime = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 31), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 120)).clone(60)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisZeroAgeLifetime.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisZeroAgeLifetime.setDescription('If the remaining lifetime of an LSP reaches zero, the expired LSP will be kept in the database for this time (in seconds)')
wfIisisAgePend = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 32), Integer32().subtype(subtypeSpec=ValueRangeConstraint(10, 100)).clone(50)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisAgePend.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisAgePend.setDescription('The number of entries processed before this gate pends')
wfIisisCsnpBuildInterval = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 33), Integer32().subtype(subtypeSpec=ValueRangeConstraint(10, 1200)).clone(10)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisCsnpBuildInterval.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisCsnpBuildInterval.setDescription('The interval at which CSNPs are generated by the Designated IS')
wfIisisL2LspBufferSize = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 34), Integer32().subtype(subtypeSpec=ValueRangeConstraint(256, 16384)).clone(1497)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisL2LspBufferSize.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisL2LspBufferSize.setDescription('The max size of the LSP generated by system')
wfIisisL1SpfCnt = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 35), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisL1SpfCnt.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisL1SpfCnt.setDescription('The number of times the L1 I-ISIS SPF algorithm has been run for this area.')
wfIisisL2SpfCnt = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 36), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisL2SpfCnt.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisL2SpfCnt.setDescription('The number of times the L2 I-ISIS SPF algorithm has been run for this area.')
wfIisisAreaTable = MibTable((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 2), )
if mibBuilder.loadTexts: wfIisisAreaTable.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisAreaTable.setDescription("-- The I-ISIS Area Data Structure contains information -- regarding the various areas. The interfaces and -- links are configured as part of these areas. -- Area 0.0.0.0, by definition, is the Backbone Area 'Information describing the configured parameters and cumulative statistics of the router's attached areas.' REFERENCE 'I-ISIS Version 2, Section 6 The Area Data Structure'")
wfIisisAreaEntry = MibTableRow((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 2, 1), ).setIndexNames((0, "BayNetworks-IISIS-MIB", "wfIisisAreaId"))
if mibBuilder.loadTexts: wfIisisAreaEntry.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisAreaEntry.setDescription("'Information describing the configured parameters and cumulative statistics of one of the router's attached areas.'")
wfIisisAreaDelete = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 2, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("created", 1), ("deleted", 2))).clone('created')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisAreaDelete.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisAreaDelete.setDescription('This value determines if the I-ISIS router is configured with this area.')
wfIisisAreaDisable = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2))).clone('enabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisAreaDisable.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisAreaDisable.setDescription('This value indicates the state of this area on the I-ISIS router.')
wfIisisAreaState = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("up", 1), ("down", 2))).clone('down')).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisAreaState.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisAreaState.setDescription('This value indicates the state of the I-ISIS Area.')
wfIisisAreaId = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 2, 1, 4), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisAreaId.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisAreaId.setDescription('A 32-bit integer uniquely identifying an area. Area ID 0.0.0.0 is used for the I-ISIS backbone.')
wfIisisSpfCnt = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 2, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisSpfCnt.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisSpfCnt.setDescription('The number of times the I-ISIS SPF algorithm has been run for this area.')
wfIisisL1LspHdrTable = MibTable((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 3), )
if mibBuilder.loadTexts: wfIisisL1LspHdrTable.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisL1LspHdrTable.setDescription("2 u_int32's so the inst_id len is 2.")
wfIisisL1LspHdrEntry = MibTableRow((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 3, 1), ).setIndexNames((0, "BayNetworks-IISIS-MIB", "wfIisisL1LspHdrLspId"))
if mibBuilder.loadTexts: wfIisisL1LspHdrEntry.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisL1LspHdrEntry.setDescription('A Record in the Level 1 Lsp Header Table')
wfIisisL1LspHdrLspId = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 3, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(8, 8)).setFixedLength(8)).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisL1LspHdrLspId.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisL1LspHdrLspId.setDescription('LSPID = Source ID + Pseudo-node ID + LSP number')
wfIisisL1LspHdrLifetime = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 3, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisL1LspHdrLifetime.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisL1LspHdrLifetime.setDescription('Lsp Lifetime')
wfIisisL1LspHdrSeqnum = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 3, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisL1LspHdrSeqnum.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisL1LspHdrSeqnum.setDescription('Lsp sequence number')
wfIisisL1LspHdrFlags = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 3, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisL1LspHdrFlags.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisL1LspHdrFlags.setDescription('Flags: P/ATT/LSPDBOL/IS type')
wfIisisL1LspHdrCksum = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 3, 1, 5), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisL1LspHdrCksum.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisL1LspHdrCksum.setDescription('Checksum')
wfIisisL2LspHdrTable = MibTable((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 4), )
if mibBuilder.loadTexts: wfIisisL2LspHdrTable.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisL2LspHdrTable.setDescription("2 u_int32's so the inst_id len is 2.")
wfIisisL2LspHdrEntry = MibTableRow((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 4, 1), ).setIndexNames((0, "BayNetworks-IISIS-MIB", "wfIisisL2LspHdrLspId"))
if mibBuilder.loadTexts: wfIisisL2LspHdrEntry.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisL2LspHdrEntry.setDescription('A Record in the Lsp Header Table')
wfIisisL2LspHdrLspId = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 4, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(8, 8)).setFixedLength(8)).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisL2LspHdrLspId.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisL2LspHdrLspId.setDescription('LSPID = Source ID + Pseudo-node ID + LSP number')
wfIisisL2LspHdrLifetime = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 4, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisL2LspHdrLifetime.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisL2LspHdrLifetime.setDescription('Lsp Lifetime')
wfIisisL2LspHdrSeqnum = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 4, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisL2LspHdrSeqnum.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisL2LspHdrSeqnum.setDescription('Lsp sequence number')
wfIisisL2LspHdrFlags = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 4, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisL2LspHdrFlags.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisL2LspHdrFlags.setDescription('Flags: P/ATT/LSPDBOL/IS type')
wfIisisL2LspHdrCksum = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 4, 1, 5), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisL2LspHdrCksum.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisL2LspHdrCksum.setDescription('Checksum')
wfIisisIfTable = MibTable((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 5), )
if mibBuilder.loadTexts: wfIisisIfTable.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfTable.setDescription("-- I-ISIS Interface Table -- The I-ISIS Interface Table augments the ifTable with I-ISIS -- specific information. 'The I-ISIS Interface Table describes the interfaces from the viewpoint of I-ISIS.'")
wfIisisIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 5, 1), ).setIndexNames((0, "BayNetworks-IISIS-MIB", "wfIisisIfIpAddress"), (0, "BayNetworks-IISIS-MIB", "wfIisisAddressLessIf"))
if mibBuilder.loadTexts: wfIisisIfEntry.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfEntry.setDescription("'The I-ISIS Interface Entry describes one interface from the viewpoint of I-ISIS.'")
wfIisisIfDelete = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 5, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("created", 1), ("deleted", 2))).clone('created')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisIfDelete.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfDelete.setDescription('This variable determines in an I-ISIS Interface has been configured on the router.')
wfIisisIfDisable = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 5, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2))).clone('enabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisIfDisable.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfDisable.setDescription("'The I-ISIS interface's administrative status. The value 'enabled' denotes that neighbor relationships may be formed on the interface, and the interface will be advertised as an internal route to some area. The value 'disabled' denotes that the interface is external to I-ISIS.'")
wfIisisIfIpAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 5, 1, 3), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisIfIpAddress.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfIpAddress.setDescription("'The IP address of this I-ISIS interface.'")
wfIisisAddressLessIf = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 5, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisAddressLessIf.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisAddressLessIf.setDescription("'For the purpose of easing the instancing of addressed and addressless interfaces; This variable takes the value 0 on interfaces with IP Addresses, and the corresponding value of ifIndex for interfaces having no IP Address.'")
wfIisisIfRouterLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 5, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 6, 7, 8))).clone(namedValues=NamedValues(("l1", 1), ("l2", 2), ("l1l2", 3), ("ext", 4), ("l2ext", 6), ("l1l2ext", 7), ("esisonly", 8))).clone('l2')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisIfRouterLevel.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfRouterLevel.setDescription('This is the level protocol that the circuit runs. Its a bit mask to allow for some combination of L1, L2, External, ES-IS-only.')
wfIisisIfL1DefaultMetric = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 5, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 63)).clone(10)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisIfL1DefaultMetric.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfL1DefaultMetric.setDescription('This is the default cost of using this circuit for L1 traffic.')
wfIisisIfL2DefaultMetric = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 5, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 63)).clone(10)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisIfL2DefaultMetric.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfL2DefaultMetric.setDescription('This is the default cost of using this circuit for L2 traffic.')
wfIisisIfL1DrPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 5, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 127)).clone(64)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisIfL1DrPriority.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfL1DrPriority.setDescription('This is the priority for this system to become L1 designated router on this LAN circuit.')
wfIisisIfL2DrPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 5, 1, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 127)).clone(64)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisIfL2DrPriority.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfL2DrPriority.setDescription('This is the priority for this system to become L2 designated router on this LAN circuit.')
wfIisisIfHelloTimer = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 5, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 21845)).clone(10)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisIfHelloTimer.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfHelloTimer.setDescription('This is the period (secs) between IIH hello transmissions.')
wfIisisIfPassword = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 5, 1, 11), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisIfPassword.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfPassword.setDescription('This is Circuit Password for this circuit. Used to filter out Hellos from systems without the correct password.')
wfIisisIfHelloMtuSize = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 5, 1, 12), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 10000)).clone(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisIfHelloMtuSize.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfHelloMtuSize.setDescription('Configure Hello MTU size per I-ISIS interface This parameter has the following values/meanings: 1 - Use the MTU specified by IP 2 - Use the MTU of ethernet, regardless of what IP says > 2 - Use this value as the actual MTU. If the value is smaller than what I-ISIS needs as a minimum then the mtu specified by IP is used. For example, 3 would never be used as an MTU.')
wfIisisIfIihHoldMultiplier = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 5, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 5)).clone(3)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisIfIihHoldMultiplier.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfIihHoldMultiplier.setDescription('This is the multiplier value used to compute the hold time set in the IIH PDUs transmitted from this router. Hold time equals IIH Timer times IIH Hold Multiplier.')
wfIisisIfIshHoldMultiplier = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 5, 1, 14), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 5)).clone(3)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisIfIshHoldMultiplier.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfIshHoldMultiplier.setDescription('This is the multiplier value used to compute the hold time set in the ISH PDUs transmitted from this router. Hold time equals IIH Timer times IIH Hold Multiplier.')
wfIisisIfType = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 5, 1, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("broadcast", 1), ("pointtopoint", 2))).clone('broadcast')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisIfType.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfType.setDescription('The IISIS interface type.')
wfIisisIfCsnpTimer = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 5, 1, 16), Integer32().subtype(subtypeSpec=ValueRangeConstraint(10, 600)).clone(10)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIisisIfCsnpTimer.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfCsnpTimer.setDescription('This is the period (in seconds) between CSNP transmissions.')
wfIisisIfStatsTable = MibTable((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6), )
if mibBuilder.loadTexts: wfIisisIfStatsTable.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfStatsTable.setDescription('-- I-ISIS Interface Stats Table. ')
wfIisisIfStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1), ).setIndexNames((0, "BayNetworks-IISIS-MIB", "wfIisisIfStatsIpAddress"), (0, "BayNetworks-IISIS-MIB", "wfIisisStatsAddressLessIf"))
if mibBuilder.loadTexts: wfIisisIfStatsEntry.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfStatsEntry.setDescription("'The information regarding a interface'.")
wfIisisIfStatsIpAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 1), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisIfStatsIpAddress.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfStatsIpAddress.setDescription("'The IP address of this I-ISIS interface.'")
wfIisisStatsAddressLessIf = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisStatsAddressLessIf.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisStatsAddressLessIf.setDescription("'For the purpose of easing the instancing of addressed and addressless interfaces; This variable takes the value 0 on interfaces with IP Addresses, and the corresponding value of ifIndex for interfaces having no IP Address.'")
wfIisisIfStatsState = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("up", 1), ("down", 2))).clone('down')).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisIfStatsState.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfStatsState.setDescription('This indicates whether the circuit state is up or down.')
wfIisisIfStatsCct = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisIfStatsCct.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfStatsCct.setDescription('A unique value for each known circuit.')
wfIisisIfStatsL1TxHellos = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisIfStatsL1TxHellos.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfStatsL1TxHellos.setDescription('Number of I-ISIS Hello packets transmitted.')
wfIisisIfStatsL2TxHellos = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisIfStatsL2TxHellos.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfStatsL2TxHellos.setDescription('Number of I-ISIS Hello packets transmitted.')
wfIisisIfStatsL1RxHellos = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisIfStatsL1RxHellos.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfStatsL1RxHellos.setDescription('Number of I-ISIS Hello packets received.')
wfIisisIfStatsL2RxHellos = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisIfStatsL2RxHellos.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfStatsL2RxHellos.setDescription('Number of I-ISIS Hello packets received.')
wfIisisIfStatsL1Drops = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 9), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisIfStatsL1Drops.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfStatsL1Drops.setDescription('Number of I-ISIS packets dropped because of invalid information in the packet.')
wfIisisIfStatsL2Drops = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 10), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisIfStatsL2Drops.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfStatsL2Drops.setDescription('Number of I-ISIS packets dropped because of invalid information in the packet.')
wfIisisIfStatsL1DesignatedRouter = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 11), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisIfStatsL1DesignatedRouter.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfStatsL1DesignatedRouter.setDescription('This is the ID of the L1 Designated Router on this circuit.')
wfIisisIfStatsL2DesignatedRouter = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 12), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisIfStatsL2DesignatedRouter.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfStatsL2DesignatedRouter.setDescription('This is the ID of the L2 Designated Router on this circuit.')
wfIisisIfStatsTxL1Lsp = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 13), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisIfStatsTxL1Lsp.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfStatsTxL1Lsp.setDescription('Number of L1 LSPs(Link State Packet) transmitted.')
wfIisisIfStatsTxL2Lsp = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 14), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisIfStatsTxL2Lsp.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfStatsTxL2Lsp.setDescription('Number of L2 LSPs(Link State Packet) transmitted.')
wfIisisIfStatsTxL1Csnp = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 15), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisIfStatsTxL1Csnp.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfStatsTxL1Csnp.setDescription('Number of L1 CSNPs(Complete sequence no. packet) transmitted.')
wfIisisIfStatsTxL2Csnp = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 16), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisIfStatsTxL2Csnp.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfStatsTxL2Csnp.setDescription('Number of L2 CSNPs(Complete sequence no. packet) transmitted.')
wfIisisIfStatsTxL1Psnp = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 17), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisIfStatsTxL1Psnp.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfStatsTxL1Psnp.setDescription('Number of L1 PSNPs(Partial sequence no. packet) transmitted.')
wfIisisIfStatsTxL2Psnp = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 18), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisIfStatsTxL2Psnp.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfStatsTxL2Psnp.setDescription('Number of L2 PSNPs(Partial sequence no. packet) transmitted.')
wfIisisIfStatsRxL1Lsp = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 19), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisIfStatsRxL1Lsp.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfStatsRxL1Lsp.setDescription('Number of L1 LSPs(Link State Packet) received.')
wfIisisIfStatsRxL2Lsp = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 20), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisIfStatsRxL2Lsp.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfStatsRxL2Lsp.setDescription('Number of L2 LSPs(Link State Packet) received.')
wfIisisIfStatsRxL1Csnp = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 21), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisIfStatsRxL1Csnp.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfStatsRxL1Csnp.setDescription('Number of L1 CSNPs(Complete sequence no. packet) received.')
wfIisisIfStatsRxL2Csnp = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 22), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisIfStatsRxL2Csnp.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfStatsRxL2Csnp.setDescription('Number of L2 CSNPs(Complete sequence no. packet) received.')
wfIisisIfStatsRxL1Psnp = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 23), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisIfStatsRxL1Psnp.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfStatsRxL1Psnp.setDescription('Number of L1 PSNPs(Partial sequence no. packet) received.')
wfIisisIfStatsRxL2Psnp = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 24), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisIfStatsRxL2Psnp.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfStatsRxL2Psnp.setDescription('Number of L2 PSNPs(Partial sequence no. packet) received.')
wfIisisIfStatsL1NbrCount = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 25), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisIfStatsL1NbrCount.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfStatsL1NbrCount.setDescription('Count of neighbors with any state.')
wfIisisIfStatsL2NbrCount = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 26), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisIfStatsL2NbrCount.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfStatsL2NbrCount.setDescription('Count of neighbors with any state.')
wfIisisIfStatsL1AdjCount = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 27), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisIfStatsL1AdjCount.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfStatsL1AdjCount.setDescription('Count of neighbors with state UP.')
wfIisisIfStatsL2AdjCount = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 28), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisIfStatsL2AdjCount.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisIfStatsL2AdjCount.setDescription('Count of neighbors with state UP.')
wfIisisDynNbrTable = MibTable((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 7), )
if mibBuilder.loadTexts: wfIisisDynNbrTable.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisDynNbrTable.setDescription('-- I-ISIS Dynamic Neighbor Table The I-ISIS Dynamic Neighbor Table describes all neighbors in the locality of the subject router learned during operation.')
wfIisisDynNbrEntry = MibTableRow((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 7, 1), ).setIndexNames((0, "BayNetworks-IISIS-MIB", "wfIisisDynNbrIpAddr"), (0, "BayNetworks-IISIS-MIB", "wfIisisDynNbrAddressLessIndex"))
if mibBuilder.loadTexts: wfIisisDynNbrEntry.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisDynNbrEntry.setDescription("'The information regarding a single neighbor.' REFERENCE 'I-ISIS Version 2, Section 10 The Neighbor Data Structure'")
wfIisisDynNbrState = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 7, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("down", 1), ("init", 2), ("up", 3))).clone('down')).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisDynNbrState.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisDynNbrState.setDescription("'The State of the relationship with this Neighbor.'")
wfIisisDynNbrIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 7, 1, 2), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisDynNbrIpAddr.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisDynNbrIpAddr.setDescription("'The IP address of this neighbor.'")
wfIisisDynNbrIfAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 7, 1, 3), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisDynNbrIfAddr.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisDynNbrIfAddr.setDescription("'Our Interface IP address for this neighbor.'")
wfIisisDynNbrAddressLessIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 7, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisDynNbrAddressLessIndex.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisDynNbrAddressLessIndex.setDescription("'The circuit over which this neighbor is learnt.'")
wfIisisDynNbrRtrId = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 7, 1, 5), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisDynNbrRtrId.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisDynNbrRtrId.setDescription("'A 6 byte field representing the Intermediate system Id.'")
wfIisisDynNbrDatabase = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 7, 1, 6), Integer32().clone(3)).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisDynNbrDatabase.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisDynNbrDatabase.setDescription('Database into which the Adjacency is stored, 1=ES, 2=Level 1 IS, 3=Level 2 IS.')
wfIisisDynNbrType = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 7, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("broadcast", 1), ("pointtopoint", 2))).clone('broadcast')).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisDynNbrType.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisDynNbrType.setDescription('The type of adjacency.')
wfIisisDynNbrPseudonodeId = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 7, 1, 8), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisDynNbrPseudonodeId.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisDynNbrPseudonodeId.setDescription('A unique value for each known circuit.')
wfIisisDynNbrHoldTime = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 7, 1, 9), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisDynNbrHoldTime.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisDynNbrHoldTime.setDescription('Hold Time received from neighbor.')
wfIisisDynNbrPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 7, 1, 10), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisDynNbrPriority.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisDynNbrPriority.setDescription('Priority to become designated router. IS only.')
wfIisisDynNbrSnpaAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 7, 1, 11), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisDynNbrSnpaAddr.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisDynNbrSnpaAddr.setDescription('SNPA address for neighbor.')
wfIisisDynNbrLanId = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 7, 1, 12), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIisisDynNbrLanId.setStatus('mandatory')
if mibBuilder.loadTexts: wfIisisDynNbrLanId.setDescription('LAN ID of Designated IS of this interface.')
mibBuilder.exportSymbols("BayNetworks-IISIS-MIB", wfIisisIfStatsRxL2Lsp=wfIisisIfStatsRxL2Lsp, wfIisisL1LspPassword=wfIisisL1LspPassword, wfIisisL1LspDbOverLoads=wfIisisL1LspDbOverLoads, wfIisisIfStatsRxL1Csnp=wfIisisIfStatsRxL1Csnp, wfIisisVersion=wfIisisVersion, wfIisisL2LspHdrEntry=wfIisisL2LspHdrEntry, wfIisisIfStatsRxL1Lsp=wfIisisIfStatsRxL1Lsp, wfIisisIfStatsL1AdjCount=wfIisisIfStatsL1AdjCount, wfIisisAreaAddrAlias2=wfIisisAreaAddrAlias2, wfIisisAreaTable=wfIisisAreaTable, wfIisisIfStatsL2RxHellos=wfIisisIfStatsL2RxHellos, wfIisisAreaId=wfIisisAreaId, wfIisisDynNbrLanId=wfIisisDynNbrLanId, wfIisisSpfHoldDown=wfIisisSpfHoldDown, wfIisisL1LspHdrSeqnum=wfIisisL1LspHdrSeqnum, wfIisisIfStatsL1DesignatedRouter=wfIisisIfStatsL1DesignatedRouter, wfIisisGeneralDelete=wfIisisGeneralDelete, wfIisisIfEntry=wfIisisIfEntry, wfIisisPrimaryLogMask=wfIisisPrimaryLogMask, wfIisisIfPassword=wfIisisIfPassword, wfIisisDynNbrDatabase=wfIisisDynNbrDatabase, wfIisisNumL1Routes=wfIisisNumL1Routes, wfIisisDynNbrAddressLessIndex=wfIisisDynNbrAddressLessIndex, wfIisisL2LspHdrLifetime=wfIisisL2LspHdrLifetime, wfIisisDynNbrSnpaAddr=wfIisisDynNbrSnpaAddr, wfIisisL2LspHdrSeqnum=wfIisisL2LspHdrSeqnum, wfIisisIfType=wfIisisIfType, wfIisisIfStatsL2Drops=wfIisisIfStatsL2Drops, wfIisisL1LspHdrLifetime=wfIisisL1LspHdrLifetime, wfIisisL1SpfCnt=wfIisisL1SpfCnt, wfIisisIfHelloMtuSize=wfIisisIfHelloMtuSize, wfIisisIfL1DefaultMetric=wfIisisIfL1DefaultMetric, wfIisisCksumIsPdus=wfIisisCksumIsPdus, wfIisisAreaDelete=wfIisisAreaDelete, wfIisisIfIshHoldMultiplier=wfIisisIfIshHoldMultiplier, wfIisisIfStatsTable=wfIisisIfStatsTable, wfIisisAreaState=wfIisisAreaState, wfIisisIfStatsIpAddress=wfIisisIfStatsIpAddress, wfIisisAgePend=wfIisisAgePend, wfIisisGeneralGroup=wfIisisGeneralGroup, wfIisisCsnpBuildInterval=wfIisisCsnpBuildInterval, wfIisisL2LspBufferSize=wfIisisL2LspBufferSize, wfIisisIfTable=wfIisisIfTable, wfIisisIfRouterLevel=wfIisisIfRouterLevel, wfIisisL2LspDbOverLoads=wfIisisL2LspDbOverLoads, wfIisisIfIihHoldMultiplier=wfIisisIfIihHoldMultiplier, wfIisisIfStatsTxL1Psnp=wfIisisIfStatsTxL1Psnp, wfIisisIfStatsL1TxHellos=wfIisisIfStatsL1TxHellos, wfIisisIfDelete=wfIisisIfDelete, wfIisisMaximumPath=wfIisisMaximumPath, wfIisisDynNbrState=wfIisisDynNbrState, wfIisisL1LspHdrCksum=wfIisisL1LspHdrCksum, wfIisisIfStatsL2TxHellos=wfIisisIfStatsL2TxHellos, wfIisisIfL2DrPriority=wfIisisIfL2DrPriority, wfIisisIfStatsL1RxHellos=wfIisisIfStatsL1RxHellos, wfIisisIfIpAddress=wfIisisIfIpAddress, wfIisisRouterId=wfIisisRouterId, wfIisisAreaAddr=wfIisisAreaAddr, wfIisisL1LspHdrTable=wfIisisL1LspHdrTable, wfIisisAreaAddrAlias1=wfIisisAreaAddrAlias1, wfIisisDynNbrEntry=wfIisisDynNbrEntry, wfIisisDynNbrIfAddr=wfIisisDynNbrIfAddr, wfIisisRouterType=wfIisisRouterType, wfIisisDynNbrRtrId=wfIisisDynNbrRtrId, wfIisisL2LspPassword=wfIisisL2LspPassword, wfIisisDynNbrHoldTime=wfIisisDynNbrHoldTime, wfIisisIfStatsRxL1Psnp=wfIisisIfStatsRxL1Psnp, wfIisisIfStatsTxL1Csnp=wfIisisIfStatsTxL1Csnp, wfIisisAreaDisable=wfIisisAreaDisable, wfIisisIfCsnpTimer=wfIisisIfCsnpTimer, wfIisisPartialSNPInterval=wfIisisPartialSNPInterval, wfIisisIfStatsL2NbrCount=wfIisisIfStatsL2NbrCount, wfIisisIfStatsTxL1Lsp=wfIisisIfStatsTxL1Lsp, wfIisisL1CorruptedLsps=wfIisisL1CorruptedLsps, wfIisisDynNbrPseudonodeId=wfIisisDynNbrPseudonodeId, wfIisisIfL2DefaultMetric=wfIisisIfL2DefaultMetric, wfIisisAreaEntry=wfIisisAreaEntry, wfIisisIfStatsL1Drops=wfIisisIfStatsL1Drops, wfIisisL2SpfCnt=wfIisisL2SpfCnt, wfIisisMaxLSPGenerationInterval=wfIisisMaxLSPGenerationInterval, wfIisisIfStatsTxL2Lsp=wfIisisIfStatsTxL2Lsp, wfIisisIfDisable=wfIisisIfDisable, wfIisisGeneralDisable=wfIisisGeneralDisable, wfIisisStatsAddressLessIf=wfIisisStatsAddressLessIf, wfIisisNumL1Lsps=wfIisisNumL1Lsps, wfIisisL1LspHdrEntry=wfIisisL1LspHdrEntry, wfIisisDynNbrType=wfIisisDynNbrType, wfIisisSpfCnt=wfIisisSpfCnt, wfIisisIfStatsTxL2Csnp=wfIisisIfStatsTxL2Csnp, wfIisisDynNbrIpAddr=wfIisisDynNbrIpAddr, wfIisisNumL2Lsps=wfIisisNumL2Lsps, wfIisisGeneralState=wfIisisGeneralState, wfIisisMaxAreas=wfIisisMaxAreas, wfIisisIfStatsRxL2Psnp=wfIisisIfStatsRxL2Psnp, wfIisisL1LspHdrLspId=wfIisisL1LspHdrLspId, wfIisisDynNbrPriority=wfIisisDynNbrPriority, wfIisisL2LspHdrLspId=wfIisisL2LspHdrLspId, wfIisisNearestL2Is=wfIisisNearestL2Is, wfIisisL2LspHdrTable=wfIisisL2LspHdrTable, wfIisisIfStatsState=wfIisisIfStatsState, wfIisisIfStatsL2DesignatedRouter=wfIisisIfStatsL2DesignatedRouter, wfIisisL2LspHdrFlags=wfIisisL2LspHdrFlags, wfIisisZeroAgeLifetime=wfIisisZeroAgeLifetime, wfIisisIfStatsEntry=wfIisisIfStatsEntry, wfIisisMinLSPGenerationInterval=wfIisisMinLSPGenerationInterval, wfIisisIfStatsL2AdjCount=wfIisisIfStatsL2AdjCount, wfIisisAddressLessIf=wfIisisAddressLessIf, wfIisisNumL2Routes=wfIisisNumL2Routes, wfIisisL2CorruptedLsps=wfIisisL2CorruptedLsps, wfIisisIfStatsTxL2Psnp=wfIisisIfStatsTxL2Psnp, wfIisisL2LspHdrCksum=wfIisisL2LspHdrCksum, wfIisisMinLSPXmtInterval=wfIisisMinLSPXmtInterval, wfIisisMaxAge=wfIisisMaxAge, wfIisisL1LspHdrFlags=wfIisisL1LspHdrFlags, wfIisisIfL1DrPriority=wfIisisIfL1DrPriority, wfIisisIfStatsCct=wfIisisIfStatsCct, wfIisisIfHelloTimer=wfIisisIfHelloTimer, wfIisisIfStatsL1NbrCount=wfIisisIfStatsL1NbrCount, wfIisisIfStatsRxL2Csnp=wfIisisIfStatsRxL2Csnp, wfIisisDynNbrTable=wfIisisDynNbrTable)
| (object_identifier, integer, octet_string) = mibBuilder.importSymbols('ASN1', 'ObjectIdentifier', 'Integer', 'OctetString')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(single_value_constraint, value_size_constraint, constraints_intersection, value_range_constraint, constraints_union) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'SingleValueConstraint', 'ValueSizeConstraint', 'ConstraintsIntersection', 'ValueRangeConstraint', 'ConstraintsUnion')
(module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup')
(bits, notification_type, mib_identifier, unsigned32, integer32, iso, counter32, time_ticks, counter64, ip_address, module_identity, mib_scalar, mib_table, mib_table_row, mib_table_column, object_identity, gauge32) = mibBuilder.importSymbols('SNMPv2-SMI', 'Bits', 'NotificationType', 'MibIdentifier', 'Unsigned32', 'Integer32', 'iso', 'Counter32', 'TimeTicks', 'Counter64', 'IpAddress', 'ModuleIdentity', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'ObjectIdentity', 'Gauge32')
(textual_convention, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString')
(wf_iisis_group,) = mibBuilder.importSymbols('Wellfleet-COMMON-MIB', 'wfIisisGroup')
wf_iisis_general_group = mib_identifier((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1))
wf_iisis_general_delete = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('created', 1), ('deleted', 2))).clone('created')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisGeneralDelete.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisGeneralDelete.setDescription("'This value determines whether I-ISIS is configured'")
wf_iisis_general_disable = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2))).clone('enabled')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisGeneralDisable.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisGeneralDisable.setDescription("'The administrative status of I-ISIS in the router. The value 'enabled' denotes that the I-ISIS Process is active on at least one interface; 'disabled' disables it on all interfaces.'")
wf_iisis_general_state = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('up', 1), ('down', 2), ('invalid', 3), ('notpresent', 4))).clone('down')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisGeneralState.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisGeneralState.setDescription("'The state of I-ISIS'")
wf_iisis_router_id = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 4), octet_string()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisRouterId.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisRouterId.setDescription('This value contains the system ID of this Intermediate System.')
wf_iisis_version = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 5), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisVersion.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisVersion.setDescription('This read-only parameter identifies the version number of the IS-IS protocol to which this node conforms to.')
wf_iisis_router_type = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('l1only', 1), ('l2only', 2), ('l1l2', 3))).clone('l1l2')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisRouterType.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisRouterType.setDescription('This value determines whether this system is L1 only router L2 only router or L1-L2 IS.')
wf_iisis_spf_hold_down = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 7), integer32().subtype(subtypeSpec=value_range_constraint(0, 60)).clone(10)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisSpfHoldDown.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisSpfHoldDown.setDescription('Hold Down Timer for the SPF (in seconds). The SPF will run at most once per hold down timer value. A value of 0 means no hold down.')
wf_iisis_primary_log_mask = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 8), gauge32().clone(287)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisPrimaryLogMask.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisPrimaryLogMask.setDescription("A parameter to specify which I-ISIS log messages should be logged. This will only effect the Primary I-ISIS gate. Each bit represents a message as defined below. A 1 in that bit location means to log it and a 0 means not to put that log message in the log. Changing this value will NOT restart I-ISIS, but will take effct immediately(if there are any messages to be logged. bit 31 bit 0 +---------------------------------------+ | | +---------------------------------------+ bit0 Trace Messages bit1 INFO Level messages bit2 debug level messages bit3 I-ISIS interface state change messages bit4 Nbr state changes bit5 self-origination of LSA's bit6 receipt of new LSA's bit7 changes to I-ISIS`s Routing Table bit8 Bad LS requests, Ack's, or updates bit9 receipt of less recent LSA's bit10 receipt of more recent self-originated LSA's bit11 receipt of MAxAge LSA's (i.e. LSA's being flushed) bit12 - 31 reserved ")
wf_iisis_maximum_path = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 9), integer32().subtype(subtypeSpec=value_range_constraint(1, 12)).clone(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisMaximumPath.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisMaximumPath.setDescription('Maximum number of equal cost paths allowed for a network installed by OSPF.')
wf_iisis_max_areas = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(1, 3)).clone(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisMaxAreas.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisMaxAreas.setDescription('This value defines the maximum allowable number of areas addresses for the domain that this router exists in.')
wf_iisis_num_l1_lsps = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 11), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisNumL1Lsps.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisNumL1Lsps.setDescription('Number of L2 LSPS stored in the database')
wf_iisis_num_l2_lsps = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 12), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisNumL2Lsps.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisNumL2Lsps.setDescription('Number of L2 LSPS stored in the database')
wf_iisis_cksum_is_pdus = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2))).clone('enabled')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisCksumIsPdus.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisCksumIsPdus.setDescription('This value indicates whether ISIS PDUs will carry a checksum.')
wf_iisis_l1_lsp_password = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 14), display_string()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisL1LspPassword.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisL1LspPassword.setDescription('This assigns a password such that only L1 Lsps with the matching password will be accepted. All L1 Lsps generated by this system will contain this string in the password option.')
wf_iisis_l2_lsp_password = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 15), display_string()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisL2LspPassword.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisL2LspPassword.setDescription('This assigns a password such that only L2 Lsps with the matching password will be accepted. All L2 Lsps generated by this system will contain this string in the password option.')
wf_iisis_area_addr = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 16), octet_string()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisAreaAddr.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisAreaAddr.setDescription("This Assigns the area address for this router. This field must be filled in. If the user doesn't enter a value, then assign 0x470005. Site Manager must force the user to enter at least a 3-byte value for this field.")
wf_iisis_area_addr_alias1 = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 17), octet_string()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisAreaAddrAlias1.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisAreaAddrAlias1.setDescription('This Assigns the first area address alias for this router. This field does no have to be filled in, but if the user tries to enter a value, Site Manager must make sure that it is at least 3-bytes in length.')
wf_iisis_area_addr_alias2 = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 18), octet_string()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisAreaAddrAlias2.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisAreaAddrAlias2.setDescription('This Assigns the second area address alias for this router. This field does no have to be filled in, but if the user tries to enter a value, Site Manager must make sure that it is at least 3-bytes in length.')
wf_iisis_l1_corrupted_lsps = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 19), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisL1CorruptedLsps.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisL1CorruptedLsps.setDescription('Number of Corrupted L1-Lsps Detected.')
wf_iisis_l2_corrupted_lsps = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 20), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisL2CorruptedLsps.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisL2CorruptedLsps.setDescription('Number of Corrupted L2-Lsps Detected.')
wf_iisis_l1_lsp_db_over_loads = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 21), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisL1LspDbOverLoads.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisL1LspDbOverLoads.setDescription('Number of times the L1 Lsp Database Overload event has been generated.')
wf_iisis_l2_lsp_db_over_loads = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 22), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisL2LspDbOverLoads.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisL2LspDbOverLoads.setDescription('Number of times the L2Lsp Database Overload event has been generated.')
wf_iisis_nearest_l2_is = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 23), octet_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisNearestL2Is.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisNearestL2Is.setDescription('This is the ID of the nearest L2 system in this area.')
wf_iisis_num_l1_routes = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 24), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisNumL1Routes.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisNumL1Routes.setDescription('Number of L1 Routes.')
wf_iisis_num_l2_routes = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 25), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisNumL2Routes.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisNumL2Routes.setDescription('Number of L2 Routes.')
wf_iisis_min_lsp_generation_interval = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 26), integer32().subtype(subtypeSpec=value_range_constraint(5, 900)).clone(30)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisMinLSPGenerationInterval.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisMinLSPGenerationInterval.setDescription('Min time interval(in secs) before LSP generation')
wf_iisis_max_lsp_generation_interval = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 27), integer32().subtype(subtypeSpec=value_range_constraint(150, 27000)).clone(900)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisMaxLSPGenerationInterval.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisMaxLSPGenerationInterval.setDescription('Max time interval(in secs) before LSP generation')
wf_iisis_max_age = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 28), integer32().subtype(subtypeSpec=value_range_constraint(300, 7200)).clone(1200)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisMaxAge.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisMaxAge.setDescription('The lifetime of the lsp after which it will be considered expired')
wf_iisis_min_lsp_xmt_interval = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 29), integer32().subtype(subtypeSpec=value_range_constraint(0, 100)).clone(5)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisMinLSPXmtInterval.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisMinLSPXmtInterval.setDescription('')
wf_iisis_partial_snp_interval = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 30), integer32().subtype(subtypeSpec=value_range_constraint(1, 30)).clone(2)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisPartialSNPInterval.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisPartialSNPInterval.setDescription('')
wf_iisis_zero_age_lifetime = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 31), integer32().subtype(subtypeSpec=value_range_constraint(0, 120)).clone(60)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisZeroAgeLifetime.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisZeroAgeLifetime.setDescription('If the remaining lifetime of an LSP reaches zero, the expired LSP will be kept in the database for this time (in seconds)')
wf_iisis_age_pend = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 32), integer32().subtype(subtypeSpec=value_range_constraint(10, 100)).clone(50)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisAgePend.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisAgePend.setDescription('The number of entries processed before this gate pends')
wf_iisis_csnp_build_interval = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 33), integer32().subtype(subtypeSpec=value_range_constraint(10, 1200)).clone(10)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisCsnpBuildInterval.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisCsnpBuildInterval.setDescription('The interval at which CSNPs are generated by the Designated IS')
wf_iisis_l2_lsp_buffer_size = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 34), integer32().subtype(subtypeSpec=value_range_constraint(256, 16384)).clone(1497)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisL2LspBufferSize.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisL2LspBufferSize.setDescription('The max size of the LSP generated by system')
wf_iisis_l1_spf_cnt = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 35), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisL1SpfCnt.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisL1SpfCnt.setDescription('The number of times the L1 I-ISIS SPF algorithm has been run for this area.')
wf_iisis_l2_spf_cnt = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 1, 36), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisL2SpfCnt.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisL2SpfCnt.setDescription('The number of times the L2 I-ISIS SPF algorithm has been run for this area.')
wf_iisis_area_table = mib_table((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 2))
if mibBuilder.loadTexts:
wfIisisAreaTable.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisAreaTable.setDescription("-- The I-ISIS Area Data Structure contains information -- regarding the various areas. The interfaces and -- links are configured as part of these areas. -- Area 0.0.0.0, by definition, is the Backbone Area 'Information describing the configured parameters and cumulative statistics of the router's attached areas.' REFERENCE 'I-ISIS Version 2, Section 6 The Area Data Structure'")
wf_iisis_area_entry = mib_table_row((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 2, 1)).setIndexNames((0, 'BayNetworks-IISIS-MIB', 'wfIisisAreaId'))
if mibBuilder.loadTexts:
wfIisisAreaEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisAreaEntry.setDescription("'Information describing the configured parameters and cumulative statistics of one of the router's attached areas.'")
wf_iisis_area_delete = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 2, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('created', 1), ('deleted', 2))).clone('created')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisAreaDelete.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisAreaDelete.setDescription('This value determines if the I-ISIS router is configured with this area.')
wf_iisis_area_disable = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2))).clone('enabled')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisAreaDisable.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisAreaDisable.setDescription('This value indicates the state of this area on the I-ISIS router.')
wf_iisis_area_state = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('up', 1), ('down', 2))).clone('down')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisAreaState.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisAreaState.setDescription('This value indicates the state of the I-ISIS Area.')
wf_iisis_area_id = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 2, 1, 4), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisAreaId.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisAreaId.setDescription('A 32-bit integer uniquely identifying an area. Area ID 0.0.0.0 is used for the I-ISIS backbone.')
wf_iisis_spf_cnt = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 2, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisSpfCnt.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisSpfCnt.setDescription('The number of times the I-ISIS SPF algorithm has been run for this area.')
wf_iisis_l1_lsp_hdr_table = mib_table((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 3))
if mibBuilder.loadTexts:
wfIisisL1LspHdrTable.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisL1LspHdrTable.setDescription("2 u_int32's so the inst_id len is 2.")
wf_iisis_l1_lsp_hdr_entry = mib_table_row((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 3, 1)).setIndexNames((0, 'BayNetworks-IISIS-MIB', 'wfIisisL1LspHdrLspId'))
if mibBuilder.loadTexts:
wfIisisL1LspHdrEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisL1LspHdrEntry.setDescription('A Record in the Level 1 Lsp Header Table')
wf_iisis_l1_lsp_hdr_lsp_id = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 3, 1, 1), octet_string().subtype(subtypeSpec=value_size_constraint(8, 8)).setFixedLength(8)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisL1LspHdrLspId.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisL1LspHdrLspId.setDescription('LSPID = Source ID + Pseudo-node ID + LSP number')
wf_iisis_l1_lsp_hdr_lifetime = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 3, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisL1LspHdrLifetime.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisL1LspHdrLifetime.setDescription('Lsp Lifetime')
wf_iisis_l1_lsp_hdr_seqnum = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 3, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisL1LspHdrSeqnum.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisL1LspHdrSeqnum.setDescription('Lsp sequence number')
wf_iisis_l1_lsp_hdr_flags = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 3, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisL1LspHdrFlags.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisL1LspHdrFlags.setDescription('Flags: P/ATT/LSPDBOL/IS type')
wf_iisis_l1_lsp_hdr_cksum = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 3, 1, 5), octet_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisL1LspHdrCksum.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisL1LspHdrCksum.setDescription('Checksum')
wf_iisis_l2_lsp_hdr_table = mib_table((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 4))
if mibBuilder.loadTexts:
wfIisisL2LspHdrTable.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisL2LspHdrTable.setDescription("2 u_int32's so the inst_id len is 2.")
wf_iisis_l2_lsp_hdr_entry = mib_table_row((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 4, 1)).setIndexNames((0, 'BayNetworks-IISIS-MIB', 'wfIisisL2LspHdrLspId'))
if mibBuilder.loadTexts:
wfIisisL2LspHdrEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisL2LspHdrEntry.setDescription('A Record in the Lsp Header Table')
wf_iisis_l2_lsp_hdr_lsp_id = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 4, 1, 1), octet_string().subtype(subtypeSpec=value_size_constraint(8, 8)).setFixedLength(8)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisL2LspHdrLspId.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisL2LspHdrLspId.setDescription('LSPID = Source ID + Pseudo-node ID + LSP number')
wf_iisis_l2_lsp_hdr_lifetime = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 4, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisL2LspHdrLifetime.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisL2LspHdrLifetime.setDescription('Lsp Lifetime')
wf_iisis_l2_lsp_hdr_seqnum = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 4, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisL2LspHdrSeqnum.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisL2LspHdrSeqnum.setDescription('Lsp sequence number')
wf_iisis_l2_lsp_hdr_flags = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 4, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisL2LspHdrFlags.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisL2LspHdrFlags.setDescription('Flags: P/ATT/LSPDBOL/IS type')
wf_iisis_l2_lsp_hdr_cksum = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 4, 1, 5), octet_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisL2LspHdrCksum.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisL2LspHdrCksum.setDescription('Checksum')
wf_iisis_if_table = mib_table((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 5))
if mibBuilder.loadTexts:
wfIisisIfTable.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfTable.setDescription("-- I-ISIS Interface Table -- The I-ISIS Interface Table augments the ifTable with I-ISIS -- specific information. 'The I-ISIS Interface Table describes the interfaces from the viewpoint of I-ISIS.'")
wf_iisis_if_entry = mib_table_row((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 5, 1)).setIndexNames((0, 'BayNetworks-IISIS-MIB', 'wfIisisIfIpAddress'), (0, 'BayNetworks-IISIS-MIB', 'wfIisisAddressLessIf'))
if mibBuilder.loadTexts:
wfIisisIfEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfEntry.setDescription("'The I-ISIS Interface Entry describes one interface from the viewpoint of I-ISIS.'")
wf_iisis_if_delete = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 5, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('created', 1), ('deleted', 2))).clone('created')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisIfDelete.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfDelete.setDescription('This variable determines in an I-ISIS Interface has been configured on the router.')
wf_iisis_if_disable = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 5, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2))).clone('enabled')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisIfDisable.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfDisable.setDescription("'The I-ISIS interface's administrative status. The value 'enabled' denotes that neighbor relationships may be formed on the interface, and the interface will be advertised as an internal route to some area. The value 'disabled' denotes that the interface is external to I-ISIS.'")
wf_iisis_if_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 5, 1, 3), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisIfIpAddress.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfIpAddress.setDescription("'The IP address of this I-ISIS interface.'")
wf_iisis_address_less_if = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 5, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisAddressLessIf.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisAddressLessIf.setDescription("'For the purpose of easing the instancing of addressed and addressless interfaces; This variable takes the value 0 on interfaces with IP Addresses, and the corresponding value of ifIndex for interfaces having no IP Address.'")
wf_iisis_if_router_level = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 5, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 6, 7, 8))).clone(namedValues=named_values(('l1', 1), ('l2', 2), ('l1l2', 3), ('ext', 4), ('l2ext', 6), ('l1l2ext', 7), ('esisonly', 8))).clone('l2')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisIfRouterLevel.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfRouterLevel.setDescription('This is the level protocol that the circuit runs. Its a bit mask to allow for some combination of L1, L2, External, ES-IS-only.')
wf_iisis_if_l1_default_metric = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 5, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(1, 63)).clone(10)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisIfL1DefaultMetric.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfL1DefaultMetric.setDescription('This is the default cost of using this circuit for L1 traffic.')
wf_iisis_if_l2_default_metric = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 5, 1, 7), integer32().subtype(subtypeSpec=value_range_constraint(1, 63)).clone(10)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisIfL2DefaultMetric.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfL2DefaultMetric.setDescription('This is the default cost of using this circuit for L2 traffic.')
wf_iisis_if_l1_dr_priority = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 5, 1, 8), integer32().subtype(subtypeSpec=value_range_constraint(1, 127)).clone(64)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisIfL1DrPriority.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfL1DrPriority.setDescription('This is the priority for this system to become L1 designated router on this LAN circuit.')
wf_iisis_if_l2_dr_priority = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 5, 1, 9), integer32().subtype(subtypeSpec=value_range_constraint(1, 127)).clone(64)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisIfL2DrPriority.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfL2DrPriority.setDescription('This is the priority for this system to become L2 designated router on this LAN circuit.')
wf_iisis_if_hello_timer = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 5, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(1, 21845)).clone(10)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisIfHelloTimer.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfHelloTimer.setDescription('This is the period (secs) between IIH hello transmissions.')
wf_iisis_if_password = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 5, 1, 11), display_string()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisIfPassword.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfPassword.setDescription('This is Circuit Password for this circuit. Used to filter out Hellos from systems without the correct password.')
wf_iisis_if_hello_mtu_size = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 5, 1, 12), integer32().subtype(subtypeSpec=value_range_constraint(1, 10000)).clone(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisIfHelloMtuSize.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfHelloMtuSize.setDescription('Configure Hello MTU size per I-ISIS interface This parameter has the following values/meanings: 1 - Use the MTU specified by IP 2 - Use the MTU of ethernet, regardless of what IP says > 2 - Use this value as the actual MTU. If the value is smaller than what I-ISIS needs as a minimum then the mtu specified by IP is used. For example, 3 would never be used as an MTU.')
wf_iisis_if_iih_hold_multiplier = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 5, 1, 13), integer32().subtype(subtypeSpec=value_range_constraint(1, 5)).clone(3)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisIfIihHoldMultiplier.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfIihHoldMultiplier.setDescription('This is the multiplier value used to compute the hold time set in the IIH PDUs transmitted from this router. Hold time equals IIH Timer times IIH Hold Multiplier.')
wf_iisis_if_ish_hold_multiplier = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 5, 1, 14), integer32().subtype(subtypeSpec=value_range_constraint(1, 5)).clone(3)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisIfIshHoldMultiplier.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfIshHoldMultiplier.setDescription('This is the multiplier value used to compute the hold time set in the ISH PDUs transmitted from this router. Hold time equals IIH Timer times IIH Hold Multiplier.')
wf_iisis_if_type = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 5, 1, 15), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('broadcast', 1), ('pointtopoint', 2))).clone('broadcast')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisIfType.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfType.setDescription('The IISIS interface type.')
wf_iisis_if_csnp_timer = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 5, 1, 16), integer32().subtype(subtypeSpec=value_range_constraint(10, 600)).clone(10)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIisisIfCsnpTimer.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfCsnpTimer.setDescription('This is the period (in seconds) between CSNP transmissions.')
wf_iisis_if_stats_table = mib_table((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6))
if mibBuilder.loadTexts:
wfIisisIfStatsTable.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfStatsTable.setDescription('-- I-ISIS Interface Stats Table. ')
wf_iisis_if_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1)).setIndexNames((0, 'BayNetworks-IISIS-MIB', 'wfIisisIfStatsIpAddress'), (0, 'BayNetworks-IISIS-MIB', 'wfIisisStatsAddressLessIf'))
if mibBuilder.loadTexts:
wfIisisIfStatsEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfStatsEntry.setDescription("'The information regarding a interface'.")
wf_iisis_if_stats_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 1), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisIfStatsIpAddress.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfStatsIpAddress.setDescription("'The IP address of this I-ISIS interface.'")
wf_iisis_stats_address_less_if = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisStatsAddressLessIf.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisStatsAddressLessIf.setDescription("'For the purpose of easing the instancing of addressed and addressless interfaces; This variable takes the value 0 on interfaces with IP Addresses, and the corresponding value of ifIndex for interfaces having no IP Address.'")
wf_iisis_if_stats_state = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('up', 1), ('down', 2))).clone('down')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisIfStatsState.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfStatsState.setDescription('This indicates whether the circuit state is up or down.')
wf_iisis_if_stats_cct = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisIfStatsCct.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfStatsCct.setDescription('A unique value for each known circuit.')
wf_iisis_if_stats_l1_tx_hellos = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisIfStatsL1TxHellos.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfStatsL1TxHellos.setDescription('Number of I-ISIS Hello packets transmitted.')
wf_iisis_if_stats_l2_tx_hellos = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 6), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisIfStatsL2TxHellos.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfStatsL2TxHellos.setDescription('Number of I-ISIS Hello packets transmitted.')
wf_iisis_if_stats_l1_rx_hellos = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 7), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisIfStatsL1RxHellos.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfStatsL1RxHellos.setDescription('Number of I-ISIS Hello packets received.')
wf_iisis_if_stats_l2_rx_hellos = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 8), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisIfStatsL2RxHellos.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfStatsL2RxHellos.setDescription('Number of I-ISIS Hello packets received.')
wf_iisis_if_stats_l1_drops = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 9), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisIfStatsL1Drops.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfStatsL1Drops.setDescription('Number of I-ISIS packets dropped because of invalid information in the packet.')
wf_iisis_if_stats_l2_drops = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 10), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisIfStatsL2Drops.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfStatsL2Drops.setDescription('Number of I-ISIS packets dropped because of invalid information in the packet.')
wf_iisis_if_stats_l1_designated_router = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 11), octet_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisIfStatsL1DesignatedRouter.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfStatsL1DesignatedRouter.setDescription('This is the ID of the L1 Designated Router on this circuit.')
wf_iisis_if_stats_l2_designated_router = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 12), octet_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisIfStatsL2DesignatedRouter.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfStatsL2DesignatedRouter.setDescription('This is the ID of the L2 Designated Router on this circuit.')
wf_iisis_if_stats_tx_l1_lsp = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 13), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisIfStatsTxL1Lsp.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfStatsTxL1Lsp.setDescription('Number of L1 LSPs(Link State Packet) transmitted.')
wf_iisis_if_stats_tx_l2_lsp = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 14), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisIfStatsTxL2Lsp.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfStatsTxL2Lsp.setDescription('Number of L2 LSPs(Link State Packet) transmitted.')
wf_iisis_if_stats_tx_l1_csnp = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 15), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisIfStatsTxL1Csnp.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfStatsTxL1Csnp.setDescription('Number of L1 CSNPs(Complete sequence no. packet) transmitted.')
wf_iisis_if_stats_tx_l2_csnp = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 16), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisIfStatsTxL2Csnp.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfStatsTxL2Csnp.setDescription('Number of L2 CSNPs(Complete sequence no. packet) transmitted.')
wf_iisis_if_stats_tx_l1_psnp = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 17), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisIfStatsTxL1Psnp.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfStatsTxL1Psnp.setDescription('Number of L1 PSNPs(Partial sequence no. packet) transmitted.')
wf_iisis_if_stats_tx_l2_psnp = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 18), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisIfStatsTxL2Psnp.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfStatsTxL2Psnp.setDescription('Number of L2 PSNPs(Partial sequence no. packet) transmitted.')
wf_iisis_if_stats_rx_l1_lsp = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 19), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisIfStatsRxL1Lsp.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfStatsRxL1Lsp.setDescription('Number of L1 LSPs(Link State Packet) received.')
wf_iisis_if_stats_rx_l2_lsp = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 20), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisIfStatsRxL2Lsp.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfStatsRxL2Lsp.setDescription('Number of L2 LSPs(Link State Packet) received.')
wf_iisis_if_stats_rx_l1_csnp = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 21), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisIfStatsRxL1Csnp.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfStatsRxL1Csnp.setDescription('Number of L1 CSNPs(Complete sequence no. packet) received.')
wf_iisis_if_stats_rx_l2_csnp = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 22), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisIfStatsRxL2Csnp.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfStatsRxL2Csnp.setDescription('Number of L2 CSNPs(Complete sequence no. packet) received.')
wf_iisis_if_stats_rx_l1_psnp = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 23), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisIfStatsRxL1Psnp.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfStatsRxL1Psnp.setDescription('Number of L1 PSNPs(Partial sequence no. packet) received.')
wf_iisis_if_stats_rx_l2_psnp = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 24), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisIfStatsRxL2Psnp.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfStatsRxL2Psnp.setDescription('Number of L2 PSNPs(Partial sequence no. packet) received.')
wf_iisis_if_stats_l1_nbr_count = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 25), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisIfStatsL1NbrCount.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfStatsL1NbrCount.setDescription('Count of neighbors with any state.')
wf_iisis_if_stats_l2_nbr_count = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 26), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisIfStatsL2NbrCount.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfStatsL2NbrCount.setDescription('Count of neighbors with any state.')
wf_iisis_if_stats_l1_adj_count = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 27), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisIfStatsL1AdjCount.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfStatsL1AdjCount.setDescription('Count of neighbors with state UP.')
wf_iisis_if_stats_l2_adj_count = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 6, 1, 28), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisIfStatsL2AdjCount.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisIfStatsL2AdjCount.setDescription('Count of neighbors with state UP.')
wf_iisis_dyn_nbr_table = mib_table((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 7))
if mibBuilder.loadTexts:
wfIisisDynNbrTable.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisDynNbrTable.setDescription('-- I-ISIS Dynamic Neighbor Table The I-ISIS Dynamic Neighbor Table describes all neighbors in the locality of the subject router learned during operation.')
wf_iisis_dyn_nbr_entry = mib_table_row((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 7, 1)).setIndexNames((0, 'BayNetworks-IISIS-MIB', 'wfIisisDynNbrIpAddr'), (0, 'BayNetworks-IISIS-MIB', 'wfIisisDynNbrAddressLessIndex'))
if mibBuilder.loadTexts:
wfIisisDynNbrEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisDynNbrEntry.setDescription("'The information regarding a single neighbor.' REFERENCE 'I-ISIS Version 2, Section 10 The Neighbor Data Structure'")
wf_iisis_dyn_nbr_state = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 7, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('down', 1), ('init', 2), ('up', 3))).clone('down')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisDynNbrState.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisDynNbrState.setDescription("'The State of the relationship with this Neighbor.'")
wf_iisis_dyn_nbr_ip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 7, 1, 2), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisDynNbrIpAddr.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisDynNbrIpAddr.setDescription("'The IP address of this neighbor.'")
wf_iisis_dyn_nbr_if_addr = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 7, 1, 3), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisDynNbrIfAddr.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisDynNbrIfAddr.setDescription("'Our Interface IP address for this neighbor.'")
wf_iisis_dyn_nbr_address_less_index = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 7, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisDynNbrAddressLessIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisDynNbrAddressLessIndex.setDescription("'The circuit over which this neighbor is learnt.'")
wf_iisis_dyn_nbr_rtr_id = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 7, 1, 5), octet_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisDynNbrRtrId.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisDynNbrRtrId.setDescription("'A 6 byte field representing the Intermediate system Id.'")
wf_iisis_dyn_nbr_database = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 7, 1, 6), integer32().clone(3)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisDynNbrDatabase.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisDynNbrDatabase.setDescription('Database into which the Adjacency is stored, 1=ES, 2=Level 1 IS, 3=Level 2 IS.')
wf_iisis_dyn_nbr_type = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 7, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('broadcast', 1), ('pointtopoint', 2))).clone('broadcast')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisDynNbrType.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisDynNbrType.setDescription('The type of adjacency.')
wf_iisis_dyn_nbr_pseudonode_id = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 7, 1, 8), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisDynNbrPseudonodeId.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisDynNbrPseudonodeId.setDescription('A unique value for each known circuit.')
wf_iisis_dyn_nbr_hold_time = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 7, 1, 9), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisDynNbrHoldTime.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisDynNbrHoldTime.setDescription('Hold Time received from neighbor.')
wf_iisis_dyn_nbr_priority = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 7, 1, 10), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisDynNbrPriority.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisDynNbrPriority.setDescription('Priority to become designated router. IS only.')
wf_iisis_dyn_nbr_snpa_addr = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 7, 1, 11), octet_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisDynNbrSnpaAddr.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisDynNbrSnpaAddr.setDescription('SNPA address for neighbor.')
wf_iisis_dyn_nbr_lan_id = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 3, 2, 8, 7, 1, 12), octet_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIisisDynNbrLanId.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIisisDynNbrLanId.setDescription('LAN ID of Designated IS of this interface.')
mibBuilder.exportSymbols('BayNetworks-IISIS-MIB', wfIisisIfStatsRxL2Lsp=wfIisisIfStatsRxL2Lsp, wfIisisL1LspPassword=wfIisisL1LspPassword, wfIisisL1LspDbOverLoads=wfIisisL1LspDbOverLoads, wfIisisIfStatsRxL1Csnp=wfIisisIfStatsRxL1Csnp, wfIisisVersion=wfIisisVersion, wfIisisL2LspHdrEntry=wfIisisL2LspHdrEntry, wfIisisIfStatsRxL1Lsp=wfIisisIfStatsRxL1Lsp, wfIisisIfStatsL1AdjCount=wfIisisIfStatsL1AdjCount, wfIisisAreaAddrAlias2=wfIisisAreaAddrAlias2, wfIisisAreaTable=wfIisisAreaTable, wfIisisIfStatsL2RxHellos=wfIisisIfStatsL2RxHellos, wfIisisAreaId=wfIisisAreaId, wfIisisDynNbrLanId=wfIisisDynNbrLanId, wfIisisSpfHoldDown=wfIisisSpfHoldDown, wfIisisL1LspHdrSeqnum=wfIisisL1LspHdrSeqnum, wfIisisIfStatsL1DesignatedRouter=wfIisisIfStatsL1DesignatedRouter, wfIisisGeneralDelete=wfIisisGeneralDelete, wfIisisIfEntry=wfIisisIfEntry, wfIisisPrimaryLogMask=wfIisisPrimaryLogMask, wfIisisIfPassword=wfIisisIfPassword, wfIisisDynNbrDatabase=wfIisisDynNbrDatabase, wfIisisNumL1Routes=wfIisisNumL1Routes, wfIisisDynNbrAddressLessIndex=wfIisisDynNbrAddressLessIndex, wfIisisL2LspHdrLifetime=wfIisisL2LspHdrLifetime, wfIisisDynNbrSnpaAddr=wfIisisDynNbrSnpaAddr, wfIisisL2LspHdrSeqnum=wfIisisL2LspHdrSeqnum, wfIisisIfType=wfIisisIfType, wfIisisIfStatsL2Drops=wfIisisIfStatsL2Drops, wfIisisL1LspHdrLifetime=wfIisisL1LspHdrLifetime, wfIisisL1SpfCnt=wfIisisL1SpfCnt, wfIisisIfHelloMtuSize=wfIisisIfHelloMtuSize, wfIisisIfL1DefaultMetric=wfIisisIfL1DefaultMetric, wfIisisCksumIsPdus=wfIisisCksumIsPdus, wfIisisAreaDelete=wfIisisAreaDelete, wfIisisIfIshHoldMultiplier=wfIisisIfIshHoldMultiplier, wfIisisIfStatsTable=wfIisisIfStatsTable, wfIisisAreaState=wfIisisAreaState, wfIisisIfStatsIpAddress=wfIisisIfStatsIpAddress, wfIisisAgePend=wfIisisAgePend, wfIisisGeneralGroup=wfIisisGeneralGroup, wfIisisCsnpBuildInterval=wfIisisCsnpBuildInterval, wfIisisL2LspBufferSize=wfIisisL2LspBufferSize, wfIisisIfTable=wfIisisIfTable, wfIisisIfRouterLevel=wfIisisIfRouterLevel, wfIisisL2LspDbOverLoads=wfIisisL2LspDbOverLoads, wfIisisIfIihHoldMultiplier=wfIisisIfIihHoldMultiplier, wfIisisIfStatsTxL1Psnp=wfIisisIfStatsTxL1Psnp, wfIisisIfStatsL1TxHellos=wfIisisIfStatsL1TxHellos, wfIisisIfDelete=wfIisisIfDelete, wfIisisMaximumPath=wfIisisMaximumPath, wfIisisDynNbrState=wfIisisDynNbrState, wfIisisL1LspHdrCksum=wfIisisL1LspHdrCksum, wfIisisIfStatsL2TxHellos=wfIisisIfStatsL2TxHellos, wfIisisIfL2DrPriority=wfIisisIfL2DrPriority, wfIisisIfStatsL1RxHellos=wfIisisIfStatsL1RxHellos, wfIisisIfIpAddress=wfIisisIfIpAddress, wfIisisRouterId=wfIisisRouterId, wfIisisAreaAddr=wfIisisAreaAddr, wfIisisL1LspHdrTable=wfIisisL1LspHdrTable, wfIisisAreaAddrAlias1=wfIisisAreaAddrAlias1, wfIisisDynNbrEntry=wfIisisDynNbrEntry, wfIisisDynNbrIfAddr=wfIisisDynNbrIfAddr, wfIisisRouterType=wfIisisRouterType, wfIisisDynNbrRtrId=wfIisisDynNbrRtrId, wfIisisL2LspPassword=wfIisisL2LspPassword, wfIisisDynNbrHoldTime=wfIisisDynNbrHoldTime, wfIisisIfStatsRxL1Psnp=wfIisisIfStatsRxL1Psnp, wfIisisIfStatsTxL1Csnp=wfIisisIfStatsTxL1Csnp, wfIisisAreaDisable=wfIisisAreaDisable, wfIisisIfCsnpTimer=wfIisisIfCsnpTimer, wfIisisPartialSNPInterval=wfIisisPartialSNPInterval, wfIisisIfStatsL2NbrCount=wfIisisIfStatsL2NbrCount, wfIisisIfStatsTxL1Lsp=wfIisisIfStatsTxL1Lsp, wfIisisL1CorruptedLsps=wfIisisL1CorruptedLsps, wfIisisDynNbrPseudonodeId=wfIisisDynNbrPseudonodeId, wfIisisIfL2DefaultMetric=wfIisisIfL2DefaultMetric, wfIisisAreaEntry=wfIisisAreaEntry, wfIisisIfStatsL1Drops=wfIisisIfStatsL1Drops, wfIisisL2SpfCnt=wfIisisL2SpfCnt, wfIisisMaxLSPGenerationInterval=wfIisisMaxLSPGenerationInterval, wfIisisIfStatsTxL2Lsp=wfIisisIfStatsTxL2Lsp, wfIisisIfDisable=wfIisisIfDisable, wfIisisGeneralDisable=wfIisisGeneralDisable, wfIisisStatsAddressLessIf=wfIisisStatsAddressLessIf, wfIisisNumL1Lsps=wfIisisNumL1Lsps, wfIisisL1LspHdrEntry=wfIisisL1LspHdrEntry, wfIisisDynNbrType=wfIisisDynNbrType, wfIisisSpfCnt=wfIisisSpfCnt, wfIisisIfStatsTxL2Csnp=wfIisisIfStatsTxL2Csnp, wfIisisDynNbrIpAddr=wfIisisDynNbrIpAddr, wfIisisNumL2Lsps=wfIisisNumL2Lsps, wfIisisGeneralState=wfIisisGeneralState, wfIisisMaxAreas=wfIisisMaxAreas, wfIisisIfStatsRxL2Psnp=wfIisisIfStatsRxL2Psnp, wfIisisL1LspHdrLspId=wfIisisL1LspHdrLspId, wfIisisDynNbrPriority=wfIisisDynNbrPriority, wfIisisL2LspHdrLspId=wfIisisL2LspHdrLspId, wfIisisNearestL2Is=wfIisisNearestL2Is, wfIisisL2LspHdrTable=wfIisisL2LspHdrTable, wfIisisIfStatsState=wfIisisIfStatsState, wfIisisIfStatsL2DesignatedRouter=wfIisisIfStatsL2DesignatedRouter, wfIisisL2LspHdrFlags=wfIisisL2LspHdrFlags, wfIisisZeroAgeLifetime=wfIisisZeroAgeLifetime, wfIisisIfStatsEntry=wfIisisIfStatsEntry, wfIisisMinLSPGenerationInterval=wfIisisMinLSPGenerationInterval, wfIisisIfStatsL2AdjCount=wfIisisIfStatsL2AdjCount, wfIisisAddressLessIf=wfIisisAddressLessIf, wfIisisNumL2Routes=wfIisisNumL2Routes, wfIisisL2CorruptedLsps=wfIisisL2CorruptedLsps, wfIisisIfStatsTxL2Psnp=wfIisisIfStatsTxL2Psnp, wfIisisL2LspHdrCksum=wfIisisL2LspHdrCksum, wfIisisMinLSPXmtInterval=wfIisisMinLSPXmtInterval, wfIisisMaxAge=wfIisisMaxAge, wfIisisL1LspHdrFlags=wfIisisL1LspHdrFlags, wfIisisIfL1DrPriority=wfIisisIfL1DrPriority, wfIisisIfStatsCct=wfIisisIfStatsCct, wfIisisIfHelloTimer=wfIisisIfHelloTimer, wfIisisIfStatsL1NbrCount=wfIisisIfStatsL1NbrCount, wfIisisIfStatsRxL2Csnp=wfIisisIfStatsRxL2Csnp, wfIisisDynNbrTable=wfIisisDynNbrTable) |
env = MDPEnvironment()
for step in range(n_steps):
action = exploration_policy(env.state)
state = env.state
next_state, reward = env.step(action)
next_value = np.max(q_values[next_state]) # greedy policy
q_values[state, action] = (1-alpha)*q_values[state, action] + alpha*(reward + gamma * next_value)
q_values | env = mdp_environment()
for step in range(n_steps):
action = exploration_policy(env.state)
state = env.state
(next_state, reward) = env.step(action)
next_value = np.max(q_values[next_state])
q_values[state, action] = (1 - alpha) * q_values[state, action] + alpha * (reward + gamma * next_value)
q_values |
a = int(input())
b = int(input())
c = int(input())
d = int(input())
e = int(input())
f = int(input())
g = int(input())
h = int(input())
i = int(input())
A = []
A.append(a)
A.append(b)
A.append(c)
A.append(d)
A.append(e)
A.append(f)
A.append(g)
A.append(h)
A.append(i)
B = sorted(A)
maxnum = B[8]
for k in range(len(A)):
if A[k] == maxnum:
count = k+1
break
else:
None
print(maxnum)
print(count)
| a = int(input())
b = int(input())
c = int(input())
d = int(input())
e = int(input())
f = int(input())
g = int(input())
h = int(input())
i = int(input())
a = []
A.append(a)
A.append(b)
A.append(c)
A.append(d)
A.append(e)
A.append(f)
A.append(g)
A.append(h)
A.append(i)
b = sorted(A)
maxnum = B[8]
for k in range(len(A)):
if A[k] == maxnum:
count = k + 1
break
else:
None
print(maxnum)
print(count) |
#- Hours in a year. How many hours are in a year?
print (365 * 24)
#for the leap year e.g 2020
print (366 * 24)
#- Minutes in a decade. How many minutes are in a decade?
# Year has 365 days, day has 24 hour, hour has 60 minutes and decade equels 10 years
print (365 * 24 * 60 * 10)
#for the leap year e.g 2020
print (366 * 24 * 60 * 10)
#- Your age in seconds. How many seconds old are you?
#age,days,hours,minutes and seconds
print (26 * 366 * 24 * 60 * 60) | print(365 * 24)
print(366 * 24)
print(365 * 24 * 60 * 10)
print(366 * 24 * 60 * 10)
print(26 * 366 * 24 * 60 * 60) |
config = {
'unit_designation' : 'SALUD',
'sleep_interval' : 300, # seconds to sleep. Increase to have less frequent updates and longer battery life
'warn_threshold' : 1000,
'alarm_threshold' : 2100,
'temperature_offset' : 3, # if you care about temp from the sensor. Probably shouldn't.
'calibration_ppm' : 425, # important to set this to your location's ambient fresh air CO2 ppm and perform a fresh air calibration
'elevation' : 93, # elevation in meters above sea level
'barometric_pressure' : 1014, # this has an impact on humidity readings
'significant_change' : 25, # only report changes by this amount. Prevision
'power_saving_light_level' : 350, # below this light level, sleep longer
'power_saving_sleep_interval' : 900, # how long to sleep in the dark
'helpful_url' : 'https://github.com/patja/salud-co2-monitor/wiki/What-is-a-%22Salud%22%3F'
}
| config = {'unit_designation': 'SALUD', 'sleep_interval': 300, 'warn_threshold': 1000, 'alarm_threshold': 2100, 'temperature_offset': 3, 'calibration_ppm': 425, 'elevation': 93, 'barometric_pressure': 1014, 'significant_change': 25, 'power_saving_light_level': 350, 'power_saving_sleep_interval': 900, 'helpful_url': 'https://github.com/patja/salud-co2-monitor/wiki/What-is-a-%22Salud%22%3F'} |
class Rick:
def never(self) -> "Rick":
print("never ", end="")
return self
def gonna(self) -> "Rick":
print("gonna ", end="")
return self
def give(self) -> "Rick":
print("let ", end="")
return self
def you(self) -> "Rick":
print("you ", end="")
return self
def up(self) -> None:
print("down!")
if __name__ == "__main__":
rick = Rick()
rick.never().gonna().give().you().up()
| class Rick:
def never(self) -> 'Rick':
print('never ', end='')
return self
def gonna(self) -> 'Rick':
print('gonna ', end='')
return self
def give(self) -> 'Rick':
print('let ', end='')
return self
def you(self) -> 'Rick':
print('you ', end='')
return self
def up(self) -> None:
print('down!')
if __name__ == '__main__':
rick = rick()
rick.never().gonna().give().you().up() |
#!/usr/bin/env python3
######################################################################################
# #
# Program purpose: There are 10 vertical and horizontal squares on a plane. #
# Each square is painted blue and green. Blue represents the #
# sea, and green represents the land. When two green squares #
# are in contact with the top and bottom, or right and left, #
# they are said to be ground. The area created by only one #
# green square is called "island". For example, there are #
# five islands in the figure below. Program reads the mass #
# data and find the number of islands #
# Program Author : Happi Yvan <ivensteinpoker@gmail.com> #
# Creation Date : September 23, 2019 #
# #
######################################################################################
if __name__ == "__main__":
c = 0
def f(x, y, z):
if 0 <= y < 10 and 0 <= z < 10 and x[z][y] == '1':
x[z][y] = '0'
for dy, dz in [[-1, 0], [1, 0], [0, -1], [0, 1]]: f(x, y + dy, z + dz)
print("Input 10 rows of 10 numbers representing green squares (island) as 1 and blue squares (sea) as zeros")
while 1:
try:
if c:
input()
except:
break
x = [list(input()) for _ in [0] * 10]
c = 1
b = 0
for i in range(10):
for j in range(10):
if x[j][i] == '1':
b += 1
f(x, i, j)
print("Number of islands:")
print(b)
| if __name__ == '__main__':
c = 0
def f(x, y, z):
if 0 <= y < 10 and 0 <= z < 10 and (x[z][y] == '1'):
x[z][y] = '0'
for (dy, dz) in [[-1, 0], [1, 0], [0, -1], [0, 1]]:
f(x, y + dy, z + dz)
print('Input 10 rows of 10 numbers representing green squares (island) as 1 and blue squares (sea) as zeros')
while 1:
try:
if c:
input()
except:
break
x = [list(input()) for _ in [0] * 10]
c = 1
b = 0
for i in range(10):
for j in range(10):
if x[j][i] == '1':
b += 1
f(x, i, j)
print('Number of islands:')
print(b) |
n = int(input("Enter number of terms of the series to be displayed: "))
def fibonacci(_n):
if _n <= 1:
return _n
else:
return fibonacci(_n - 1) + fibonacci(_n - 2)
for i in range(n):
print(fibonacci(i), end=", ")
| n = int(input('Enter number of terms of the series to be displayed: '))
def fibonacci(_n):
if _n <= 1:
return _n
else:
return fibonacci(_n - 1) + fibonacci(_n - 2)
for i in range(n):
print(fibonacci(i), end=', ') |
# -*- coding: utf-8 -*-
__description__ = u'RPZ-IR-Sensor Utility'
__long_description__ = u'''RPZ-IR-Sensor Utility
'''
__author__ = u'osoken'
__email__ = u'osoken.devel@outlook.jp'
__version__ = '0.0.0'
__package_name__ = u'pyrpzirsensor'
| __description__ = u'RPZ-IR-Sensor Utility'
__long_description__ = u'RPZ-IR-Sensor Utility\n'
__author__ = u'osoken'
__email__ = u'osoken.devel@outlook.jp'
__version__ = '0.0.0'
__package_name__ = u'pyrpzirsensor' |
#Replace APIKEY with your Metoffice Datapoint API key, and LOCATION with
# the location you want weather for.
# Get your location from:
# http://datapoint.metoffice.gov.uk/public/data/val/wxfcs/all/json/sitelist?key=<your key here>
APIKEY = "<your key here>"
LOCATION = "<your location here>"
| apikey = '<your key here>'
location = '<your location here>' |
#
# PySNMP MIB module HUAWEI-AAA-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/HUAWEI-AAA-MIB
# Produced by pysmi-0.3.4 at Mon Apr 29 19:30:41 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
OctetString, Integer, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "OctetString", "Integer", "ObjectIdentifier")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ValueRangeConstraint, ConstraintsUnion, ValueSizeConstraint, ConstraintsIntersection, SingleValueConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueRangeConstraint", "ConstraintsUnion", "ValueSizeConstraint", "ConstraintsIntersection", "SingleValueConstraint")
huaweiMgmt, = mibBuilder.importSymbols("HUAWEI-MIB", "huaweiMgmt")
Ipv6AddressIfIdentifier, Ipv6AddressPrefix, Ipv6Address = mibBuilder.importSymbols("IPV6-TC", "Ipv6AddressIfIdentifier", "Ipv6AddressPrefix", "Ipv6Address")
ModuleCompliance, NotificationGroup, ObjectGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup", "ObjectGroup")
ModuleIdentity, IpAddress, iso, MibIdentifier, ObjectIdentity, Gauge32, Unsigned32, NotificationType, Bits, Integer32, TimeTicks, Counter32, MibScalar, MibTable, MibTableRow, MibTableColumn, Counter64 = mibBuilder.importSymbols("SNMPv2-SMI", "ModuleIdentity", "IpAddress", "iso", "MibIdentifier", "ObjectIdentity", "Gauge32", "Unsigned32", "NotificationType", "Bits", "Integer32", "TimeTicks", "Counter32", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Counter64")
DateAndTime, TextualConvention, RowStatus, DisplayString, TruthValue, MacAddress = mibBuilder.importSymbols("SNMPv2-TC", "DateAndTime", "TextualConvention", "RowStatus", "DisplayString", "TruthValue", "MacAddress")
hwAaa = ModuleIdentity((1, 3, 6, 1, 4, 1, 2011, 5, 2))
hwAaa.setRevisions(('2015-06-10 12:50', '2015-04-23 16:55', '2015-04-17 12:50', '2015-03-10 12:50', '2014-12-26 16:17', '2014-09-06 16:17', '2014-09-03 10:50', '2014-08-20 10:50', '2014-08-06 10:50', '2014-07-14 10:50', '2014-03-06 10:50', '2013-12-17 10:30', '2013-12-13 17:25', '2013-10-15 17:25', '2013-08-08 20:12', '2013-07-19 18:00', '2013-07-04 17:09', '2013-06-27 17:19', '2013-04-17 09:19', '2013-04-03 22:22', '2013-03-15 11:11', '2013-09-14 15:18', '2013-11-28 16:51', '2014-03-18 10:51', '2014-03-24 10:51', '2014-04-17 10:26', '2014-04-17 10:27', '2014-07-08 15:44', '2014-08-12 17:25', '2014-08-27 15:44', '2014-08-27 15:44', '2014-09-21 15:44', '2014-12-27 15:44', '2014-12-31 15:44', '2014-12-26 16:17', '2015-01-23 10:25', '2015-03-20 13:14', '2015-03-26 09:35', '2015-07-07 20:36', '2015-07-16 17:11', '2015-07-28 16:41', '2015-07-28 20:55', '2015-07-28 21:00', '2015-07-31 09:17', '2015-08-08 09:35', '2015-08-26 16:05', '2015-09-11 11:38',))
if mibBuilder.loadTexts: hwAaa.setLastUpdated('201506101250Z')
if mibBuilder.loadTexts: hwAaa.setOrganization('Huawei Technologies Co.,Ltd.')
hwAAAMibObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1))
hwAuthenSchemeTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 1), )
if mibBuilder.loadTexts: hwAuthenSchemeTable.setStatus('current')
hwAuthenSchemeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 1, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwAuthenSchemeName"))
if mibBuilder.loadTexts: hwAuthenSchemeEntry.setStatus('current')
hwAuthenSchemeName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 1, 1, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAuthenSchemeName.setStatus('current')
hwAuthenMethod = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32))).clone(namedValues=NamedValues(("local", 1), ("noauth", 2), ("radius", 3), ("localRadius", 4), ("radiusLocal", 5), ("radiusNoauth", 6), ("tacacs", 7), ("tacacsLocal", 8), ("localTacacs", 9), ("tacacsNoauth", 10), ("localNoauth", 11), ("radiusTacacs", 12), ("tacacsRadius", 13), ("localRadiusNoauth", 14), ("localTacacsNoauth", 15), ("radiusLocalNoauth", 16), ("radiusTacacsNoauth", 17), ("tacacsLocalNoauth", 18), ("tacacsRadiusNoauth", 19), ("localRadiusTacacs", 20), ("radiusLocalTacacs", 21), ("localTacacsRadius", 22), ("radiusTacacsLocal", 23), ("tacacsLocalRadius", 24), ("tacacsRadiusLocal", 25), ("localRadiusTacacsNoauth", 26), ("localTacacsRadiusNoauth", 27), ("radiusLocalTacacsNoauth", 28), ("radiusTacacsLocalNoauth", 29), ("tacacsLocalRadiusNoauth", 30), ("tacacsRadiusLocalNoauth", 31), ("radiusProxy", 32)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwAuthenMethod.setStatus('current')
hwAuthenRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 1, 1, 3), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwAuthenRowStatus.setStatus('current')
hwAuthenFailPolicy = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("online", 1), ("offline", 2)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwAuthenFailPolicy.setStatus('current')
hwAuthenFailDomain = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 1, 1, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwAuthenFailDomain.setStatus('current')
hwAcctSchemeTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 2), )
if mibBuilder.loadTexts: hwAcctSchemeTable.setStatus('current')
hwAcctSchemeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 2, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwAcctSchemeName"))
if mibBuilder.loadTexts: hwAcctSchemeEntry.setStatus('current')
hwAcctSchemeName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 2, 1, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAcctSchemeName.setStatus('current')
hwAccMethod = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(2, 3, 5))).clone(namedValues=NamedValues(("noacct", 2), ("radius", 3), ("hwtacacs", 5)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwAccMethod.setStatus('current')
hwAcctStartFail = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("none", 1), ("offline", 2)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwAcctStartFail.setStatus('current')
hwAcctOnlineFail = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("none", 1), ("offline", 2)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwAcctOnlineFail.setStatus('current')
hwAccRealTimeInter = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 2, 1, 5), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwAccRealTimeInter.setStatus('current')
hwAcctRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 2, 1, 6), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwAcctRowStatus.setStatus('current')
hwAcctRealTimeIntervalUnit = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 2, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("minute", 1), ("second", 2), ("none", 3)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwAcctRealTimeIntervalUnit.setStatus('current')
hwDomainTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4), )
if mibBuilder.loadTexts: hwDomainTable.setStatus('current')
hwDomainEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwDomainName"))
if mibBuilder.loadTexts: hwDomainEntry.setStatus('current')
hwDomainName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainName.setStatus('current')
hwDomainAuthenSchemeName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDomainAuthenSchemeName.setStatus('current')
hwDomainAcctSchemeName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDomainAcctSchemeName.setStatus('current')
hwDomainRadiusGroupName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDomainRadiusGroupName.setStatus('current')
hwDomainAccessLimitNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 283648))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDomainAccessLimitNum.setStatus('current')
hwDomainIfSrcRoute = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 7), TruthValue()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainIfSrcRoute.setStatus('current')
hwDomainNextHopIP = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 8), IpAddress()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDomainNextHopIP.setStatus('current')
hwDomainIdleCutTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1440))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDomainIdleCutTime.setStatus('current')
hwDomainIdleCutFlow = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-1, 768000))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDomainIdleCutFlow.setStatus('current')
hwDomainRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 11), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDomainRowStatus.setStatus('current')
hwDomainType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("normal", 1), ("device", 2)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDomainType.setStatus('current')
hwDomainServiceSchemeName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 13), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDomainServiceSchemeName.setStatus('current')
hwDomainIdleCutType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("both", 1), ("inbound", 2), ("outbound", 3)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwDomainIdleCutType.setStatus('current')
hwdomainipv6nexthop = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 15), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwdomainipv6nexthop.setStatus('current')
hwDomainForcePushUrl = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 16), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 200))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDomainForcePushUrl.setStatus('current')
hwDomainForcePushUrlTemplate = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 17), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 31))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDomainForcePushUrlTemplate.setStatus('current')
hwStateBlockFirstTimeRangeName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 18), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwStateBlockFirstTimeRangeName.setStatus('current')
hwStateBlockSecondTimeRangeName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 19), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwStateBlockSecondTimeRangeName.setStatus('current')
hwStateBlockThirdTimeRangeName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 20), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwStateBlockThirdTimeRangeName.setStatus('current')
hwStateBlockForthTimeRangeName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 21), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwStateBlockForthTimeRangeName.setStatus('current')
hwDomainFlowStatistic = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 22), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwDomainFlowStatistic.setStatus('current')
hwDomainExtTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5), )
if mibBuilder.loadTexts: hwDomainExtTable.setStatus('current')
hwDomainExtEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwDomainName"))
if mibBuilder.loadTexts: hwDomainExtEntry.setStatus('current')
hwDomainPPPURL = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 200))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwDomainPPPURL.setStatus('current')
hwIfDomainActive = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 2), TruthValue()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwIfDomainActive.setStatus('current')
hwPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwPriority.setStatus('current')
hwWebServerURL = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 200))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwWebServerURL.setStatus('current')
hwIPPoolOneName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwIPPoolOneName.setStatus('current')
hwIPPoolTwoName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwIPPoolTwoName.setStatus('current')
hwIPPoolThreeName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 7), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwIPPoolThreeName.setStatus('current')
hwTwoLevelAcctRadiusGroupName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 9), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwTwoLevelAcctRadiusGroupName.setStatus('current')
hwVPDNGroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(1, 1000), ValueRangeConstraint(65535, 65535), ))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwVPDNGroupIndex.setStatus('current')
hwUclIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 1023), ValueRangeConstraint(65535, 65535), ))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwUclIndex.setStatus('current')
hwIfPPPoeURL = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 12), TruthValue()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwIfPPPoeURL.setStatus('current')
hwUclGroupName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 13), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwUclGroupName.setStatus('current')
hwVpdnGroupName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 15), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwVpdnGroupName.setStatus('current')
hwDomainVrf = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 16), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 31))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwDomainVrf.setStatus('current')
hwDomainGre = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 17), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwDomainGre.setStatus('current')
hwDomainRenewIPTag = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 18), TruthValue().clone('false')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwDomainRenewIPTag.setStatus('current')
hwPortalURL = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 19), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 200))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwPortalURL.setStatus('current')
hwPortalServerIP = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 20), IpAddress()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwPortalServerIP.setStatus('current')
hwRedirectTimesLimit = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 21), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 5)).clone(2)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwRedirectTimesLimit.setStatus('current')
hwDot1xTemplate = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 22), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 256)).clone(1)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDot1xTemplate.setStatus('current')
hwWebServerIP = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 23), IpAddress()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwWebServerIP.setStatus('current')
hwWebServerMode = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 24), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 256))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwWebServerMode.setStatus('current')
hwPoolWarningThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 25), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(1, 100), ValueRangeConstraint(255, 255), )).clone(255)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwPoolWarningThreshold.setStatus('current')
hwTacGroupName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 26), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwTacGroupName.setStatus('current')
hwServicePolicyName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 27), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwServicePolicyName.setStatus('current')
hwCopsGroupSSGType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 28), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwCopsGroupSSGType.setStatus('current')
hwDomainAuthorSchemeName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 29), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDomainAuthorSchemeName.setStatus('current')
hwNtvUserProfileName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 30), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwNtvUserProfileName.setStatus('obsolete')
hwDomainQoSProfile = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 31), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDomainQoSProfile.setStatus('current')
hwDomainZone = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 32), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDomainZone.setStatus('current')
hwIfL2tpRadiusForce = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 33), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwIfL2tpRadiusForce.setStatus('current')
hwDownPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 34), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwDownPriority.setStatus('current')
hwPPPForceAuthtype = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 35), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 255))).clone(namedValues=NamedValues(("pap", 0), ("chap", 1), ("mschapv1", 2), ("mschapv2", 3), ("none", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwPPPForceAuthtype.setStatus('current')
hwDnsIPAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 36), IpAddress()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDnsIPAddress.setStatus('current')
hwAdminUserPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 37), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-1, 15))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwAdminUserPriority.setStatus('current')
hwShapingTemplate = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 38), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwShapingTemplate.setStatus('current')
hwDomainDPIPolicyName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 39), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDomainDPIPolicyName.setStatus('current')
hwCopsGroupSIGType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 40), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwCopsGroupSIGType.setStatus('current')
hwCopsGroupCIPNType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 41), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwCopsGroupCIPNType.setStatus('current')
hwPCReduceCir = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 43), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1000000))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwPCReduceCir.setStatus('current')
hwValAcctType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 44), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("none", 0), ("default", 1), ("radius", 2), ("cops", 3))).clone(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwValAcctType.setStatus('current')
hwValRadiusServer = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 45), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwValRadiusServer.setStatus('current')
hwValCopsServer = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 46), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwValCopsServer.setStatus('current')
hwPCReducePir = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 47), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1000000))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwPCReducePir.setStatus('current')
hwDomainInboundL2tpQoSProfile = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 48), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 63))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwDomainInboundL2tpQoSProfile.setStatus('current')
hwDomainOutboundL2tpQoSProfile = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 49), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 63))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwDomainOutboundL2tpQoSProfile.setStatus('current')
hwIfMulticastForward = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 50), TruthValue().clone(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwIfMulticastForward.setStatus('current')
hwMulticastVirtualSchedulRezCir = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 51), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(128, 1000000), ))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwMulticastVirtualSchedulRezCir.setStatus('current')
hwMulticastVirtualSchedulRezPir = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 52), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(128, 1000000), ))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwMulticastVirtualSchedulRezPir.setStatus('current')
hwMaxMulticastListNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 53), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 64))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwMaxMulticastListNum.setStatus('current')
hwMultiProfile = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 54), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwMultiProfile.setStatus('current')
hwDomainServiceType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 55), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("stb", 0), ("hsi", 1))).clone(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwDomainServiceType.setStatus('current')
hwWebServerUrlParameter = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 56), TruthValue().clone(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwWebServerUrlParameter.setStatus('current')
hwWebServerRedirectKeyMscgName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 57), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwWebServerRedirectKeyMscgName.setStatus('current')
hwPoratalServerUrlParameter = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 58), TruthValue().clone(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwPoratalServerUrlParameter.setStatus('current')
hwPoratalServerFirstUrlKeyName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 59), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwPoratalServerFirstUrlKeyName.setStatus('current')
hwPoratalServerFirstUrlKeyDefaultName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 60), TruthValue().clone(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwPoratalServerFirstUrlKeyDefaultName.setStatus('current')
hwDnsSecondIPAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 61), IpAddress()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDnsSecondIPAddress.setStatus('current')
hwDomainIgmpEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 62), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDomainIgmpEnable.setStatus('current')
hwIPv6PoolName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 63), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 65))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwIPv6PoolName.setStatus('current')
hwIPv6PrefixshareFlag = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 64), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("shared", 1), ("unshared", 2)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwIPv6PrefixshareFlag.setStatus('current')
hwUserBasicServiceIPType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 65), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 3))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwUserBasicServiceIPType.setStatus('current')
hwPriDnsIPv6Address = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 66), Ipv6Address()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwPriDnsIPv6Address.setStatus('current')
hwSecDnsIPv6Address = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 67), Ipv6Address()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwSecDnsIPv6Address.setStatus('current')
hwDualStackAccountingType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 68), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("seperate", 1), ("identical", 2)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDualStackAccountingType.setStatus('current')
hwIPv6PoolWarningThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 69), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwIPv6PoolWarningThreshold.setStatus('current')
hwIPv6CPWaitDHCPv6Delay = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 70), Integer32().subtype(subtypeSpec=ValueRangeConstraint(30, 120))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwIPv6CPWaitDHCPv6Delay.setStatus('current')
hwIPv6ManagedAddressFlag = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 71), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ndra", 1), ("dhcpv6", 2)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwIPv6ManagedAddressFlag.setStatus('current')
hwIPv6CPIFIDAvailable = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 72), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwIPv6CPIFIDAvailable.setStatus('current')
hwIPv6OtherFlag = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 73), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ndra", 1), ("dhcpv6", 2)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwIPv6OtherFlag.setStatus('current')
hwIPv6CPAssignIFID = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 74), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwIPv6CPAssignIFID.setStatus('current')
hwMultiIPv6ProfileName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 75), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwMultiIPv6ProfileName.setStatus('current')
hwWebServerURLSlave = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 76), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 200))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwWebServerURLSlave.setStatus('current')
hwWebServerIPSlave = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 77), IpAddress()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwWebServerIPSlave.setStatus('current')
hwBindAuthWebIP = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 78), IpAddress()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwBindAuthWebIP.setStatus('current')
hwBindAuthWebVrf = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 79), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 31))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwBindAuthWebVrf.setStatus('current')
hwBindAuthWebIPSlave = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 80), IpAddress()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwBindAuthWebIPSlave.setStatus('current')
hwBindAuthWebVrfSlave = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 81), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 31))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwBindAuthWebVrfSlave.setStatus('current')
hwExtVpdnGroupName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 82), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwExtVpdnGroupName.setStatus('current')
hwDomainUserGroupName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 83), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwDomainUserGroupName.setStatus('current')
hwAFTRName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 84), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 63))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwAFTRName.setStatus('current')
hwDomainDhcpOpt64SepAndSeg = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 85), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 5))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDomainDhcpOpt64SepAndSeg.setStatus('current')
hwDomainDhcpServerAck = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 86), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDomainDhcpServerAck.setStatus('current')
hwDomainStatTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6), )
if mibBuilder.loadTexts: hwDomainStatTable.setStatus('current')
hwDomainStatEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwDomainName"))
if mibBuilder.loadTexts: hwDomainStatEntry.setStatus('current')
hwDomainAccessedNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainAccessedNum.setStatus('current')
hwDomainOnlineNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainOnlineNum.setStatus('current')
hwDomainOnlinePPPUser = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainOnlinePPPUser.setStatus('current')
hwDomainFlowDnByte = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainFlowDnByte.setStatus('current')
hwDomainFlowDnPkt = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 5), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainFlowDnPkt.setStatus('current')
hwDomainFlowUpByte = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 6), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainFlowUpByte.setStatus('current')
hwDomainFlowUpPkt = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 7), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainFlowUpPkt.setStatus('current')
hwDomainIPTotalNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 8), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainIPTotalNum.setStatus('current')
hwDomainIPUsedNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 9), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainIPUsedNum.setStatus('current')
hwDomainIPConflictNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 10), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainIPConflictNum.setStatus('current')
hwDomainIPExcludeNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 11), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainIPExcludeNum.setStatus('current')
hwDomainIPIdleNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 12), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainIPIdleNum.setStatus('current')
hwDomainIPUsedPercent = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 13), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainIPUsedPercent.setStatus('current')
hwDomainPPPoENum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 14), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainPPPoENum.setStatus('current')
hwDomainAuthenRequestsRcvNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 15), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainAuthenRequestsRcvNum.setStatus('current')
hwDomainAuthenAcceptsNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 16), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainAuthenAcceptsNum.setStatus('current')
hwDomainAuthenRejectsNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 17), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainAuthenRejectsNum.setStatus('current')
hwDomainAcctRequestsRcvNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 18), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainAcctRequestsRcvNum.setStatus('current')
hwDomainAcctRspSuccessNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 19), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainAcctRspSuccessNum.setStatus('current')
hwDomainAcctRspFailuresNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 20), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainAcctRspFailuresNum.setStatus('current')
hwDomainIPv6AddressTotalNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 21), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainIPv6AddressTotalNum.setStatus('current')
hwDomainIPv6AddressUsedNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 22), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainIPv6AddressUsedNum.setStatus('current')
hwDomainIPv6AddressFreeNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 23), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainIPv6AddressFreeNum.setStatus('current')
hwDomainIPv6AddressConflictNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 24), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainIPv6AddressConflictNum.setStatus('current')
hwDomainIPv6AddressExcludeNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 25), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainIPv6AddressExcludeNum.setStatus('current')
hwDomainIPv6AddressUsedPercent = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 26), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainIPv6AddressUsedPercent.setStatus('current')
hwDomainNDRAPrefixTotalNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 27), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainNDRAPrefixTotalNum.setStatus('current')
hwDomainNDRAPrefixUsedNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 28), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainNDRAPrefixUsedNum.setStatus('current')
hwDomainNDRAPrefixFreeNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 29), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainNDRAPrefixFreeNum.setStatus('current')
hwDomainNDRAPrefixConflictNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 30), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainNDRAPrefixConflictNum.setStatus('current')
hwDomainNDRAPrefixExcludeNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 31), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainNDRAPrefixExcludeNum.setStatus('current')
hwDomainNDRAPrefixUsedPercent = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 32), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainNDRAPrefixUsedPercent.setStatus('current')
hwDomainPDPrefixTotalNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 33), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainPDPrefixTotalNum.setStatus('current')
hwDomainPDPrefixUsedNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 34), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainPDPrefixUsedNum.setStatus('current')
hwDomainPDPrefixFreeNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 35), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainPDPrefixFreeNum.setStatus('current')
hwDomainPDPrefixConflictNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 36), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainPDPrefixConflictNum.setStatus('current')
hwDomainPDPrefixExcludeNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 37), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainPDPrefixExcludeNum.setStatus('current')
hwDomainPDPrefixUsedPercent = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 38), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainPDPrefixUsedPercent.setStatus('current')
hwDomainIPv6FlowDnByte = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 39), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainIPv6FlowDnByte.setStatus('current')
hwDomainIPv6FlowDnPkt = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 40), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainIPv6FlowDnPkt.setStatus('current')
hwDomainIPv6FlowUpByte = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 41), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainIPv6FlowUpByte.setStatus('current')
hwDomainIPv6FlowUpPkt = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 42), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainIPv6FlowUpPkt.setStatus('current')
hwLocalUserTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10), )
if mibBuilder.loadTexts: hwLocalUserTable.setStatus('current')
hwLocalUserEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwLocalUserName"))
if mibBuilder.loadTexts: hwLocalUserEntry.setStatus('current')
hwLocalUserName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10, 1, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 253))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwLocalUserName.setStatus('current')
hwLocalUserPassword = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwLocalUserPassword.setStatus('current')
hwLocalUserAccessType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwLocalUserAccessType.setStatus('current')
hwLocalUserPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 16))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwLocalUserPriority.setStatus('current')
hwftpdirction = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10, 1, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 255))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwftpdirction.setStatus('current')
hwQosProfileName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10, 1, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwQosProfileName.setStatus('current')
hwLocalUserRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10, 1, 12), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwLocalUserRowStatus.setStatus('current')
hwLocalUserIpAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10, 1, 13), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwLocalUserIpAddress.setStatus('current')
hwLocalUserVpnInstance = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10, 1, 14), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 31))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwLocalUserVpnInstance.setStatus('current')
hwLocalUserAccessLimitNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10, 1, 15), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 4294967295))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwLocalUserAccessLimitNum.setStatus('current')
hwLocalUserPasswordLifetimeMin = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10, 1, 16), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwLocalUserPasswordLifetimeMin.setStatus('current')
hwLocalUserPasswordLifetimeMax = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10, 1, 17), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwLocalUserPasswordLifetimeMax.setStatus('current')
hwLocalUserIfAllowWeakPassword = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10, 1, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("notallow", 1), ("allow", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwLocalUserIfAllowWeakPassword.setStatus('current')
hwLocalUserPasswordSetTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10, 1, 19), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwLocalUserPasswordSetTime.setStatus('current')
hwLocalUserPasswordExpireTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10, 1, 20), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwLocalUserPasswordExpireTime.setStatus('current')
hwLocalUserPasswordIsExpired = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("notExpired", 0), ("expired", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwLocalUserPasswordIsExpired.setStatus('current')
hwLocalUserPasswordIsOrginal = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10, 1, 22), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("notOrginal", 0), ("orginal", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwLocalUserPasswordIsOrginal.setStatus('current')
hwLocalUserExtTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 11), )
if mibBuilder.loadTexts: hwLocalUserExtTable.setStatus('current')
hwLocalUserExtEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 11, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwLocalUserName"))
if mibBuilder.loadTexts: hwLocalUserExtEntry.setStatus('current')
hwLocalUserState = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 11, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("block", 0), ("active", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwLocalUserState.setStatus('current')
hwLocalUserNoCallBackVerify = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 11, 1, 3), TruthValue()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwLocalUserNoCallBackVerify.setStatus('current')
hwLocalUserCallBackDialStr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 11, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwLocalUserCallBackDialStr.setStatus('current')
hwLocalUserBlockFailTimes = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 11, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 10))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwLocalUserBlockFailTimes.setStatus('current')
hwLocalUserBlockInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 11, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwLocalUserBlockInterval.setStatus('current')
hwLocalUserUserGroup = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 11, 1, 7), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwLocalUserUserGroup.setStatus('current')
hwLocalUserDeviceType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 11, 1, 8), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 256))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwLocalUserDeviceType.setStatus('current')
hwLocalUserExpireDate = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 11, 1, 9), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 10))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwLocalUserExpireDate.setStatus('current')
hwLocalUserIdleTimeoutSecond = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 11, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwLocalUserIdleTimeoutSecond.setStatus('current')
hwLocalUserTimeRange = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 11, 1, 11), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwLocalUserTimeRange.setStatus('current')
hwAAASetting = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13))
hwAAASettingEntry = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1))
hwRoamChar = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwRoamChar.setStatus('current')
hwGlobalControl = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 2), TruthValue()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwGlobalControl.setStatus('current')
hwSystemRecord = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwSystemRecord.setStatus('current')
hwOutboundRecord = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwOutboundRecord.setStatus('current')
hwCmdRecord = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwCmdRecord.setStatus('current')
hwPPPUserOfflineStandardize = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 6), TruthValue()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwPPPUserOfflineStandardize.setStatus('current')
hwDomainNameParseDirection = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("lefttoright", 0), ("righttoleft", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwDomainNameParseDirection.setStatus('current')
hwDomainNameLocation = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("beforedelimiter", 0), ("afterdelimiter", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwDomainNameLocation.setStatus('current')
hwAccessSpeedNumber = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwAccessSpeedNumber.setStatus('current')
hwAccessSpeedPeriod = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwAccessSpeedPeriod.setStatus('current')
hwRealmNameChar = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 11), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwRealmNameChar.setStatus('current')
hwRealmParseDirection = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("lefttoright", 0), ("righttoleft", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwRealmParseDirection.setStatus('current')
hwIPOXpassword = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 14), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwIPOXpassword.setStatus('current')
hwAccessDelayTransitionStep = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 16), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 262144))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwAccessDelayTransitionStep.setStatus('current')
hwAccessDelayTime = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 17), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2550))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwAccessDelayTime.setStatus('current')
hwAccessDelayMinTime = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 18), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2550))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwAccessDelayMinTime.setStatus('current')
hwParsePriority = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("domainfirst", 0), ("realmfirst", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwParsePriority.setStatus('current')
hwRealmNameLocation = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("beforedelimiter", 0), ("afterdelimiter", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwRealmNameLocation.setStatus('current')
hwIPOXUsernameOption82 = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4))).clone(namedValues=NamedValues(("none", 0), ("first", 1), ("second", 2), ("third", 3), ("fourth", 4)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwIPOXUsernameOption82.setStatus('current')
hwIPOXUsernameIP = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 22), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4))).clone(namedValues=NamedValues(("none", 0), ("first", 1), ("second", 2), ("third", 3), ("fourth", 4)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwIPOXUsernameIP.setStatus('current')
hwIPOXUsernameSysname = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 23), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4))).clone(namedValues=NamedValues(("none", 0), ("first", 1), ("second", 2), ("third", 3), ("fourth", 4)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwIPOXUsernameSysname.setStatus('current')
hwIPOXUsernameMAC = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 24), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4))).clone(namedValues=NamedValues(("none", 0), ("first", 1), ("second", 2), ("third", 3), ("fourth", 4)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwIPOXUsernameMAC.setStatus('current')
hwDefaultUserName = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 25), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwDefaultUserName.setStatus('current')
hwNasSerial = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 26), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 31))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwNasSerial.setStatus('current')
hwAAAPasswordRepeatNumber = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 27), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 12))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwAAAPasswordRepeatNumber.setStatus('current')
hwAAAPasswordRemindDay = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 28), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 90))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwAAAPasswordRemindDay.setStatus('current')
hwOnlineUserNumLowerLimitThreshold = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 29), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 99), ValueRangeConstraint(255, 255), )).clone(255)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwOnlineUserNumLowerLimitThreshold.setStatus('current')
hwOnlineUserNumUpperLimitThreshold = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 30), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(1, 100), ValueRangeConstraint(255, 255), )).clone(255)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwOnlineUserNumUpperLimitThreshold.setStatus('current')
hwTriggerLoose = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 31), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 1440), ValueRangeConstraint(4294967295, 4294967295), )).clone(120)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwTriggerLoose.setStatus('current')
hwOfflineSpeedNumber = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 32), Integer32().subtype(subtypeSpec=ValueRangeConstraint(50, 256))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwOfflineSpeedNumber.setStatus('current')
hwIPOXpasswordKeyType = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 33), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("simple", 1), ("cipher", 2))).clone(2)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwIPOXpasswordKeyType.setStatus('current')
hwReauthorizeEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 34), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwReauthorizeEnable.setStatus('current')
hwDomainNameDelimiter = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 35), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwDomainNameDelimiter.setStatus('current')
hwDomainNameSecurityDelimiter = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 36), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwDomainNameSecurityDelimiter.setStatus('current')
hwGlobalAuthEventAuthFailResponseFail = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 37), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwGlobalAuthEventAuthFailResponseFail.setStatus('current')
hwGlobalAuthEventAuthFailVlan = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 38), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4094))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwGlobalAuthEventAuthFailVlan.setStatus('current')
hwGlobalAuthEventAuthenServerDownResponseFail = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 39), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwGlobalAuthEventAuthenServerDownResponseFail.setStatus('current')
hwGlobalAuthEventAuthenServerDownVlan = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 40), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4094))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwGlobalAuthEventAuthenServerDownVlan.setStatus('current')
hwGlobalAuthEventClientNoResponseVlan = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 41), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4094))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwGlobalAuthEventClientNoResponseVlan.setStatus('current')
hwGlobalAuthEventPreAuthVlan = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 42), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4094))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwGlobalAuthEventPreAuthVlan.setStatus('current')
hwGlobalAuthEventAuthFailUserGroup = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 43), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwGlobalAuthEventAuthFailUserGroup.setStatus('current')
hwGlobalAuthEventAuthenServerDownUserGroup = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 44), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwGlobalAuthEventAuthenServerDownUserGroup.setStatus('current')
hwGlobalAuthEventClientNoResponseUserGroup = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 45), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwGlobalAuthEventClientNoResponseUserGroup.setStatus('current')
hwGlobalAuthEventPreAuthUserGroup = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 46), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwGlobalAuthEventPreAuthUserGroup.setStatus('current')
hwAuthorModifyMode = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 47), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("overlay", 0), ("modify", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwAuthorModifyMode.setStatus('current')
hwLocalRetryInterval = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 48), Integer32().subtype(subtypeSpec=ValueRangeConstraint(5, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwLocalRetryInterval.setStatus('current')
hwLocalRetryTime = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 49), Integer32().subtype(subtypeSpec=ValueRangeConstraint(3, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwLocalRetryTime.setStatus('current')
hwLocalBlockTime = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 50), Integer32().subtype(subtypeSpec=ValueRangeConstraint(5, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwLocalBlockTime.setStatus('current')
hwRemoteRetryInterval = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 51), Integer32().subtype(subtypeSpec=ValueRangeConstraint(5, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwRemoteRetryInterval.setStatus('current')
hwRemoteRetryTime = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 52), Integer32().subtype(subtypeSpec=ValueRangeConstraint(3, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwRemoteRetryTime.setStatus('current')
hwRemoteBlockTime = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 53), Integer32().subtype(subtypeSpec=ValueRangeConstraint(5, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwRemoteBlockTime.setStatus('current')
hwBlockDisable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 54), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("localuser", 0), ("remoteuser", 1), ("localremoteuser", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwBlockDisable.setStatus('current')
hwAAAStat = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14))
hwAAAStatEntry = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1))
hwTotalOnlineNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwTotalOnlineNum.setStatus('current')
hwTotalPPPoeOnlineNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwTotalPPPoeOnlineNum.setStatus('current')
hwTotalPPPoAOnlineNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwTotalPPPoAOnlineNum.setStatus('current')
hwTotalftpOnlineNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwTotalftpOnlineNum.setStatus('current')
hwTotalsshOnlineNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwTotalsshOnlineNum.setStatus('current')
hwTotaltelnetOnlineNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 6), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwTotaltelnetOnlineNum.setStatus('current')
hwTotalVLANOnlineNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 7), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwTotalVLANOnlineNum.setStatus('current')
hwHistoricMaxOnlineNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 8), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwHistoricMaxOnlineNum.setStatus('current')
hwResetHistoricMaxOnlineNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0))).clone(namedValues=NamedValues(("reset", 0)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwResetHistoricMaxOnlineNum.setStatus('current')
hwResetOfflineReasonStatistic = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0))).clone(namedValues=NamedValues(("reset", 0)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwResetOfflineReasonStatistic.setStatus('current')
hwResetOnlineFailReasonStatistic = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0))).clone(namedValues=NamedValues(("reset", 0)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwResetOnlineFailReasonStatistic.setStatus('current')
hwMaxPPPoeOnlineNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 12), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwMaxPPPoeOnlineNum.setStatus('current')
hwTotalPortalServerUserNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 13), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwTotalPortalServerUserNum.setStatus('current')
hwMaxPortalServerUserNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 14), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwMaxPortalServerUserNum.setStatus('current')
hwTotalIPv4OnlineNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 15), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwTotalIPv4OnlineNum.setStatus('current')
hwTotalIPv6OnlineNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 16), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwTotalIPv6OnlineNum.setStatus('current')
hwTotalDualStackOnlineNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 17), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwTotalDualStackOnlineNum.setStatus('current')
hwTotalIPv4FlowDnByte = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 18), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwTotalIPv4FlowDnByte.setStatus('current')
hwTotalIPv4FlowDnPkt = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 19), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwTotalIPv4FlowDnPkt.setStatus('current')
hwTotalIPv4FlowUpByte = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 20), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwTotalIPv4FlowUpByte.setStatus('current')
hwTotalIPv4FlowUpPkt = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 21), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwTotalIPv4FlowUpPkt.setStatus('current')
hwTotalIPv6FlowDnByte = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 22), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwTotalIPv6FlowDnByte.setStatus('current')
hwTotalIPv6FlowDnPkt = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 23), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwTotalIPv6FlowDnPkt.setStatus('current')
hwTotalIPv6FlowUpByte = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 24), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwTotalIPv6FlowUpByte.setStatus('current')
hwTotalIPv6FlowUpPkt = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 25), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwTotalIPv6FlowUpPkt.setStatus('current')
hwHistoricMaxOnlineAcctReadyNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 26), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwHistoricMaxOnlineAcctReadyNum.setStatus('current')
hwPubicLacUserNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 27), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwPubicLacUserNum.setStatus('current')
hwHistoricMaxOnlineLocalNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 28), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwHistoricMaxOnlineLocalNum.setStatus('current')
hwHistoricMaxOnlineRemoteNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 29), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwHistoricMaxOnlineRemoteNum.setStatus('current')
hwTotalLacOnlineNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 30), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwTotalLacOnlineNum.setStatus('current')
hwTotalLnsOnlineNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 31), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwTotalLnsOnlineNum.setStatus('current')
hwTotalWlsOnlineNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 32), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwTotalWlsOnlineNum.setStatus('current')
hwTotalWrdOnlineNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 33), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwTotalWrdOnlineNum.setStatus('current')
hwDhcpUserOnlineFailCount = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 34), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwDhcpUserOnlineFailCount.setStatus('current')
hwAccessTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15), )
if mibBuilder.loadTexts: hwAccessTable.setStatus('current')
hwAccessEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwAccessIndex"))
if mibBuilder.loadTexts: hwAccessEntry.setStatus('current')
hwAccessIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1000000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessIndex.setStatus('current')
hwAccessUserName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 253))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessUserName.setStatus('current')
hwAccessPortType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=NamedValues(("all", 1), ("ppp", 2), ("vlan", 3), ("vlanweb", 4), ("vlanportal", 5), ("vlan8021x", 6), ("telnet", 7), ("ftp", 8), ("ssh", 9), ("igmp", 10)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessPortType.setStatus('current')
hwAccessPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 15), ValueRangeConstraint(255, 255), ))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessPriority.setStatus('current')
hwAccessSlotNo = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 8), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessSlotNo.setStatus('current')
hwAccessSubSlotNo = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 9), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessSubSlotNo.setStatus('current')
hwAccessPortNo = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 10), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessPortNo.setStatus('current')
hwAccessVLANID = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 11), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessVLANID.setStatus('current')
hwAccessPVC = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 12), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessPVC.setStatus('current')
hwAccessAuthenMethod = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=NamedValues(("local", 1), ("noauth", 2), ("radius", 3), ("localRadius", 4), ("radiusLocal", 5), ("radiusNoauth", 6), ("tacacs", 7), ("localTacacs", 8), ("tacacsLocal", 9), ("tacacsNone", 10)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessAuthenMethod.setStatus('current')
hwAccessAcctMethod = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("local", 1), ("radius", 2), ("noacct", 3), ("localradiusboth", 4), ("hwtacacs", 5), ("localhwtacacsboth", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessAcctMethod.setStatus('current')
hwAccessIPAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 15), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessIPAddress.setStatus('current')
hwAccessVRF = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 16), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 31))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessVRF.setStatus('current')
hwAccessMACAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 17), MacAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessMACAddress.setStatus('current')
hwAccessIfIdleCut = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 18), TruthValue()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessIfIdleCut.setStatus('current')
hwAccessIdleCutTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 19), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessIdleCutTime.setStatus('current')
hwAccessIdleCutFlow = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 20), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessIdleCutFlow.setStatus('current')
hwAccessTimeLimit = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 21), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessTimeLimit.setStatus('current')
hwAccessTotalFlow64Limit = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 22), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessTotalFlow64Limit.setStatus('current')
hwAccessStartTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 25), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessStartTime.setStatus('current')
hwAccessCARIfUpActive = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 27), TruthValue()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessCARIfUpActive.setStatus('current')
hwAccessCARIfDnActive = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 31), TruthValue()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessCARIfDnActive.setStatus('current')
hwAccessUpFlow64 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 36), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessUpFlow64.setStatus('current')
hwAccessDnFlow64 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 37), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessDnFlow64.setStatus('current')
hwAccessUpPacket64 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 38), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessUpPacket64.setStatus('current')
hwAccessDnPacket64 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 39), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessDnPacket64.setStatus('current')
hwAccessCARUpCIR = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 45), Integer32().subtype(subtypeSpec=ValueRangeConstraint(16, 10000000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessCARUpCIR.setStatus('current')
hwAccessCARUpPIR = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 46), Integer32().subtype(subtypeSpec=ValueRangeConstraint(16, 10000000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessCARUpPIR.setStatus('current')
hwAccessCARUpCBS = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 47), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(100, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessCARUpCBS.setStatus('current')
hwAccessCARUpPBS = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 48), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessCARUpPBS.setStatus('current')
hwAccessCARDnCIR = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 49), Integer32().subtype(subtypeSpec=ValueRangeConstraint(16, 10000000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessCARDnCIR.setStatus('current')
hwAccessCARDnPIR = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 50), Integer32().subtype(subtypeSpec=ValueRangeConstraint(16, 10000000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessCARDnPIR.setStatus('current')
hwAccessCARDnCBS = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 51), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(100, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessCARDnCBS.setStatus('current')
hwAccessCARDnPBS = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 52), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessCARDnPBS.setStatus('current')
hwAccessDownPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 53), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 15), ValueRangeConstraint(255, 255), ))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessDownPriority.setStatus('current')
hwAccessQosProfile = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 56), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 63))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwAccessQosProfile.setStatus('current')
hwAccessInterface = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 57), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 63))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessInterface.setStatus('current')
hwAccessIPv6IFID = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 58), Ipv6AddressIfIdentifier()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessIPv6IFID.setStatus('current')
hwAccessIPv6WanAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 59), Ipv6Address()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessIPv6WanAddress.setStatus('current')
hwAccessIPv6WanPrefix = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 60), Ipv6AddressPrefix()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessIPv6WanPrefix.setStatus('current')
hwAccessIPv6LanPrefix = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 61), Ipv6AddressPrefix()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessIPv6LanPrefix.setStatus('current')
hwAccessIPv6LanPrefixLen = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 62), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 128))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessIPv6LanPrefixLen.setStatus('current')
hwAccessBasicIPType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 63), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 3))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessBasicIPType.setStatus('current')
hwAccessIPv6WaitDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 64), Integer32().subtype(subtypeSpec=ValueRangeConstraint(30, 120))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessIPv6WaitDelay.setStatus('current')
hwAccessIPv6ManagedAddressFlag = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 65), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ndra", 1), ("dhcpv6", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessIPv6ManagedAddressFlag.setStatus('current')
hwAccessIPv6CPIFIDAvailable = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 66), TruthValue()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessIPv6CPIFIDAvailable.setStatus('current')
hwAccessIPv6OtherFlag = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 67), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ndra", 1), ("dhcpv6", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessIPv6OtherFlag.setStatus('current')
hwAccessIPv6CPAssignIFID = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 68), TruthValue()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessIPv6CPAssignIFID.setStatus('current')
hwAccessLineID = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 69), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessLineID.setStatus('current')
hwAccessIPv6UpFlow64 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 70), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessIPv6UpFlow64.setStatus('current')
hwAccessIPv6DnFlow64 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 71), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessIPv6DnFlow64.setStatus('current')
hwAccessIPv6UpPacket64 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 72), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessIPv6UpPacket64.setStatus('current')
hwAccessIPv6DnPacket64 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 73), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessIPv6DnPacket64.setStatus('current')
hwAccessDeviceName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 74), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessDeviceName.setStatus('current')
hwAccessDeviceMACAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 75), MacAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessDeviceMACAddress.setStatus('current')
hwAccessDevicePortName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 76), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessDevicePortName.setStatus('current')
hwAccessAPID = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 77), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294836225))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessAPID.setStatus('current')
hwAccessExtTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16), )
if mibBuilder.loadTexts: hwAccessExtTable.setStatus('current')
hwAccessExtEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwAccessIndex"))
if mibBuilder.loadTexts: hwAccessExtEntry.setStatus('current')
hwAccessUCLGroup = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 1023), ValueRangeConstraint(65535, 65535), ))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessUCLGroup.setStatus('current')
hwAuthenticationState = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAuthenticationState.setStatus('current')
hwAuthorizationState = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAuthorizationState.setStatus('current')
hwAccountingState = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 7))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccountingState.setStatus('current')
hwAccessDomainName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 7), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessDomainName.setStatus('current')
hwIdleTimeLength = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 120))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwIdleTimeLength.setStatus('current')
hwAcctSessionID = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 9), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 44))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAcctSessionID.setStatus('current')
hwAccessStartAcctTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 10), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessStartAcctTime.setStatus('current')
hwAccessNormalServerGroup = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 11), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessNormalServerGroup.setStatus('current')
hwAccessDomainAcctCopySeverGroup = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 12), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessDomainAcctCopySeverGroup.setStatus('current')
hwAccessPVlanAcctCopyServerGroup = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 13), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessPVlanAcctCopyServerGroup.setStatus('current')
hwAccessCurAuthenPlace = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("none", 0), ("local", 1), ("radius", 2), ("tacacs", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessCurAuthenPlace.setStatus('current')
hwAccessActionFlag = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("idle", 0), ("newuserauth", 1), ("reauth", 2), ("logout", 3), ("leaving", 4), ("authmodify", 5), ("connectup", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessActionFlag.setStatus('current')
hwAccessAuthtype = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("none", 0), ("ppp", 1), ("dot1x", 2), ("web", 3), ("bind", 4), ("fast", 5), ("wlan", 6), ("admin", 7), ("tunnel", 8)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessAuthtype.setStatus('current')
hwAccessType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36))).clone(namedValues=NamedValues(("telnet", 1), ("terminal", 2), ("ssh", 3), ("ftp", 4), ("x25pad", 5), ("ppp", 6), ("pppoe", 7), ("pppoeovlan", 8), ("pppoa", 9), ("pppoeoa", 10), ("pppolns", 11), ("ordinaryvlan", 12), ("eap", 13), ("pnp", 14), ("ip", 15), ("staticvlan", 16), ("layer2leasedline", 17), ("layer2leasedlineuser", 18), ("layer3leasedline", 19), ("pppoeleasedline", 20), ("nmsleasedline", 21), ("proxyleasedline", 22), ("relayleasedline", 23), ("e1pos", 24), ("lactunnel", 25), ("lnstunnel", 26), ("mip", 27), ("deviceuser", 28), ("pppoeor", 29), ("pppoeovlanor", 30), ("ordinaryvlanor", 31), ("http", 32), ("web", 33), ("wlan", 34), ("mac", 35), ("vm", 36)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessType.setStatus('current')
hwAccessOnlineTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 18), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessOnlineTime.setStatus('current')
hwAccessDomain = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 19), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwAccessDomain.setStatus('current')
hwAccessGateway = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 20), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessGateway.setStatus('current')
hwAccessSSID = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 21), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwAccessSSID.setStatus('current')
hwAccessAPMAC = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 22), MacAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessAPMAC.setStatus('current')
hwAccessCurAccountingPlace = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 23), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("none", 1), ("radius", 2), ("tacacs", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessCurAccountingPlace.setStatus('current')
hwAccessCurAuthorPlace = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 24), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("none", 1), ("local", 2), ("ifauthen", 3), ("tacacs", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessCurAuthorPlace.setStatus('current')
hwAccessUserGroup = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 25), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwAccessUserGroup.setStatus('current')
hwAccessResourceInsufficientInbound = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 26), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessResourceInsufficientInbound.setStatus('current')
hwAccessResourceInsufficientOutbound = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 27), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessResourceInsufficientOutbound.setStatus('current')
hwAcctSchemeExtTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 19), )
if mibBuilder.loadTexts: hwAcctSchemeExtTable.setStatus('current')
hwAcctSchemeExtEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 19, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwAcctSchemeName"))
if mibBuilder.loadTexts: hwAcctSchemeExtEntry.setStatus('current')
hwIfRealtimeAcct = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 19, 1, 1), TruthValue().clone('false')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwIfRealtimeAcct.setStatus('current')
hwRealtimeFailMaxnum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 19, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 255)).clone(3)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwRealtimeFailMaxnum.setStatus('current')
hwStartFailOnlineIfSendInterim = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 19, 1, 4), TruthValue().clone('false')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwStartFailOnlineIfSendInterim.setStatus('current')
hwBillPoolTable = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 21))
hwBillsPoolVolume = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 21, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwBillsPoolVolume.setStatus('current')
hwBillsPoolNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 21, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwBillsPoolNum.setStatus('current')
hwBillsPoolAlarmThreshold = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 21, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(50, 100))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwBillsPoolAlarmThreshold.setStatus('current')
hwBillsPoolBackupMode = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 21, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("nobackup", 1), ("tftpmode", 2), ("hdmode", 3), ("cfcardmode", 4)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwBillsPoolBackupMode.setStatus('current')
hwBillsPoolBackupInterval = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 21, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwBillsPoolBackupInterval.setStatus('current')
hwBillsPoolBackupNow = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 21, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwBillsPoolBackupNow.setStatus('current')
hwBillsPoolReset = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 21, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwBillsPoolReset.setStatus('current')
hwBillTFTPTable = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 22))
hwBillsTFTPSrvIP = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 22, 1), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwBillsTFTPSrvIP.setStatus('current')
hwBillsTFTPMainFileName = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 22, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 30))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwBillsTFTPMainFileName.setStatus('current')
hwUclGrpTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 25), )
if mibBuilder.loadTexts: hwUclGrpTable.setStatus('current')
hwUclGrpEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 25, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwUclGrpName"))
if mibBuilder.loadTexts: hwUclGrpEntry.setStatus('current')
hwUclGrpName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 25, 1, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwUclGrpName.setStatus('current')
hwUclGrpRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 25, 1, 2), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwUclGrpRowStatus.setStatus('current')
hwIPAccessTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 27), )
if mibBuilder.loadTexts: hwIPAccessTable.setStatus('current')
hwIPAccessEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 27, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwIPAccessIPaddress"), (0, "HUAWEI-AAA-MIB", "hwIPAccessVRF"))
if mibBuilder.loadTexts: hwIPAccessEntry.setStatus('current')
hwIPAccessIPaddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 27, 1, 1), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwIPAccessIPaddress.setStatus('current')
hwIPAccessCID = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 27, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwIPAccessCID.setStatus('current')
hwIPAccessVRF = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 27, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 31))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwIPAccessVRF.setStatus('current')
hwAAAMibTrap = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2))
hwAAATrapOid = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1))
hwDomainIndex = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1152))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hwDomainIndex.setStatus('current')
hwHdFreeamount = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 2), Integer32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hwHdFreeamount.setStatus('current')
hwHdWarningThreshold = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 3), Integer32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hwHdWarningThreshold.setStatus('current')
hwUserSlot = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 4), Integer32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hwUserSlot.setStatus('current')
hwUserSlotMaxNumThreshold = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 5), Integer32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hwUserSlotMaxNumThreshold.setStatus('current')
hwOnlineUserNumThreshold = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 6), Integer32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hwOnlineUserNumThreshold.setStatus('current')
hwMaxUserThresholdType = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 7), Integer32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hwMaxUserThresholdType.setStatus('current')
hwRbpChangeName = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 8), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 33))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hwRbpChangeName.setStatus('current')
hwRbpOldState = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("init", 0), ("master", 1), ("backup", 2)))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hwRbpOldState.setStatus('current')
hwRbpNewState = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("init", 0), ("master", 1), ("backup", 2)))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hwRbpNewState.setStatus('current')
hwRbpChangeReason = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 11), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 33))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hwRbpChangeReason.setStatus('current')
hwRbsName = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 12), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 33))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hwRbsName.setStatus('current')
hwRbsDownReason = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 13), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 65))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hwRbsDownReason.setStatus('current')
hwPolicyRouteThreshold = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 14), Integer32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hwPolicyRouteThreshold.setStatus('current')
hwPolicyRoute = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 15), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 255))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hwPolicyRoute.setStatus('current')
hwRemoteDownloadAclUsedValue = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 16), Integer32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hwRemoteDownloadAclUsedValue.setStatus('current')
hwRemoteDownloadAclThresholdValue = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 17), Integer32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hwRemoteDownloadAclThresholdValue.setStatus('current')
hwLoginFailedTimes = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 18), Integer32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hwLoginFailedTimes.setStatus('current')
hwStatisticPeriod = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 19), Integer32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hwStatisticPeriod.setStatus('current')
hwUserGroupNumThreshold = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 20), Integer32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hwUserGroupNumThreshold.setStatus('current')
hwUserGroupUsedNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 21), Integer32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hwUserGroupUsedNum.setStatus('current')
hwAAACpuUsage = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 22), Integer32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hwAAACpuUsage.setStatus('current')
hwAAAUserResourceUsage = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 23), Integer32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hwAAAUserResourceUsage.setStatus('current')
hwAAASessionGroupUpperLimitThreshold = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 24), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(1, 100), ValueRangeConstraint(255, 255), )).clone(255)).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hwAAASessionGroupUpperLimitThreshold.setStatus('current')
hwAAASessionGroupLowerLimitThreshold = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 25), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 99), ValueRangeConstraint(255, 255), )).clone(255)).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hwAAASessionGroupLowerLimitThreshold.setStatus('current')
hwAAASessionUpperLimitThreshold = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 26), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(1, 100), ValueRangeConstraint(255, 255), )).clone(255)).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hwAAASessionUpperLimitThreshold.setStatus('current')
hwAAASessionLowerLimitThreshold = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 27), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 99), ValueRangeConstraint(255, 255), )).clone(255)).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hwAAASessionLowerLimitThreshold.setStatus('current')
hwAAATimerExpireMajorLevelThreshold = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 28), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 100))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hwAAATimerExpireMajorLevelThreshold.setStatus('current')
hwAAATimerExpireMajorLevelResumeThreshold = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 29), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 100))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hwAAATimerExpireMajorLevelResumeThreshold.setStatus('current')
hwAAATimerExpireCriticalLevelThreshold = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 30), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 100))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hwAAATimerExpireCriticalLevelThreshold.setStatus('current')
hwAAATimerExpireCriticalLevelResumeThreshold = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 31), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 100))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hwAAATimerExpireCriticalLevelResumeThreshold.setStatus('current')
hwMacMovedQuietUserSpec = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 32), Integer32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hwMacMovedQuietUserSpec.setStatus('current')
hwMacMovedUserPercentage = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 33), Integer32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hwMacMovedUserPercentage.setStatus('current')
hwLowerMacMovedUserPercentage = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 34), Integer32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hwLowerMacMovedUserPercentage.setStatus('current')
hwUpperMacMovedUserPercentage = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 35), Integer32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hwUpperMacMovedUserPercentage.setStatus('current')
hwAAAChasisIPv6AddressThreshold = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 36), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hwAAAChasisIPv6AddressThreshold.setStatus('current')
hwAAASlotIPv6AddressThreshold = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 37), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hwAAASlotIPv6AddressThreshold.setStatus('current')
hwAAATrapsDefine = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2))
hwAAATraps = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0))
hwUserIPAllocAlarm = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 1)).setObjects(("HUAWEI-AAA-MIB", "hwDomainIndex"), ("HUAWEI-AAA-MIB", "hwDomainName"), ("HUAWEI-AAA-MIB", "hwPoolWarningThreshold"))
if mibBuilder.loadTexts: hwUserIPAllocAlarm.setStatus('current')
hwUserSlotMaxNum = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 2)).setObjects(("HUAWEI-AAA-MIB", "hwUserSlot"), ("HUAWEI-AAA-MIB", "hwUserSlotMaxNumThreshold"))
if mibBuilder.loadTexts: hwUserSlotMaxNum.setStatus('current')
hwOnlineUserNumAlarm = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 3)).setObjects(("HUAWEI-AAA-MIB", "hwOnlineUserNumThreshold"))
if mibBuilder.loadTexts: hwOnlineUserNumAlarm.setStatus('current')
hwSetUserQosProfileFail = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 4)).setObjects(("HUAWEI-AAA-MIB", "hwAccessIndex"), ("HUAWEI-AAA-MIB", "hwAccessUserName"), ("HUAWEI-AAA-MIB", "hwAccessQosProfile"))
if mibBuilder.loadTexts: hwSetUserQosProfileFail.setStatus('current')
hwUserMaxNum = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 5)).setObjects(("HUAWEI-AAA-MIB", "hwMaxUserThresholdType"), ("HUAWEI-AAA-MIB", "hwUserSlot"), ("HUAWEI-AAA-MIB", "hwUserSlotMaxNumThreshold"))
if mibBuilder.loadTexts: hwUserMaxNum.setStatus('current')
hwRbpStateChange = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 6)).setObjects(("HUAWEI-AAA-MIB", "hwRbpChangeName"), ("HUAWEI-AAA-MIB", "hwRbpOldState"), ("HUAWEI-AAA-MIB", "hwRbpNewState"), ("HUAWEI-AAA-MIB", "hwRbpChangeReason"))
if mibBuilder.loadTexts: hwRbpStateChange.setStatus('current')
hwRbsDown = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 7)).setObjects(("HUAWEI-AAA-MIB", "hwRbsName"), ("HUAWEI-AAA-MIB", "hwRbsDownReason"))
if mibBuilder.loadTexts: hwRbsDown.setStatus('current')
hwRbsUp = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 8)).setObjects(("HUAWEI-AAA-MIB", "hwRbsName"))
if mibBuilder.loadTexts: hwRbsUp.setStatus('current')
hwUserIPv6AddressAllocAlarm = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 9)).setObjects(("HUAWEI-AAA-MIB", "hwDomainIndex"), ("HUAWEI-AAA-MIB", "hwDomainName"), ("HUAWEI-AAA-MIB", "hwIPv6PoolWarningThreshold"))
if mibBuilder.loadTexts: hwUserIPv6AddressAllocAlarm.setStatus('current')
hwUserNDRAPrefixAllocAlarm = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 10)).setObjects(("HUAWEI-AAA-MIB", "hwDomainIndex"), ("HUAWEI-AAA-MIB", "hwDomainName"), ("HUAWEI-AAA-MIB", "hwIPv6PoolWarningThreshold"))
if mibBuilder.loadTexts: hwUserNDRAPrefixAllocAlarm.setStatus('current')
hwUserDelegationPrefixAllocAlarm = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 11)).setObjects(("HUAWEI-AAA-MIB", "hwDomainIndex"), ("HUAWEI-AAA-MIB", "hwDomainName"), ("HUAWEI-AAA-MIB", "hwIPv6PoolWarningThreshold"))
if mibBuilder.loadTexts: hwUserDelegationPrefixAllocAlarm.setStatus('current')
hwUserIPAllocAlarmResume = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 12)).setObjects(("HUAWEI-AAA-MIB", "hwDomainIndex"), ("HUAWEI-AAA-MIB", "hwDomainName"), ("HUAWEI-AAA-MIB", "hwPoolWarningThreshold"))
if mibBuilder.loadTexts: hwUserIPAllocAlarmResume.setStatus('current')
hwUserIPv6AddressAllocAlarmResume = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 13)).setObjects(("HUAWEI-AAA-MIB", "hwDomainIndex"), ("HUAWEI-AAA-MIB", "hwDomainName"), ("HUAWEI-AAA-MIB", "hwIPv6PoolWarningThreshold"))
if mibBuilder.loadTexts: hwUserIPv6AddressAllocAlarmResume.setStatus('current')
hwUserNDRAPrefixAllocAlarmResume = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 14)).setObjects(("HUAWEI-AAA-MIB", "hwDomainIndex"), ("HUAWEI-AAA-MIB", "hwDomainName"), ("HUAWEI-AAA-MIB", "hwIPv6PoolWarningThreshold"))
if mibBuilder.loadTexts: hwUserNDRAPrefixAllocAlarmResume.setStatus('current')
hwUserDelegationPrefixAllocAlarmResume = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 15)).setObjects(("HUAWEI-AAA-MIB", "hwDomainIndex"), ("HUAWEI-AAA-MIB", "hwDomainName"), ("HUAWEI-AAA-MIB", "hwIPv6PoolWarningThreshold"))
if mibBuilder.loadTexts: hwUserDelegationPrefixAllocAlarmResume.setStatus('current')
hwOnlineUserNumUpperLimitAlarm = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 16)).setObjects(("HUAWEI-AAA-MIB", "hwOnlineUserNumUpperLimitThreshold"))
if mibBuilder.loadTexts: hwOnlineUserNumUpperLimitAlarm.setStatus('current')
hwOnlineUserNumUpperLimitResume = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 17)).setObjects(("HUAWEI-AAA-MIB", "hwOnlineUserNumUpperLimitThreshold"))
if mibBuilder.loadTexts: hwOnlineUserNumUpperLimitResume.setStatus('current')
hwOnlineUserNumLowerLimitAlarm = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 18)).setObjects(("HUAWEI-AAA-MIB", "hwOnlineUserNumLowerLimitThreshold"))
if mibBuilder.loadTexts: hwOnlineUserNumLowerLimitAlarm.setStatus('current')
hwOnlineUserNumLowerLimitResume = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 19)).setObjects(("HUAWEI-AAA-MIB", "hwOnlineUserNumLowerLimitThreshold"))
if mibBuilder.loadTexts: hwOnlineUserNumLowerLimitResume.setStatus('current')
hwIPLowerlimitWarningAlarm = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 20)).setObjects(("HUAWEI-AAA-MIB", "hwDomainIndex"), ("HUAWEI-AAA-MIB", "hwDomainName"), ("HUAWEI-AAA-MIB", "hwPoolLowerLimitWarningThreshold"))
if mibBuilder.loadTexts: hwIPLowerlimitWarningAlarm.setStatus('current')
hwIPLowerlimitWarningResume = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 21)).setObjects(("HUAWEI-AAA-MIB", "hwDomainIndex"), ("HUAWEI-AAA-MIB", "hwDomainName"), ("HUAWEI-AAA-MIB", "hwPoolLowerLimitWarningThreshold"))
if mibBuilder.loadTexts: hwIPLowerlimitWarningResume.setStatus('current')
hwIPv6AddressLowerlimitWarningAlarm = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 22)).setObjects(("HUAWEI-AAA-MIB", "hwDomainIndex"), ("HUAWEI-AAA-MIB", "hwDomainName"), ("HUAWEI-AAA-MIB", "hwIPv6PoolLowerLimitWarningThreshold"))
if mibBuilder.loadTexts: hwIPv6AddressLowerlimitWarningAlarm.setStatus('current')
hwIPv6AddressLowerlimitWarningResume = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 23)).setObjects(("HUAWEI-AAA-MIB", "hwDomainIndex"), ("HUAWEI-AAA-MIB", "hwDomainName"), ("HUAWEI-AAA-MIB", "hwIPv6PoolLowerLimitWarningThreshold"))
if mibBuilder.loadTexts: hwIPv6AddressLowerlimitWarningResume.setStatus('current')
hwIPv6NDRAPrefixLowerlimitWarningAlarm = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 24)).setObjects(("HUAWEI-AAA-MIB", "hwDomainIndex"), ("HUAWEI-AAA-MIB", "hwDomainName"), ("HUAWEI-AAA-MIB", "hwIPv6PoolLowerLimitWarningThreshold"))
if mibBuilder.loadTexts: hwIPv6NDRAPrefixLowerlimitWarningAlarm.setStatus('current')
hwIPv6NDRAPrefixLowerlimitWarningResume = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 25)).setObjects(("HUAWEI-AAA-MIB", "hwDomainIndex"), ("HUAWEI-AAA-MIB", "hwDomainName"), ("HUAWEI-AAA-MIB", "hwIPv6PoolLowerLimitWarningThreshold"))
if mibBuilder.loadTexts: hwIPv6NDRAPrefixLowerlimitWarningResume.setStatus('current')
hwIPv6PDPrefixLowerlimitWarningAlarm = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 26)).setObjects(("HUAWEI-AAA-MIB", "hwDomainIndex"), ("HUAWEI-AAA-MIB", "hwDomainName"), ("HUAWEI-AAA-MIB", "hwIPv6PoolLowerLimitWarningThreshold"))
if mibBuilder.loadTexts: hwIPv6PDPrefixLowerlimitWarningAlarm.setStatus('current')
hwIPv6PDPrefixLowerlimitWarningResume = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 27)).setObjects(("HUAWEI-AAA-MIB", "hwDomainIndex"), ("HUAWEI-AAA-MIB", "hwDomainName"), ("HUAWEI-AAA-MIB", "hwIPv6PoolLowerLimitWarningThreshold"))
if mibBuilder.loadTexts: hwIPv6PDPrefixLowerlimitWarningResume.setStatus('current')
hwPolicyRouteSlotMaxNum = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 28)).setObjects(("HUAWEI-AAA-MIB", "hwAccessSlotNo"), ("HUAWEI-AAA-MIB", "hwPolicyRouteThreshold"), ("HUAWEI-AAA-MIB", "hwAccessIndex"), ("HUAWEI-AAA-MIB", "hwPolicyRoute"))
if mibBuilder.loadTexts: hwPolicyRouteSlotMaxNum.setStatus('current')
hwRemoteDownloadAclThresholdAlarm = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 29)).setObjects(("HUAWEI-AAA-MIB", "hwRemoteDownloadAclUsedValue"), ("HUAWEI-AAA-MIB", "hwRemoteDownloadAclThresholdValue"))
if mibBuilder.loadTexts: hwRemoteDownloadAclThresholdAlarm.setStatus('current')
hwRemoteDownloadAclThresholdResume = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 30)).setObjects(("HUAWEI-AAA-MIB", "hwRemoteDownloadAclUsedValue"), ("HUAWEI-AAA-MIB", "hwRemoteDownloadAclThresholdValue"))
if mibBuilder.loadTexts: hwRemoteDownloadAclThresholdResume.setStatus('current')
hwAdminLoginFailed = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 31)).setObjects(("HUAWEI-AAA-MIB", "hwLoginFailedTimes"), ("HUAWEI-AAA-MIB", "hwStatisticPeriod"))
if mibBuilder.loadTexts: hwAdminLoginFailed.setStatus('current')
hwAdminLoginFailedClear = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 32)).setObjects(("HUAWEI-AAA-MIB", "hwLoginFailedTimes"), ("HUAWEI-AAA-MIB", "hwStatisticPeriod"))
if mibBuilder.loadTexts: hwAdminLoginFailedClear.setStatus('current')
hwUserGroupThresholdAlarm = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 33)).setObjects(("HUAWEI-AAA-MIB", "hwUserGroupNumThreshold"), ("HUAWEI-AAA-MIB", "hwUserGroupUsedNum"))
if mibBuilder.loadTexts: hwUserGroupThresholdAlarm.setStatus('current')
hwUserGroupThresholdResume = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 34)).setObjects(("HUAWEI-AAA-MIB", "hwUserGroupNumThreshold"), ("HUAWEI-AAA-MIB", "hwUserGroupUsedNum"))
if mibBuilder.loadTexts: hwUserGroupThresholdResume.setStatus('current')
hwEDSGLicenseExpireAlarm = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 35))
if mibBuilder.loadTexts: hwEDSGLicenseExpireAlarm.setStatus('current')
hwEDSGLicenseExpireResume = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 36))
if mibBuilder.loadTexts: hwEDSGLicenseExpireResume.setStatus('current')
hwAAAAccessUserResourceOrCpuAlarm = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 37)).setObjects(("HUAWEI-AAA-MIB", "hwUserSlot"), ("HUAWEI-AAA-MIB", "hwAAACpuUsage"), ("HUAWEI-AAA-MIB", "hwAAAUserResourceUsage"))
if mibBuilder.loadTexts: hwAAAAccessUserResourceOrCpuAlarm.setStatus('current')
hwAAAAccessUserResourceOrCpuResume = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 38)).setObjects(("HUAWEI-AAA-MIB", "hwUserSlot"), ("HUAWEI-AAA-MIB", "hwAAACpuUsage"), ("HUAWEI-AAA-MIB", "hwAAAUserResourceUsage"))
if mibBuilder.loadTexts: hwAAAAccessUserResourceOrCpuResume.setStatus('current')
hwAAASessionGroupUpperLimitAlarm = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 39)).setObjects(("HUAWEI-AAA-MIB", "hwAAASessionGroupUpperLimitThreshold"))
if mibBuilder.loadTexts: hwAAASessionGroupUpperLimitAlarm.setStatus('current')
hwAAASessionGroupUpperLimitResume = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 40)).setObjects(("HUAWEI-AAA-MIB", "hwAAASessionGroupUpperLimitThreshold"))
if mibBuilder.loadTexts: hwAAASessionGroupUpperLimitResume.setStatus('current')
hwAAASessionGroupLowerLimitAlarm = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 41)).setObjects(("HUAWEI-AAA-MIB", "hwAAASessionGroupLowerLimitThreshold"))
if mibBuilder.loadTexts: hwAAASessionGroupLowerLimitAlarm.setStatus('current')
hwAAASessionGroupLowerLimitResume = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 42)).setObjects(("HUAWEI-AAA-MIB", "hwAAASessionGroupLowerLimitThreshold"))
if mibBuilder.loadTexts: hwAAASessionGroupLowerLimitResume.setStatus('current')
hwAAAOnlineSessoinUpperLimitAlarm = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 43)).setObjects(("HUAWEI-AAA-MIB", "hwAAASessionUpperLimitThreshold"))
if mibBuilder.loadTexts: hwAAAOnlineSessoinUpperLimitAlarm.setStatus('current')
hwAAAOnlineSessoinUpperLimitResume = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 44)).setObjects(("HUAWEI-AAA-MIB", "hwAAASessionUpperLimitThreshold"))
if mibBuilder.loadTexts: hwAAAOnlineSessoinUpperLimitResume.setStatus('current')
hwAAAOnlineSessoinLowerLimitAlarm = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 45)).setObjects(("HUAWEI-AAA-MIB", "hwAAASessionLowerLimitThreshold"))
if mibBuilder.loadTexts: hwAAAOnlineSessoinLowerLimitAlarm.setStatus('current')
hwAAAOnlineSessoinLowerLimitResume = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 46)).setObjects(("HUAWEI-AAA-MIB", "hwAAASessionLowerLimitThreshold"))
if mibBuilder.loadTexts: hwAAAOnlineSessoinLowerLimitResume.setStatus('current')
hwAAASlotOnlineUserNumAlarm = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 47)).setObjects(("HUAWEI-AAA-MIB", "hwUserSlot"), ("HUAWEI-AAA-MIB", "hwUserSlotMaxNumThreshold"))
if mibBuilder.loadTexts: hwAAASlotOnlineUserNumAlarm.setStatus('current')
hwAAASlotOnlineUserNumResume = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 48)).setObjects(("HUAWEI-AAA-MIB", "hwUserSlot"), ("HUAWEI-AAA-MIB", "hwUserSlotMaxNumThreshold"))
if mibBuilder.loadTexts: hwAAASlotOnlineUserNumResume.setStatus('current')
hwAAATimerExpireMajorLevelAlarm = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 49)).setObjects(("HUAWEI-AAA-MIB", "hwAAATimerExpireMajorLevelThreshold"))
if mibBuilder.loadTexts: hwAAATimerExpireMajorLevelAlarm.setStatus('current')
hwAAATimerExpireMajorLevelResume = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 50)).setObjects(("HUAWEI-AAA-MIB", "hwAAATimerExpireMajorLevelResumeThreshold"))
if mibBuilder.loadTexts: hwAAATimerExpireMajorLevelResume.setStatus('current')
hwAAATimerExpireCriticalLevelAlarm = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 51)).setObjects(("HUAWEI-AAA-MIB", "hwAAATimerExpireCriticalLevelThreshold"))
if mibBuilder.loadTexts: hwAAATimerExpireCriticalLevelAlarm.setStatus('current')
hwAAATimerExpireCriticalLevelResume = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 52)).setObjects(("HUAWEI-AAA-MIB", "hwAAATimerExpireCriticalLevelResumeThreshold"))
if mibBuilder.loadTexts: hwAAATimerExpireCriticalLevelResume.setStatus('current')
hwMacMovedQuietMaxUserAlarm = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 53)).setObjects(("HUAWEI-AAA-MIB", "hwMacMovedQuietUserSpec"), ("HUAWEI-AAA-MIB", "hwMacMovedUserPercentage"), ("HUAWEI-AAA-MIB", "hwLowerMacMovedUserPercentage"), ("HUAWEI-AAA-MIB", "hwUpperMacMovedUserPercentage"))
if mibBuilder.loadTexts: hwMacMovedQuietMaxUserAlarm.setStatus('current')
hwMacMovedQuietUserClearAlarm = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 54)).setObjects(("HUAWEI-AAA-MIB", "hwMacMovedQuietUserSpec"), ("HUAWEI-AAA-MIB", "hwMacMovedUserPercentage"), ("HUAWEI-AAA-MIB", "hwLowerMacMovedUserPercentage"), ("HUAWEI-AAA-MIB", "hwUpperMacMovedUserPercentage"))
if mibBuilder.loadTexts: hwMacMovedQuietUserClearAlarm.setStatus('current')
hwAAAChasisIPv6AddressThresholdAlarm = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 55)).setObjects(("HUAWEI-AAA-MIB", "hwAAAChasisIPv6AddressThreshold"))
if mibBuilder.loadTexts: hwAAAChasisIPv6AddressThresholdAlarm.setStatus('current')
hwAAAChasisIPv6AddressThresholdResume = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 56)).setObjects(("HUAWEI-AAA-MIB", "hwAAAChasisIPv6AddressThreshold"))
if mibBuilder.loadTexts: hwAAAChasisIPv6AddressThresholdResume.setStatus('current')
hwAAASlotIPv6AddressThresholdAlarm = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 57)).setObjects(("HUAWEI-AAA-MIB", "hwUserSlot"), ("HUAWEI-AAA-MIB", "hwAAASlotIPv6AddressThreshold"))
if mibBuilder.loadTexts: hwAAASlotIPv6AddressThresholdAlarm.setStatus('current')
hwAAASlotIPv6AddressThresholdResume = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 58)).setObjects(("HUAWEI-AAA-MIB", "hwUserSlot"), ("HUAWEI-AAA-MIB", "hwAAASlotIPv6AddressThreshold"))
if mibBuilder.loadTexts: hwAAASlotIPv6AddressThresholdResume.setStatus('current')
hwLAMTrapsDefine = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 3))
hwLAMTraps = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 3, 0))
hwHarddiskoverflow = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 3, 0, 1)).setObjects(("HUAWEI-AAA-MIB", "hwHdFreeamount"), ("HUAWEI-AAA-MIB", "hwHdWarningThreshold"))
if mibBuilder.loadTexts: hwHarddiskoverflow.setStatus('current')
hwHarddiskReachThreshold = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 3, 0, 2)).setObjects(("HUAWEI-AAA-MIB", "hwHdFreeamount"), ("HUAWEI-AAA-MIB", "hwHdWarningThreshold"))
if mibBuilder.loadTexts: hwHarddiskReachThreshold.setStatus('current')
hwHarddiskOK = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 3, 0, 3)).setObjects(("HUAWEI-AAA-MIB", "hwHdFreeamount"), ("HUAWEI-AAA-MIB", "hwHdWarningThreshold"))
if mibBuilder.loadTexts: hwHarddiskOK.setStatus('current')
hwCachetoFTPFail = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 3, 0, 4)).setObjects(("HUAWEI-AAA-MIB", "hwHdFreeamount"), ("HUAWEI-AAA-MIB", "hwHdWarningThreshold"))
if mibBuilder.loadTexts: hwCachetoFTPFail.setStatus('current')
hwHDtoFTPFail = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 3, 0, 5)).setObjects(("HUAWEI-AAA-MIB", "hwHdFreeamount"), ("HUAWEI-AAA-MIB", "hwHdWarningThreshold"))
if mibBuilder.loadTexts: hwHDtoFTPFail.setStatus('current')
hwCutAccessUserTable = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 28))
hwCutStartUserID = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 28, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwCutStartUserID.setStatus('current')
hwCutEndUserID = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 28, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwCutEndUserID.setStatus('current')
hwCutIPaddress = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 28, 3), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwCutIPaddress.setStatus('current')
hwCutMacAddres = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 28, 4), MacAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwCutMacAddres.setStatus('current')
hwCutUserName = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 28, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 253))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwCutUserName.setStatus('current')
hwCutUserAttri = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 28, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4))).clone(namedValues=NamedValues(("all", 0), ("noauth", 1), ("local", 2), ("radiusauth", 3), ("hwtacacs", 4)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwCutUserAttri.setStatus('current')
hwCutDomain = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 28, 7), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwCutDomain.setStatus('current')
hwCutIPPoolName = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 28, 8), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwCutIPPoolName.setStatus('current')
hwCutIfIndex = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 28, 9), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwCutIfIndex.setStatus('current')
hwCutVlanID = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 28, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 268308478))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwCutVlanID.setStatus('current')
hwCutVPI = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 28, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwCutVPI.setStatus('current')
hwCutVCI = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 28, 12), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2047))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwCutVCI.setStatus('current')
hwCutVRF = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 28, 13), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 31))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwCutVRF.setStatus('current')
hwCutAccessInterface = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 28, 14), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 63))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwCutAccessInterface.setStatus('current')
hwCutUserSSID = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 28, 15), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwCutUserSSID.setStatus('current')
hwCutAccessSlot = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 28, 16), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwCutAccessSlot.setStatus('current')
hwCutUserGroup = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 28, 17), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwCutUserGroup.setStatus('current')
hwAAACallRate = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 29))
hwAAAUserPPP = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 29, 1))
hwTotalConnectNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 29, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwTotalConnectNum.setStatus('current')
hwTotalSuccessNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 29, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwTotalSuccessNum.setStatus('current')
hwTotalLCPFailNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 29, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwTotalLCPFailNum.setStatus('current')
hwTotalAuthenFailNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 29, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwTotalAuthenFailNum.setStatus('current')
hwTotalNCPFailNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 29, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwTotalNCPFailNum.setStatus('current')
hwTotalIPAllocFailNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 29, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwTotalIPAllocFailNum.setStatus('current')
hwTotalOtherPPPFailNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 29, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwTotalOtherPPPFailNum.setStatus('current')
hwAAAUserWebandFast = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 29, 2))
hwTotalWebConnectNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 29, 2, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwTotalWebConnectNum.setStatus('current')
hwTotalSuccessWebConnectNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 29, 2, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwTotalSuccessWebConnectNum.setStatus('current')
hwAAAUserDot1X = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 29, 3))
hwTotalDot1XConnectNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 29, 3, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwTotalDot1XConnectNum.setStatus('current')
hwTotalSuccessDot1XConnectNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 29, 3, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwTotalSuccessDot1XConnectNum.setStatus('current')
hwAAAUserBind = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 29, 4))
hwTotalBindConnectNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 29, 4, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwTotalBindConnectNum.setStatus('current')
hwTotalSuccessBindConnectNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 29, 4, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwTotalSuccessBindConnectNum.setStatus('current')
hwAuthorSchemeTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 8), )
if mibBuilder.loadTexts: hwAuthorSchemeTable.setStatus('current')
hwAuthorSchemeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 8, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwAuthorSchemeName"))
if mibBuilder.loadTexts: hwAuthorSchemeEntry.setStatus('current')
hwAuthorSchemeName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 8, 1, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAuthorSchemeName.setStatus('current')
hwAuthorMethod = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 8, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("none", 1), ("local", 2), ("hwtacacs", 3), ("ifauthenticated", 4), ("hwtacacsnone", 5), ("hwtacacslocal", 6), ("hwtacacsifauthenticated", 7), ("localnone", 8), ("localhwtacacs", 9), ("localifauthenticated", 10), ("ifauthenticatednone", 11), ("ifauthenticatedlocal", 12), ("ifauthenticatedhwtacacs", 13), ("localhwtacacsnone", 14), ("localifauthenticatednone", 15), ("hwtacacslocalnone", 16), ("hwtacacsifauthenticatednone", 17), ("ifauthenticatedlocalnone", 18), ("ifauthenticatedhwtacacsnone", 19), ("localhwtacacsifauthenticated", 20), ("localifauthenticatedhwtacacs", 21), ("hwtacaslocalifauthenticated", 22), ("hwtacacsifauthenticatedlocal", 23), ("ifauthenticatedlocalhwtacacs", 24), ("ifauthenticatedhwtacacslocal", 25), ("localhwtacacsifauthenticatednone", 26), ("localifauthenticatedhwtacacsnone", 27), ("hwtacaslocalifauthenticatednone", 28), ("hwtacacsifauthenticatedlocalnone", 29), ("ifauthenticatedlocalhwtacacsnone", 30), ("ifauthenticatedhwtacacslocalnone", 31)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwAuthorMethod.setStatus('current')
hwAuthorRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 8, 1, 3), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwAuthorRowStatus.setStatus('current')
hwRecordSchemeTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 30), )
if mibBuilder.loadTexts: hwRecordSchemeTable.setStatus('current')
hwRecordSchemeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 30, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwRecordSchemeName"))
if mibBuilder.loadTexts: hwRecordSchemeEntry.setStatus('current')
hwRecordSchemeName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 30, 1, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwRecordSchemeName.setStatus('current')
hwRecordTacGroupName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 30, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwRecordTacGroupName.setStatus('current')
hwRecordRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 30, 1, 3), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwRecordRowStatus.setStatus('current')
hwMACAccessTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 31), )
if mibBuilder.loadTexts: hwMACAccessTable.setStatus('current')
hwMACAccessEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 31, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwMACAccessMACAddress"))
if mibBuilder.loadTexts: hwMACAccessEntry.setStatus('current')
hwMACAccessMACAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 31, 1, 1), MacAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwMACAccessMACAddress.setStatus('current')
hwMACAccessCID = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 31, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwMACAccessCID.setStatus('current')
hwSlotConnectNumTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 32), )
if mibBuilder.loadTexts: hwSlotConnectNumTable.setStatus('current')
hwSlotConnectNumEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 32, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwSlotConnectNumSlot"))
if mibBuilder.loadTexts: hwSlotConnectNumEntry.setStatus('current')
hwSlotConnectNumSlot = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 32, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 16))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwSlotConnectNumSlot.setStatus('current')
hwSlotConnectNumOnlineNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 32, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwSlotConnectNumOnlineNum.setStatus('current')
hwSlotConnectNumMaxOnlineNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 32, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwSlotConnectNumMaxOnlineNum.setStatus('current')
hwSlotConnectNumMaxOnlineAcctReadyNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 32, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwSlotConnectNumMaxOnlineAcctReadyNum.setStatus('current')
hwSlotCardConnectNumTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 33), )
if mibBuilder.loadTexts: hwSlotCardConnectNumTable.setStatus('current')
hwSlotCardConnectNumEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 33, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwSlotCardConnectNumSlot"), (0, "HUAWEI-AAA-MIB", "hwSlotCardConnectNumCard"))
if mibBuilder.loadTexts: hwSlotCardConnectNumEntry.setStatus('current')
hwSlotCardConnectNumSlot = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 33, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 16))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwSlotCardConnectNumSlot.setStatus('current')
hwSlotCardConnectNumCard = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 33, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwSlotCardConnectNumCard.setStatus('current')
hwSlotCardConnectNumOnlineNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 33, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwSlotCardConnectNumOnlineNum.setStatus('current')
hwSlotCardConnectNumIPv4OnlineNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 33, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwSlotCardConnectNumIPv4OnlineNum.setStatus('current')
hwSlotCardConnectNumIPv6OnlineNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 33, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwSlotCardConnectNumIPv6OnlineNum.setStatus('current')
hwSlotCardConnectNumDualOnlineNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 33, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwSlotCardConnectNumDualOnlineNum.setStatus('current')
hwSlotCardConnectNumNoAuthNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 33, 1, 7), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwSlotCardConnectNumNoAuthNum.setStatus('current')
hwSlotCardConnectNumPPPAuthNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 33, 1, 8), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwSlotCardConnectNumPPPAuthNum.setStatus('current')
hwSlotCardConnectNum8021xAuthNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 33, 1, 9), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwSlotCardConnectNum8021xAuthNum.setStatus('current')
hwSlotCardConnectNumWebAuthNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 33, 1, 10), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwSlotCardConnectNumWebAuthNum.setStatus('current')
hwSlotCardConnectNumBindAuthNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 33, 1, 11), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwSlotCardConnectNumBindAuthNum.setStatus('current')
hwSlotCardConnectNumFastAuthNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 33, 1, 12), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwSlotCardConnectNumFastAuthNum.setStatus('current')
hwSlotCardConnectNumWlanAuthNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 33, 1, 13), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwSlotCardConnectNumWlanAuthNum.setStatus('current')
hwSlotCardConnectNumAdminAuthNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 33, 1, 14), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwSlotCardConnectNumAdminAuthNum.setStatus('current')
hwSlotCardConnectNumTunnelAuthNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 33, 1, 15), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwSlotCardConnectNumTunnelAuthNum.setStatus('current')
hwSlotCardConnectNumMIPAuthNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 33, 1, 16), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwSlotCardConnectNumMIPAuthNum.setStatus('current')
hwOfflineReasonStatTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 34), )
if mibBuilder.loadTexts: hwOfflineReasonStatTable.setStatus('current')
hwOfflineReasonStatEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 34, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwOfflineReason"))
if mibBuilder.loadTexts: hwOfflineReasonStatEntry.setStatus('current')
hwOfflineReason = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 34, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 600))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwOfflineReason.setStatus('current')
hwOfflineReasonStatistic = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 34, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwOfflineReasonStatistic.setStatus('current')
hwOnlineFailReasonStatistic = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 34, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwOnlineFailReasonStatistic.setStatus('current')
hwMulticastListTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 35), )
if mibBuilder.loadTexts: hwMulticastListTable.setStatus('current')
hwMulticastListEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 35, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwMulticastListIndex"))
if mibBuilder.loadTexts: hwMulticastListEntry.setStatus('current')
hwMulticastListIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 35, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 8191))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwMulticastListIndex.setStatus('current')
hwMulticastListName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 35, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwMulticastListName.setStatus('current')
hwMulticastListSourceIp = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 35, 1, 3), IpAddress()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwMulticastListSourceIp.setStatus('current')
hwMulticastListSourceIpMask = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 35, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwMulticastListSourceIpMask.setStatus('current')
hwMulticastListGroupIp = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 35, 1, 5), IpAddress()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwMulticastListGroupIp.setStatus('current')
hwMulticastListGroupIpMask = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 35, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwMulticastListGroupIpMask.setStatus('current')
hwMulticastListVpnInstance = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 35, 1, 7), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 31))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwMulticastListVpnInstance.setStatus('current')
hwMulticastListRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 35, 1, 8), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwMulticastListRowStatus.setStatus('current')
hwMulticastProfileTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 36), )
if mibBuilder.loadTexts: hwMulticastProfileTable.setStatus('current')
hwMulticastProfileEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 36, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwMulticastProfileIndex"))
if mibBuilder.loadTexts: hwMulticastProfileEntry.setStatus('current')
hwMulticastProfileIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 36, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1023))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwMulticastProfileIndex.setStatus('current')
hwMulticastProfileName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 36, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwMulticastProfileName.setStatus('current')
hwMulticastProfileRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 36, 1, 3), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwMulticastProfileRowStatus.setStatus('current')
hwMulticastProfileExtTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 37), )
if mibBuilder.loadTexts: hwMulticastProfileExtTable.setStatus('current')
hwMulticastProfileExtEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 37, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwMulticastProfileIndex"), (0, "HUAWEI-AAA-MIB", "hwMulticastListIndex"))
if mibBuilder.loadTexts: hwMulticastProfileExtEntry.setStatus('current')
hwMulticastListBindName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 37, 1, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwMulticastListBindName.setStatus('current')
hwMulticastProfileExtRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 37, 1, 2), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwMulticastProfileExtRowStatus.setStatus('current')
hwServiceSchemeTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 38), )
if mibBuilder.loadTexts: hwServiceSchemeTable.setStatus('current')
hwServiceSchemeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 38, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwServiceSchemeName"))
if mibBuilder.loadTexts: hwServiceSchemeEntry.setStatus('current')
hwServiceSchemeName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 38, 1, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwServiceSchemeName.setStatus('current')
hwServiceSchemeNextHopIp = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 38, 1, 11), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwServiceSchemeNextHopIp.setStatus('current')
hwServiceSchemeUserPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 38, 1, 12), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwServiceSchemeUserPriority.setStatus('current')
hwServiceSchemeIdleCutTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 38, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 120))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwServiceSchemeIdleCutTime.setStatus('current')
hwServiceSchemeIdleCutFlow = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 38, 1, 14), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 768000))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwServiceSchemeIdleCutFlow.setStatus('current')
hwServiceSchemeDnsFirst = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 38, 1, 15), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwServiceSchemeDnsFirst.setStatus('current')
hwServiceSchemeDnsSecond = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 38, 1, 16), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwServiceSchemeDnsSecond.setStatus('current')
hwSrvSchemeAdminUserPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 38, 1, 17), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-1, 15))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwSrvSchemeAdminUserPriority.setStatus('current')
hwSrvSchemeIpPoolOneName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 38, 1, 18), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwSrvSchemeIpPoolOneName.setStatus('current')
hwSrvSchemeIpPoolTwoName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 38, 1, 19), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwSrvSchemeIpPoolTwoName.setStatus('current')
hwSrvSchemeIpPoolThreeName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 38, 1, 20), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwSrvSchemeIpPoolThreeName.setStatus('current')
hwServiceSchemeRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 38, 1, 51), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwServiceSchemeRowStatus.setStatus('current')
hwServiceSchemeIdleCutType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 38, 1, 52), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("inbound", 1), ("outbound", 2), ("both", 3), ("none", 4)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwServiceSchemeIdleCutType.setStatus('current')
hwServiceSchemeIdleCutFlowValue = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 38, 1, 53), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 4294967295))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwServiceSchemeIdleCutFlowValue.setStatus('current')
hwLocalAuthorize = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 38, 1, 54), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwLocalAuthorize.setStatus('current')
hwRemoteAuthorize = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 38, 1, 55), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwRemoteAuthorize.setStatus('current')
hwDhcpOpt121RouteTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 39), )
if mibBuilder.loadTexts: hwDhcpOpt121RouteTable.setStatus('current')
hwDhcpOpt121RouteEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 39, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwDomainName"), (0, "HUAWEI-AAA-MIB", "hwDhcpOpt121RouteDestIp"), (0, "HUAWEI-AAA-MIB", "hwDhcpOpt121RouteMask"), (0, "HUAWEI-AAA-MIB", "hwDhcpOpt121RouteNextHop"))
if mibBuilder.loadTexts: hwDhcpOpt121RouteEntry.setStatus('current')
hwDhcpOpt121RouteDestIp = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 39, 1, 1), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDhcpOpt121RouteDestIp.setStatus('current')
hwDhcpOpt121RouteMask = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 39, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDhcpOpt121RouteMask.setStatus('current')
hwDhcpOpt121RouteNextHop = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 39, 1, 3), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDhcpOpt121RouteNextHop.setStatus('current')
hwDhcpOpt121RouteRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 39, 1, 4), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDhcpOpt121RouteRowStatus.setStatus('current')
hwAccessDelayPerSlotTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 40), )
if mibBuilder.loadTexts: hwAccessDelayPerSlotTable.setStatus('current')
hwAccessDelayPerSlotEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 40, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwAccessDelayPerSlotSlot"))
if mibBuilder.loadTexts: hwAccessDelayPerSlotEntry.setStatus('current')
hwAccessDelayPerSlotSlot = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 40, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 16))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAccessDelayPerSlotSlot.setStatus('current')
hwAccessDelayPerSlotTransitionStep = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 40, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 262144))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwAccessDelayPerSlotTransitionStep.setStatus('current')
hwAccessDelayPerSlotMaxTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 40, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2550))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwAccessDelayPerSlotMaxTime.setStatus('current')
hwAccessDelayPerSlotMinTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 40, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2550))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwAccessDelayPerSlotMinTime.setStatus('current')
hwAccessDelayPerSlotRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 40, 1, 5), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwAccessDelayPerSlotRowStatus.setStatus('current')
hwVpnAccessUserStatTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 41), )
if mibBuilder.loadTexts: hwVpnAccessUserStatTable.setStatus('current')
hwVpnAccessUserStatEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 41, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwUserType"), (0, "HUAWEI-AAA-MIB", "hwVpnAccessUserStatVpnName"))
if mibBuilder.loadTexts: hwVpnAccessUserStatEntry.setStatus('current')
hwUserType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 41, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=NamedValues(("pppoe", 1), ("pppoa", 2), ("dhcp", 3), ("lns", 4), ("lac", 5), ("ipv4", 6), ("ipv6", 7), ("dualStack", 8), ("all", 9)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwUserType.setStatus('current')
hwVpnAccessUserStatVpnName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 41, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwVpnAccessUserStatVpnName.setStatus('current')
hwVpnAccessUserStatUserStat = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 41, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 256000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwVpnAccessUserStatUserStat.setStatus('current')
hwInterfaceAccessUserStatTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 42), )
if mibBuilder.loadTexts: hwInterfaceAccessUserStatTable.setStatus('current')
hwInterfaceAccessUserStatEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 42, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwUserType"), (0, "HUAWEI-AAA-MIB", "hwInterfaceAccessUserStatInterfaceIndex"))
if mibBuilder.loadTexts: hwInterfaceAccessUserStatEntry.setStatus('current')
hwInterfaceAccessUserStatInterfaceIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 42, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwInterfaceAccessUserStatInterfaceIndex.setStatus('current')
hwInterfaceAccessUserStatUserStat = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 42, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 256000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwInterfaceAccessUserStatUserStat.setStatus('current')
hwDomainAccessUserStatTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 43), )
if mibBuilder.loadTexts: hwDomainAccessUserStatTable.setStatus('current')
hwDomainAccessUserStatEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 43, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwUserType"), (0, "HUAWEI-AAA-MIB", "hwDomainName"))
if mibBuilder.loadTexts: hwDomainAccessUserStatEntry.setStatus('current')
hwDomainAccessUserStatUserStat = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 43, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 256000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainAccessUserStatUserStat.setStatus('current')
hwSlotAccessUserStatTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 44), )
if mibBuilder.loadTexts: hwSlotAccessUserStatTable.setStatus('current')
hwSlotAccessUserStatEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 44, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwUserType"), (0, "HUAWEI-AAA-MIB", "hwSlotAccessUserStatSlot"))
if mibBuilder.loadTexts: hwSlotAccessUserStatEntry.setStatus('current')
hwSlotAccessUserStatSlot = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 44, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 16))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwSlotAccessUserStatSlot.setStatus('current')
hwSlotAccessUserStatUserStat = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 44, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 256000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwSlotAccessUserStatUserStat.setStatus('current')
hwDomainIncludePoolGroupTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 45), )
if mibBuilder.loadTexts: hwDomainIncludePoolGroupTable.setStatus('current')
hwDomainIncludePoolGroupEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 45, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwDomainName"), (0, "HUAWEI-AAA-MIB", "hwDomainIncludeIPPoolGroupName"))
if mibBuilder.loadTexts: hwDomainIncludePoolGroupEntry.setStatus('current')
hwDomainIncludeIPPoolGroupName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 45, 1, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainIncludeIPPoolGroupName.setStatus('current')
hwDomainIncludeIPPoolGroupRowStates = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 45, 1, 2), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDomainIncludeIPPoolGroupRowStates.setStatus('current')
hwDomainIPPoolMoveToTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 46), )
if mibBuilder.loadTexts: hwDomainIPPoolMoveToTable.setStatus('current')
hwDomainIPPoolMoveToEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 46, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwDomainName"), (0, "HUAWEI-AAA-MIB", "hwDomainIncludeIPPoolName"))
if mibBuilder.loadTexts: hwDomainIPPoolMoveToEntry.setStatus('current')
hwDomainIncludeIPPoolName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 46, 1, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDomainIncludeIPPoolName.setStatus('current')
hwDomainIncludeIPPoolMoveto = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 46, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1024))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwDomainIncludeIPPoolMoveto.setStatus('current')
hwDomainExt2Table = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 47), )
if mibBuilder.loadTexts: hwDomainExt2Table.setStatus('current')
hwDomainExt2Entry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 47, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwDomainName"))
if mibBuilder.loadTexts: hwDomainExt2Entry.setStatus('current')
hwRedKeyUserMac = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 47, 1, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwRedKeyUserMac.setStatus('current')
hwIfUserMacSimple = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 47, 1, 2), TruthValue().clone('true')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwIfUserMacSimple.setStatus('current')
hwPoolLowerLimitWarningThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 47, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 99), ValueRangeConstraint(255, 255), )).clone(255)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwPoolLowerLimitWarningThreshold.setStatus('current')
hwIPv6PoolLowerLimitWarningThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 47, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 99), ValueRangeConstraint(255, 255), )).clone(255)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwIPv6PoolLowerLimitWarningThreshold.setStatus('current')
hwAAADomainInboundQoSProfile = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 47, 1, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwAAADomainInboundQoSProfile.setStatus('current')
hwAAADomainOutboundQoSProfile = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 47, 1, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwAAADomainOutboundQoSProfile.setStatus('current')
hwAAADomainInboundVPNInstance = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 47, 1, 7), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 31))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwAAADomainInboundVPNInstance.setStatus('current')
hwAAAOnlineFailRecordTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48), )
if mibBuilder.loadTexts: hwAAAOnlineFailRecordTable.setStatus('current')
hwAAAOnlineFailRecordEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwAAAOnlineFailIndex"))
if mibBuilder.loadTexts: hwAAAOnlineFailRecordEntry.setStatus('current')
hwAAAOnlineFailIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAAAOnlineFailIndex.setStatus('current')
hwUserName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 253))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwUserName.setStatus('current')
hwUserDomainName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwUserDomainName.setStatus('current')
hwUserMAC = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 4), MacAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwUserMAC.setStatus('current')
hwUserAccessType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwUserAccessType.setStatus('current')
hwUserInterface = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 63))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwUserInterface.setStatus('current')
hwUserAccessPVC = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 7), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 63))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwUserAccessPVC.setStatus('current')
hwUserAccessPeVlan = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 8), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwUserAccessPeVlan.setStatus('current')
hwUserAccessCeVlan = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 9), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwUserAccessCeVlan.setStatus('current')
hwUserIPAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 10), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwUserIPAddress.setStatus('current')
hwUserIPv6NDRAPrefix = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 11), Ipv6AddressPrefix()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwUserIPv6NDRAPrefix.setStatus('current')
hwUserIPv6Address = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 12), Ipv6Address()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwUserIPv6Address.setStatus('current')
hwUserIPv6PDPrefix = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 13), Ipv6AddressPrefix()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwUserIPv6PDPrefix.setStatus('current')
hwUserIPv6PDPrefixLength = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 14), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 128))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwUserIPv6PDPrefixLength.setStatus('current')
hwUserID = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 15), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwUserID.setStatus('current')
hwUserAuthenState = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 255))).clone(namedValues=NamedValues(("authIdle", 0), ("authWait", 1), ("authed", 2), ("unknown", 255)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwUserAuthenState.setStatus('current')
hwUserAcctState = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(3, 4, 5, 6, 7, 8, 12, 255))).clone(namedValues=NamedValues(("acctIdle", 3), ("acctReady", 4), ("acctStartWait", 5), ("acctAccting", 6), ("acctLeavingFlowQuery", 7), ("acctStopWait", 8), ("acctSendForceStopWait", 12), ("unknown", 255)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwUserAcctState.setStatus('current')
hwUserAuthorState = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(9, 10, 11, 255))).clone(namedValues=NamedValues(("authorIdle", 9), ("authorUserAckWait", 10), ("authorServerAckWait", 11), ("unknown", 255)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwUserAuthorState.setStatus('current')
hwUserLoginTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 19), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwUserLoginTime.setStatus('current')
hwOnlineFailReason = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 20), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 80))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwOnlineFailReason.setStatus('current')
hwReplyMessage = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 21), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 63))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwReplyMessage.setStatus('current')
hwUserLogTable = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 49))
hwUserLogEntry = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 49, 1))
hwUserLogAccess = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 49, 1, 1), TruthValue()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwUserLogAccess.setStatus('current')
hwUserLogIPAddress = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 49, 1, 2), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwUserLogIPAddress.setStatus('current')
hwUserLogPort = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 49, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwUserLogPort.setStatus('current')
hwUserLogVersion = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 49, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwUserLogVersion.setStatus('current')
hwShowUserLogStatistic = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 49, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwShowUserLogStatistic.setStatus('current')
hwResetUserLogStatistic = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 49, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0))).clone(namedValues=NamedValues(("reset", 0)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwResetUserLogStatistic.setStatus('current')
hwReauthorizeTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 50), )
if mibBuilder.loadTexts: hwReauthorizeTable.setStatus('current')
hwReauthorizeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 50, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwReauthorizeUsername"))
if mibBuilder.loadTexts: hwReauthorizeEntry.setStatus('current')
hwReauthorizeUsername = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 50, 1, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 253))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwReauthorizeUsername.setStatus('current')
hwReauthorizeUsergroup = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 50, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwReauthorizeUsergroup.setStatus('current')
hwUserGroupTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51), )
if mibBuilder.loadTexts: hwUserGroupTable.setStatus('current')
hwUserGroupEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwUserGroupIndex"))
if mibBuilder.loadTexts: hwUserGroupEntry.setStatus('current')
hwUserGroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 128))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwUserGroupIndex.setStatus('current')
hwUserGroupName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwUserGroupName.setStatus('current')
hwAclId = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwAclId.setStatus('current')
hwQoSProfileName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 31))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwQoSProfileName.setStatus('current')
hwInterIsolateFlag = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("true", 1), ("false", 2)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwInterIsolateFlag.setStatus('current')
hwInnerIsolateFlag = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("true", 1), ("false", 2)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwInnerIsolateFlag.setStatus('current')
hwUserGroupRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 7), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwUserGroupRowStatus.setStatus('current')
hwUserVlan = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4094))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwUserVlan.setStatus('current')
hw8021pRemark = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-1, 7))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hw8021pRemark.setStatus('current')
hwDscpRemark = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-1, 63))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDscpRemark.setStatus('current')
hwExpRemark = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-1, 7))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwExpRemark.setStatus('current')
hwLpRemark = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 12), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-1, 7))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwLpRemark.setStatus('current')
hwUserGroupCarCir = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 13), Unsigned32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwUserGroupCarCir.setStatus('current')
hwUserGroupCarPir = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 14), Unsigned32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwUserGroupCarPir.setStatus('current')
hwUserGroupCarCbs = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 15), Unsigned32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwUserGroupCarCbs.setStatus('current')
hwUserGroupCarPbs = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 16), Unsigned32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwUserGroupCarPbs.setStatus('current')
hwUserGroupEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwUserGroupEnable.setStatus('current')
hwUserGroupCarInBoundCir = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 18), Unsigned32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwUserGroupCarInBoundCir.setStatus('current')
hwUserGroupCarInBoundPir = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 19), Unsigned32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwUserGroupCarInBoundPir.setStatus('current')
hwUserGroupCarInBoundCbs = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 20), Unsigned32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwUserGroupCarInBoundCbs.setStatus('current')
hwUserGroupCarInBoundPbs = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 21), Unsigned32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwUserGroupCarInBoundPbs.setStatus('current')
hwUserGroupUserVlanPool = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 22), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 31))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwUserGroupUserVlanPool.setStatus('current')
hwAAAOfflineRecordTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 52), )
if mibBuilder.loadTexts: hwAAAOfflineRecordTable.setStatus('current')
hwAAAOfflineRecordEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 52, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwAAAOfflineIndex"))
if mibBuilder.loadTexts: hwAAAOfflineRecordEntry.setStatus('current')
hwAAAOfflineIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 52, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAAAOfflineIndex.setStatus('current')
hwOfflineRecordUserName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 52, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 253))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwOfflineRecordUserName.setStatus('current')
hwOfflineRecordDomainName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 52, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwOfflineRecordDomainName.setStatus('current')
hwOfflineRecordUserMAC = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 52, 1, 4), MacAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwOfflineRecordUserMAC.setStatus('current')
hwOfflineRecordAccessType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 52, 1, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwOfflineRecordAccessType.setStatus('current')
hwOfflineRecordInterface = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 52, 1, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 63))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwOfflineRecordInterface.setStatus('current')
hwOfflineRecordAccessPeVlan = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 52, 1, 7), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwOfflineRecordAccessPeVlan.setStatus('current')
hwOfflineRecordAccessCeVlan = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 52, 1, 8), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwOfflineRecordAccessCeVlan.setStatus('current')
hwOfflineRecordIPAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 52, 1, 9), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwOfflineRecordIPAddress.setStatus('current')
hwOfflineRecordUserID = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 52, 1, 10), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwOfflineRecordUserID.setStatus('current')
hwOfflineRecordUserLoginTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 52, 1, 11), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwOfflineRecordUserLoginTime.setStatus('current')
hwOfflineRecordUserLogoutTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 52, 1, 12), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwOfflineRecordUserLogoutTime.setStatus('current')
hwOfflineRecordOfflineReason = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 52, 1, 13), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 63))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwOfflineRecordOfflineReason.setStatus('current')
hwGlobalDhcpOpt64SepAndSeg = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 53), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 5))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwGlobalDhcpOpt64SepAndSeg.setStatus('current')
hwGlobalDhcpServerAck = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 54), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwGlobalDhcpServerAck.setStatus('current')
hwAuthEventCfgTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 55), )
if mibBuilder.loadTexts: hwAuthEventCfgTable.setStatus('current')
hwAuthEventCfgEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 55, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwAuthEventPortIndex"))
if mibBuilder.loadTexts: hwAuthEventCfgEntry.setStatus('current')
hwAuthEventPortIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 55, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAuthEventPortIndex.setStatus('current')
hwAuthEventAuthFailResponseFail = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 55, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disabel", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwAuthEventAuthFailResponseFail.setStatus('current')
hwAuthEventAuthFailVlan = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 55, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4094))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwAuthEventAuthFailVlan.setStatus('current')
hwAuthEventAuthenServerDownResponseFail = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 55, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwAuthEventAuthenServerDownResponseFail.setStatus('current')
hwAuthEventAuthenServerDownVlan = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 55, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4094))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwAuthEventAuthenServerDownVlan.setStatus('current')
hwAuthEventClientNoResponseVlan = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 55, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4094))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwAuthEventClientNoResponseVlan.setStatus('current')
hwAuthEventPreAuthVlan = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 55, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4094))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwAuthEventPreAuthVlan.setStatus('current')
hwAuthEventAuthFailUserGroup = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 55, 1, 8), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwAuthEventAuthFailUserGroup.setStatus('current')
hwAuthEventAuthenServerDownUserGroup = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 55, 1, 9), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwAuthEventAuthenServerDownUserGroup.setStatus('current')
hwAuthEventClientNoResponseUserGroup = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 55, 1, 10), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwAuthEventClientNoResponseUserGroup.setStatus('current')
hwAuthEventPreAuthUserGroup = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 55, 1, 11), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwAuthEventPreAuthUserGroup.setStatus('current')
hwWlanInterfaceTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 56), )
if mibBuilder.loadTexts: hwWlanInterfaceTable.setStatus('current')
hwWlanInterfaceEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 56, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwWlanInterfaceIndex"))
if mibBuilder.loadTexts: hwWlanInterfaceEntry.setStatus('current')
hwWlanInterfaceIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 56, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwWlanInterfaceIndex.setStatus('current')
hwWlanInterfaceName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 56, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwWlanInterfaceName.setStatus('current')
hwWlanInterfaceDomainNameDelimiter = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 56, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwWlanInterfaceDomainNameDelimiter.setStatus('current')
hwWlanInterfaceDomainNameSecurityDelimiter = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 56, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwWlanInterfaceDomainNameSecurityDelimiter.setStatus('current')
hwWlanInterfaceDomainNameParseDirection = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 56, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("lefttoright", 0), ("righttoleft", 1), ("invalid", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwWlanInterfaceDomainNameParseDirection.setStatus('current')
hwWlanInterfaceDomainNameLocation = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 56, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("beforedelimiter", 0), ("afterdelimiter", 1), ("invalid", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwWlanInterfaceDomainNameLocation.setStatus('current')
hwAuthorCmdTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 57), )
if mibBuilder.loadTexts: hwAuthorCmdTable.setStatus('current')
hwAuthorCmdEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 57, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwAuthorSchemeName"), (0, "HUAWEI-AAA-MIB", "hwAuthorCmdLevel"))
if mibBuilder.loadTexts: hwAuthorCmdEntry.setStatus('current')
hwAuthorCmdLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 57, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 15))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAuthorCmdLevel.setStatus('current')
hwAuthorCmdMode = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 57, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("hwtacacs", 0), ("hwtacacsnone", 1), ("hwtacacslocal", 2), ("hwtacacslocalnone", 3)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwAuthorCmdMode.setStatus('current')
hwAuthorCmdRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 57, 1, 3), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwAuthorCmdRowStatus.setStatus('current')
hwAAARateTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 58), )
if mibBuilder.loadTexts: hwAAARateTable.setStatus('current')
hwAAARateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 58, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwAAARateDirection"), (0, "HUAWEI-AAA-MIB", "hwAAARateType"))
if mibBuilder.loadTexts: hwAAARateEntry.setStatus('current')
hwAAARateDirection = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 58, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("inbound", 1), ("outbound", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAAARateDirection.setStatus('current')
hwAAARateType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 58, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAAARateType.setStatus('current')
hwAAARateRealPeak = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 58, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAAARateRealPeak.setStatus('current')
hwAAARateRealAverage = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 58, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAAARateRealAverage.setStatus('current')
hwAAARateRealUsedCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 58, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAAARateRealUsedCount.setStatus('current')
hwAAARateRealPercent = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 58, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAAARateRealPercent.setStatus('current')
hwLocalUserPwPolicyAdmin = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 59))
hwLocalUserPwPolicyAdminEntry = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 59, 1))
hwAdminEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 59, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disable", 0), ("enable", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwAdminEnable.setStatus('current')
hwAdminExpire = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 59, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 999))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwAdminExpire.setStatus('current')
hwAdminPwHistroyRecordNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 59, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 12))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwAdminPwHistroyRecordNum.setStatus('current')
hwAdminAlertBefore = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 59, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 999))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwAdminAlertBefore.setStatus('current')
hwAdminAlertOrginal = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 59, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disable", 0), ("enable", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwAdminAlertOrginal.setStatus('current')
hwLocalUserPwPolicyAcc = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 60))
hwLocalUserPwPolicyAccEntry = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 60, 1))
hwAccEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 60, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disable", 0), ("enable", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwAccEnable.setStatus('current')
hwAccPwHistroyRecordNum = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 60, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 12))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwAccPwHistroyRecordNum.setStatus('current')
hwAAADomainIPPoolTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 61), )
if mibBuilder.loadTexts: hwAAADomainIPPoolTable.setStatus('current')
hwAAADomainIPPoolEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 61, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwDomainName"), (0, "HUAWEI-AAA-MIB", "hwAAADomainIPPoolName"))
if mibBuilder.loadTexts: hwAAADomainIPPoolEntry.setStatus('current')
hwAAADomainIPPoolName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 61, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAAADomainIPPoolName.setStatus('current')
hwAAADomainIPPoolIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 61, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAAADomainIPPoolIndex.setStatus('current')
hwAAADomainIPPoolConstantIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 61, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAAADomainIPPoolConstantIndex.setStatus('current')
hwAAADomainIPPoolPosition = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 61, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1024))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwAAADomainIPPoolPosition.setStatus('current')
hwAAADomainIPPoolRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 61, 1, 50), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwAAADomainIPPoolRowStatus.setStatus('current')
userAuthenProfileTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62), )
if mibBuilder.loadTexts: userAuthenProfileTable.setStatus('current')
userAuthenProfileEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "userAuthenProfileName"))
if mibBuilder.loadTexts: userAuthenProfileEntry.setStatus('current')
userAuthenProfileName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 31))).setMaxAccess("readonly")
if mibBuilder.loadTexts: userAuthenProfileName.setStatus('current')
userAuthenProfileDot1xAccessProfileName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 31))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileDot1xAccessProfileName.setStatus('current')
userAuthenProfileMacAuthenAccessProfileName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 31))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileMacAuthenAccessProfileName.setStatus('current')
userAuthenProfilePortalAccessProfileName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 31))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfilePortalAccessProfileName.setStatus('current')
userAuthenProfileSingleAccess = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 5), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileSingleAccess.setStatus('current')
userAuthenProfilePreAuthenServiceSchemeName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfilePreAuthenServiceSchemeName.setStatus('current')
userAuthenProfilePreAuthenUserGroupName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfilePreAuthenUserGroupName.setStatus('current')
userAuthenProfilePreAuthenVLAN = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4094))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfilePreAuthenVLAN.setStatus('current')
userAuthenProfileAuthenFailAuthorServiceSchemeName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 9), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileAuthenFailAuthorServiceSchemeName.setStatus('current')
userAuthenProfileAuthenFailAuthorUserGroupName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 10), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileAuthenFailAuthorUserGroupName.setStatus('current')
userAuthenProfileAuthenFailAuthorVLAN = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4094))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileAuthenFailAuthorVLAN.setStatus('current')
userAuthenProfileAuthenServerDownServiceSchemeName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 12), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileAuthenServerDownServiceSchemeName.setStatus('current')
userAuthenProfileAuthenServerDownUserGroupName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 13), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileAuthenServerDownUserGroupName.setStatus('current')
userAuthenProfileAuthenServerDownVLAN = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 14), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4094))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileAuthenServerDownVLAN.setStatus('current')
userAuthenProfileAuthenServerDownResponseSuccess = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 15), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileAuthenServerDownResponseSuccess.setStatus('current')
userAuthenProfileAuthenServerUpReauthen = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 16), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileAuthenServerUpReauthen.setStatus('current')
userAuthenProfileMacAuthenFirst = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 17), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileMacAuthenFirst.setStatus('current')
userAuthenProfileMACBypass = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 18), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileMACBypass.setStatus('current')
userAuthenProfileDot1xForceDomain = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 19), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileDot1xForceDomain.setStatus('current')
userAuthenProfileMACAuthenForceDomain = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 20), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileMACAuthenForceDomain.setStatus('current')
userAuthenProfilePortalForceDomain = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 21), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfilePortalForceDomain.setStatus('current')
userAuthenProfileDot1xDefaultDomain = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 22), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileDot1xDefaultDomain.setStatus('current')
userAuthenProfileMACAuthenDefaultDomain = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 23), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileMACAuthenDefaultDomain.setStatus('current')
userAuthenProfilePortalDefaultDomain = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 24), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfilePortalDefaultDomain.setStatus('current')
userAuthenProfileDefaultDomain = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 25), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileDefaultDomain.setStatus('current')
userAuthenProfileForceDomain = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 26), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileForceDomain.setStatus('current')
userAuthenProfileDomainNameDelimiter = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 27), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileDomainNameDelimiter.setStatus('current')
userAuthenProfileDomainNameLocation = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 28), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("domainnamepositionahead", 0), ("domainnamepositionbehind", 1), ("domainnamepositioninvalid", 2)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileDomainNameLocation.setStatus('current')
userAuthenProfileDomainNameParseDirection = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 29), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("domainparselefttoright", 0), ("domainparserighttoleft", 1), ("domainparseinvalid", 2)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileDomainNameParseDirection.setStatus('current')
userAuthenProfileSecurityNameDelimiter = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 30), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileSecurityNameDelimiter.setStatus('current')
userAuthenProfilePreAuthenReAuthenTimer = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 31), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(30, 7200), ))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfilePreAuthenReAuthenTimer.setStatus('current')
userAuthenProfileAuthenFailReAuthenTimer = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 32), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(30, 7200), ))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileAuthenFailReAuthenTimer.setStatus('current')
userAuthenProfilePreAuthenAgingTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 33), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(60, 4294860), ))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfilePreAuthenAgingTime.setStatus('current')
userAuthenProfileAuthenFailAgingTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 34), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(60, 4294860), ))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileAuthenFailAgingTime.setStatus('current')
userAuthenProfileFreeRuleName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 35), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 31))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileFreeRuleName.setStatus('current')
userAuthenProfileAuthenSchemeName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 36), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileAuthenSchemeName.setStatus('current')
userAuthenProfileAuthorSchemeName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 37), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileAuthorSchemeName.setStatus('current')
userAuthenProfileAcctSchemeName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 38), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileAcctSchemeName.setStatus('current')
userAuthenProfileServiceSchemeName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 39), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileServiceSchemeName.setStatus('current')
userAuthenProfileUserGroupName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 40), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileUserGroupName.setStatus('current')
userAuthenProfileRadiusServerName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 41), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileRadiusServerName.setStatus('current')
userAuthenProfileHwtacacsServerName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 42), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileHwtacacsServerName.setStatus('current')
userAuthenProfileAuthenticationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 43), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("singleterminal", 0), ("singlevoicewithdata", 1), ("multishare", 2), ("multiterminal", 3)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileAuthenticationMode.setStatus('current')
userAuthenProfileMaxUser = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 44), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileMaxUser.setStatus('current')
userAuthenProfileArpDetect = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 45), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileArpDetect.setStatus('current')
userAuthenProfileArpDetectTimer = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 46), Integer32().subtype(subtypeSpec=ValueRangeConstraint(5, 7200))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileArpDetectTimer.setStatus('current')
userAuthenProfileRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 47), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileRowStatus.setStatus('current')
userAuthenProfilePermitDomain = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 48), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 259))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfilePermitDomain.setStatus('current')
userAuthenProfileAuthenticationMaxUser = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 49), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 128))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileAuthenticationMaxUser.setStatus('current')
userAuthenProfileAuthenFailAuthorResponseSuccess = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 50), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenProfileAuthenFailAuthorResponseSuccess.setStatus('current')
userAuthenticationFreeRuleTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 63), )
if mibBuilder.loadTexts: userAuthenticationFreeRuleTable.setStatus('current')
userAuthenticationFreeRuleEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 63, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "userAuthenticationFreeRuleName"))
if mibBuilder.loadTexts: userAuthenticationFreeRuleEntry.setStatus('current')
userAuthenticationFreeRuleName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 63, 1, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 31))).setMaxAccess("readonly")
if mibBuilder.loadTexts: userAuthenticationFreeRuleName.setStatus('current')
userAuthenticationFreeRuleACLNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 63, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(6000, 6031), ))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenticationFreeRuleACLNumber.setStatus('current')
userAuthenticationFreeRuleIPv6ACLNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 63, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(3000, 3031), ))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenticationFreeRuleIPv6ACLNumber.setStatus('current')
userAuthenticationFreeRuleRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 63, 1, 4), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: userAuthenticationFreeRuleRowStatus.setStatus('current')
hwDot1xAccessProfileTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64), )
if mibBuilder.loadTexts: hwDot1xAccessProfileTable.setStatus('current')
hwDot1xAccessProfileEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwDot1xAccessProfileName"))
if mibBuilder.loadTexts: hwDot1xAccessProfileEntry.setStatus('current')
hwDot1xAccessProfileName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 31))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDot1xAccessProfileName.setStatus('current')
hwDot1xAccessProfileGuestAuthorServiceSchemeName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDot1xAccessProfileGuestAuthorServiceSchemeName.setStatus('current')
hwDot1xAccessProfileGuestAuthorUserGroupName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDot1xAccessProfileGuestAuthorUserGroupName.setStatus('current')
hwDot1xAccessProfileGuestAuthorVLAN = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4094))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDot1xAccessProfileGuestAuthorVLAN.setStatus('current')
hwDot1xAccessProfileHandshakeSwitch = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 5), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDot1xAccessProfileHandshakeSwitch.setStatus('current')
hwDot1xAccessProfileHandShakePktType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 20))).clone(namedValues=NamedValues(("default", 1), ("srpsha1", 20)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDot1xAccessProfileHandShakePktType.setStatus('current')
hwDot1xAccessProfileHandshakeInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(5, 7200))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDot1xAccessProfileHandshakeInterval.setStatus('current')
hwDot1xAccessProfileIfEAPEnd = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 8), TruthValue()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwDot1xAccessProfileIfEAPEnd.setStatus('current')
hwDot1xAccessProfileEAPEndMethod = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("chap", 1), ("pap", 2), ("eap", 3)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDot1xAccessProfileEAPEndMethod.setStatus('current')
hwDot1xAccessProfileEAPNotifyPktEAPCode = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(5, 255))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDot1xAccessProfileEAPNotifyPktEAPCode.setStatus('current')
hwDot1xAccessProfileEAPNotifyPktEAPType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 255))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDot1xAccessProfileEAPNotifyPktEAPType.setStatus('current')
hwDot1xAccessProfileReAuthenEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 12), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDot1xAccessProfileReAuthenEnable.setStatus('current')
hwDot1xAccessProfileReauthenticationTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(60, 7200))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDot1xAccessProfileReauthenticationTimeout.setStatus('current')
hwDot1xAccessProfileClientTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 14), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 120))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDot1xAccessProfileClientTimeout.setStatus('current')
hwDot1xAccessProfileServerTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 15), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 120))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDot1xAccessProfileServerTimeout.setStatus('current')
hwDot1xAccessProfileTxPeriod = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 16), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 120))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDot1xAccessProfileTxPeriod.setStatus('current')
hwDot1xAccessProfileMaxRetryValue = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 17), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 10))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDot1xAccessProfileMaxRetryValue.setStatus('current')
hwDot1xAccessProfileSpeedLimitAuto = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 18), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDot1xAccessProfileSpeedLimitAuto.setStatus('current')
hwDot1xAccessProfileTriggerPktType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("default", 0), ("arp", 1), ("dhcp", 2)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDot1xAccessProfileTriggerPktType.setStatus('current')
hwDot1xAccessProfileUnicastTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 20), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDot1xAccessProfileUnicastTrigger.setStatus('current')
hwDot1xAccessProfileURL = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 21), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 200))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDot1xAccessProfileURL.setStatus('current')
hwDot1xAccessProfileEthTrunkHandShakePeriod = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 22), Integer32().subtype(subtypeSpec=ValueRangeConstraint(30, 7200))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDot1xAccessProfileEthTrunkHandShakePeriod.setStatus('current')
hwDot1xAccessProfileRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 23), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwDot1xAccessProfileRowStatus.setStatus('current')
hwMACAuthenAccessProfileTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65), )
if mibBuilder.loadTexts: hwMACAuthenAccessProfileTable.setStatus('current')
hwMACAuthenAccessProfileEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwMACAuthenAccessProfileName"))
if mibBuilder.loadTexts: hwMACAuthenAccessProfileEntry.setStatus('current')
hwMACAuthenAccessProfileName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65, 1, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 31))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwMACAuthenAccessProfileName.setStatus('current')
hwMACAuthenAccessProfileReAuthenEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65, 1, 2), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwMACAuthenAccessProfileReAuthenEnable.setStatus('current')
hwMACAuthenAccessProfileReauthenticationTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(60, 7200))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwMACAuthenAccessProfileReauthenticationTimeout.setStatus('current')
hwMACAuthenAccessProfileServerTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 120))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwMACAuthenAccessProfileServerTimeout.setStatus('current')
hwMACAuthenAccessProfileUserNameFixedUserName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwMACAuthenAccessProfileUserNameFixedUserName.setStatus('current')
hwMACAuthenAccessProfileFixedPassword = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 128))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwMACAuthenAccessProfileFixedPassword.setStatus('current')
hwMACAuthenAccessProfileMACAddressFormat = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4))).clone(namedValues=NamedValues(("invalid", 0), ("macAddressWithoutHyphen", 1), ("macAddressWithHyphen", 2), ("fixed", 3), ("option", 4)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwMACAuthenAccessProfileMACAddressFormat.setStatus('current')
hwMACAuthenAccessProfileMACAddressPassword = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65, 1, 8), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 128))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwMACAuthenAccessProfileMACAddressPassword.setStatus('current')
hwMACAuthenAccessProfileUserNameDHCPOption = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 82))).clone(namedValues=NamedValues(("default", 0), ("dhcpoption", 82)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwMACAuthenAccessProfileUserNameDHCPOption.setStatus('current')
hwMACAuthenAccessProfileUserNameDHCPOSubOption = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("optionsubinvalid", 0), ("optionsubcircuitid", 1), ("optionremoteid", 2)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwMACAuthenAccessProfileUserNameDHCPOSubOption.setStatus('current')
hwMACAuthenAccessProfileTriggerPktType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 255))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwMACAuthenAccessProfileTriggerPktType.setStatus('current')
hwMACAuthenAccessProfileTriggerDHCPOptionType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 82))).clone(namedValues=NamedValues(("default", 0), ("optioncode", 82)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwMACAuthenAccessProfileTriggerDHCPOptionType.setStatus('current')
hwMACAuthenAccessProfileDHCPRelaseOffline = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65, 1, 13), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwMACAuthenAccessProfileDHCPRelaseOffline.setStatus('current')
hwMACAuthenAccessProfileDHCPRenewReAuthen = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65, 1, 14), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwMACAuthenAccessProfileDHCPRenewReAuthen.setStatus('current')
hwMACAuthenAccessProfilePermitAuthenMAC = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65, 1, 15), MacAddress()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwMACAuthenAccessProfilePermitAuthenMAC.setStatus('current')
hwMACAuthenAccessProfilePermitAuthenMACMask = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65, 1, 16), MacAddress()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwMACAuthenAccessProfilePermitAuthenMACMask.setStatus('current')
hwMACAuthenAccessProfileRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65, 1, 17), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwMACAuthenAccessProfileRowStatus.setStatus('current')
hwPortalAccessProfileTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 66), )
if mibBuilder.loadTexts: hwPortalAccessProfileTable.setStatus('current')
hwPortalAccessProfileEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 66, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwPortalAccessProfileName"))
if mibBuilder.loadTexts: hwPortalAccessProfileEntry.setStatus('current')
hwPortalAccessProfileName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 66, 1, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 31))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwPortalAccessProfileName.setStatus('current')
hwPortalAccessProfileDetectPeriod = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 66, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(30, 7200), ))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwPortalAccessProfileDetectPeriod.setStatus('current')
hwPortalAccessProfilePortalServerDownServiceSchemeName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 66, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwPortalAccessProfilePortalServerDownServiceSchemeName.setStatus('current')
hwPortalAccessProfilePortalServerDownUserGroupName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 66, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwPortalAccessProfilePortalServerDownUserGroupName.setStatus('current')
hwPortalAccessProfilePortalServerUpReAuthen = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 66, 1, 5), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwPortalAccessProfilePortalServerUpReAuthen.setStatus('current')
hwPortalAccessProfileAlarmUserLowNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 66, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 100))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwPortalAccessProfileAlarmUserLowNum.setStatus('current')
hwPortalAccessProfileAlarmUserHighNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 66, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 100))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwPortalAccessProfileAlarmUserHighNum.setStatus('current')
hwPortalAccessProfileAuthenNetWork = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 66, 1, 8), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1024))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwPortalAccessProfileAuthenNetWork.setStatus('current')
hwPortalAccessProfileAuthenNetWorkMask = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 66, 1, 9), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1024))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwPortalAccessProfileAuthenNetWorkMask.setStatus('current')
hwPortalAccessProfilePortalServerName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 66, 1, 10), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 31))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwPortalAccessProfilePortalServerName.setStatus('current')
hwPortalAccessProfilePortalAccessDirect = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 66, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 2, 3))).clone(namedValues=NamedValues(("invalid", 0), ("direct", 2), ("layer3", 3)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwPortalAccessProfilePortalAccessDirect.setStatus('current')
hwPortalAccessProfileLocalServerEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 66, 1, 12), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwPortalAccessProfileLocalServerEnable.setStatus('current')
hwPortalAccessProfileLocalServerAnonymous = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 66, 1, 13), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwPortalAccessProfileLocalServerAnonymous.setStatus('current')
hwPortalAccessProfileRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 66, 1, 14), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwPortalAccessProfileRowStatus.setStatus('current')
hwPortalAccessProfilePortalBackupServerName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 66, 1, 15), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 31))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hwPortalAccessProfilePortalBackupServerName.setStatus('current')
hwAAAInboundVPNAccessUserStatTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 67), )
if mibBuilder.loadTexts: hwAAAInboundVPNAccessUserStatTable.setStatus('current')
hwAAAInboundVPNAccessUserStatEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 67, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "hwAAAInboundVPNUserType"), (0, "HUAWEI-AAA-MIB", "hwAAAInboundVPNName"))
if mibBuilder.loadTexts: hwAAAInboundVPNAccessUserStatEntry.setStatus('current')
hwAAAInboundVPNUserType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 67, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=NamedValues(("pppoe", 1), ("pppoa", 2), ("dhcp", 3), ("lns", 4), ("lac", 5), ("ipv4", 6), ("ipv6", 7), ("dualStack", 8), ("all", 9)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAAAInboundVPNUserType.setStatus('current')
hwAAAInboundVPNName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 67, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 31))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAAAInboundVPNName.setStatus('current')
hwAAAInboundVPNAccessUserStat = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 67, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 256000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwAAAInboundVPNAccessUserStat.setStatus('current')
userAuthenticationFreeRuleExtTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 68), )
if mibBuilder.loadTexts: userAuthenticationFreeRuleExtTable.setStatus('current')
userAuthenticationFreeRuleExtEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 68, 1), ).setIndexNames((0, "HUAWEI-AAA-MIB", "userAuthenticationFreeRuleName"), (0, "HUAWEI-AAA-MIB", "userAuthenticationFreeRuleNumber"))
if mibBuilder.loadTexts: userAuthenticationFreeRuleExtEntry.setStatus('current')
userAuthenticationFreeRuleNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 68, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 129))).setMaxAccess("readonly")
if mibBuilder.loadTexts: userAuthenticationFreeRuleNumber.setStatus('current')
userAuthenticationFreeRuleSourceMode = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 68, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 3))).setMaxAccess("readonly")
if mibBuilder.loadTexts: userAuthenticationFreeRuleSourceMode.setStatus('current')
userAuthenticationFreeRuleSourceVlan = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 68, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4094))).setMaxAccess("readonly")
if mibBuilder.loadTexts: userAuthenticationFreeRuleSourceVlan.setStatus('current')
userAuthenticationFreeRuleSourceInterface = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 68, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 63))).setMaxAccess("readonly")
if mibBuilder.loadTexts: userAuthenticationFreeRuleSourceInterface.setStatus('current')
userAuthenticationFreeRuleSourceIP = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 68, 1, 5), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: userAuthenticationFreeRuleSourceIP.setStatus('current')
userAuthenticationFreeRuleSourceIPMask = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 68, 1, 6), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: userAuthenticationFreeRuleSourceIPMask.setStatus('current')
userAuthenticationFreeRuleSourceMac = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 68, 1, 7), MacAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: userAuthenticationFreeRuleSourceMac.setStatus('current')
userAuthenticationFreeRuleDestinationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 68, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 3))).setMaxAccess("readonly")
if mibBuilder.loadTexts: userAuthenticationFreeRuleDestinationMode.setStatus('current')
userAuthenticationFreeRuleDestinationIP = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 68, 1, 9), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: userAuthenticationFreeRuleDestinationIP.setStatus('current')
userAuthenticationFreeRuleDestinationIPMask = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 68, 1, 10), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: userAuthenticationFreeRuleDestinationIPMask.setStatus('current')
userAuthenticationFreeRuleDestinationProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 68, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("tcp", 1), ("udp", 2), ("none", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: userAuthenticationFreeRuleDestinationProtocol.setStatus('current')
userAuthenticationFreeRuleDestinationPort = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 68, 1, 12), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: userAuthenticationFreeRuleDestinationPort.setStatus('current')
userAuthenticationFreeRuleDestinationUserGroup = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 68, 1, 13), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readonly")
if mibBuilder.loadTexts: userAuthenticationFreeRuleDestinationUserGroup.setStatus('current')
userAuthenticationFreeRuleExtRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 68, 1, 14), RowStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: userAuthenticationFreeRuleExtRowStatus.setStatus('current')
hwAaaConformance = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5))
hwAaaCompliances = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 1))
hwAaaCompliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 1, 1)).setObjects(("HUAWEI-AAA-MIB", "hwAuthenSchemeGroup"), ("HUAWEI-AAA-MIB", "hwAcctSchemeGroup"), ("HUAWEI-AAA-MIB", "hwDomainGroup"), ("HUAWEI-AAA-MIB", "hwDomainExtGroup"), ("HUAWEI-AAA-MIB", "hwDomainStatGroup"), ("HUAWEI-AAA-MIB", "hwAuthorSchemeGroup"), ("HUAWEI-AAA-MIB", "hwLocalUserGroup"), ("HUAWEI-AAA-MIB", "hwLocalUserExtGroup"), ("HUAWEI-AAA-MIB", "hwAaaSettingGroup"), ("HUAWEI-AAA-MIB", "hwAaaStatGroup"), ("HUAWEI-AAA-MIB", "hwAccessGroup"), ("HUAWEI-AAA-MIB", "hwAccessExtGroup"), ("HUAWEI-AAA-MIB", "hwAcctSchemeExtGroup"), ("HUAWEI-AAA-MIB", "hwBillPoolGroup"), ("HUAWEI-AAA-MIB", "hwBillTFTPGroup"), ("HUAWEI-AAA-MIB", "hwUclGrpGroup"), ("HUAWEI-AAA-MIB", "hwIpAccessGroup"), ("HUAWEI-AAA-MIB", "hwCutAccessUserGroup"), ("HUAWEI-AAA-MIB", "hwAaaUserPppGroup"), ("HUAWEI-AAA-MIB", "hwAaaUserWebandFastGroup"), ("HUAWEI-AAA-MIB", "hwAaaUserDot1XGroup"), ("HUAWEI-AAA-MIB", "hwAaaUserBindGroup"), ("HUAWEI-AAA-MIB", "hwRecordSchemeGroup"), ("HUAWEI-AAA-MIB", "hwMACAccessGroup"), ("HUAWEI-AAA-MIB", "hwSlotConnectNumGroup"), ("HUAWEI-AAA-MIB", "hwOfflineReasonStatGroup"), ("HUAWEI-AAA-MIB", "hwMulticastListGroup"), ("HUAWEI-AAA-MIB", "hwMulticastProfileGroup"), ("HUAWEI-AAA-MIB", "hwMulticastProfileExtGroup"), ("HUAWEI-AAA-MIB", "hwAaaTrapOidGroup"), ("HUAWEI-AAA-MIB", "hwAaaTrapsNotificationsGroup"), ("HUAWEI-AAA-MIB", "hwLamTrapsNotificationsGroup"), ("HUAWEI-AAA-MIB", "hwObsoleteGroup"), ("HUAWEI-AAA-MIB", "hwServiceSchemeGroup"), ("HUAWEI-AAA-MIB", "hwDhcpOpt121RouteGroup"), ("HUAWEI-AAA-MIB", "hwAccessDelayPerSlotGroup"), ("HUAWEI-AAA-MIB", "hwVpnAccessUserStatGroup"), ("HUAWEI-AAA-MIB", "hwInterfaceAccessUserStatGroup"), ("HUAWEI-AAA-MIB", "hwDomainAccessUserStatGroup"), ("HUAWEI-AAA-MIB", "hwSlotAccessUserStatGroup"), ("HUAWEI-AAA-MIB", "hwReauthorizeGroup"), ("HUAWEI-AAA-MIB", "hwUserLogGroup"), ("HUAWEI-AAA-MIB", "hwGlobalDhcpOpt64SepAndSegGroup"), ("HUAWEI-AAA-MIB", "hwGlobalDhcpServerAckGroup"), ("HUAWEI-AAA-MIB", "hwWlanInterfaceGroup"), ("HUAWEI-AAA-MIB", "hwAuthorCmdGroup"), ("HUAWEI-AAA-MIB", "hwAAARateGroup"), ("HUAWEI-AAA-MIB", "hwLocalUserPwPolicyAdminGroup"), ("HUAWEI-AAA-MIB", "hwLocalUserPwPolicyAccGroup"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwAaaCompliance = hwAaaCompliance.setStatus('current')
hwAaaObjectGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2))
hwAuthenSchemeGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 1)).setObjects(("HUAWEI-AAA-MIB", "hwAuthenSchemeName"), ("HUAWEI-AAA-MIB", "hwAuthenMethod"), ("HUAWEI-AAA-MIB", "hwAuthenRowStatus"), ("HUAWEI-AAA-MIB", "hwAuthenFailPolicy"), ("HUAWEI-AAA-MIB", "hwAuthenFailDomain"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwAuthenSchemeGroup = hwAuthenSchemeGroup.setStatus('current')
hwAcctSchemeGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 2)).setObjects(("HUAWEI-AAA-MIB", "hwAcctSchemeName"), ("HUAWEI-AAA-MIB", "hwAccMethod"), ("HUAWEI-AAA-MIB", "hwAcctStartFail"), ("HUAWEI-AAA-MIB", "hwAcctOnlineFail"), ("HUAWEI-AAA-MIB", "hwAccRealTimeInter"), ("HUAWEI-AAA-MIB", "hwAcctRowStatus"), ("HUAWEI-AAA-MIB", "hwAcctRealTimeIntervalUnit"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwAcctSchemeGroup = hwAcctSchemeGroup.setStatus('current')
hwDomainGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 3)).setObjects(("HUAWEI-AAA-MIB", "hwDomainName"), ("HUAWEI-AAA-MIB", "hwDomainAuthenSchemeName"), ("HUAWEI-AAA-MIB", "hwDomainAcctSchemeName"), ("HUAWEI-AAA-MIB", "hwDomainRadiusGroupName"), ("HUAWEI-AAA-MIB", "hwDomainAccessLimitNum"), ("HUAWEI-AAA-MIB", "hwDomainIfSrcRoute"), ("HUAWEI-AAA-MIB", "hwDomainNextHopIP"), ("HUAWEI-AAA-MIB", "hwDomainIdleCutTime"), ("HUAWEI-AAA-MIB", "hwDomainIdleCutFlow"), ("HUAWEI-AAA-MIB", "hwDomainRowStatus"), ("HUAWEI-AAA-MIB", "hwDomainType"), ("HUAWEI-AAA-MIB", "hwDomainServiceSchemeName"), ("HUAWEI-AAA-MIB", "hwDomainIdleCutType"), ("HUAWEI-AAA-MIB", "hwDomainForcePushUrl"), ("HUAWEI-AAA-MIB", "hwDomainForcePushUrlTemplate"), ("HUAWEI-AAA-MIB", "hwStateBlockFirstTimeRangeName"), ("HUAWEI-AAA-MIB", "hwStateBlockSecondTimeRangeName"), ("HUAWEI-AAA-MIB", "hwStateBlockThirdTimeRangeName"), ("HUAWEI-AAA-MIB", "hwStateBlockForthTimeRangeName"), ("HUAWEI-AAA-MIB", "hwDomainFlowStatistic"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwDomainGroup = hwDomainGroup.setStatus('current')
hwDomainExtGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 4)).setObjects(("HUAWEI-AAA-MIB", "hwDomainPPPURL"), ("HUAWEI-AAA-MIB", "hwIfDomainActive"), ("HUAWEI-AAA-MIB", "hwPriority"), ("HUAWEI-AAA-MIB", "hwWebServerURL"), ("HUAWEI-AAA-MIB", "hwIPPoolOneName"), ("HUAWEI-AAA-MIB", "hwIPPoolTwoName"), ("HUAWEI-AAA-MIB", "hwIPPoolThreeName"), ("HUAWEI-AAA-MIB", "hwTwoLevelAcctRadiusGroupName"), ("HUAWEI-AAA-MIB", "hwVPDNGroupIndex"), ("HUAWEI-AAA-MIB", "hwUclIndex"), ("HUAWEI-AAA-MIB", "hwIfPPPoeURL"), ("HUAWEI-AAA-MIB", "hwUclGroupName"), ("HUAWEI-AAA-MIB", "hwVpdnGroupName"), ("HUAWEI-AAA-MIB", "hwDomainVrf"), ("HUAWEI-AAA-MIB", "hwDomainGre"), ("HUAWEI-AAA-MIB", "hwDomainRenewIPTag"), ("HUAWEI-AAA-MIB", "hwPortalURL"), ("HUAWEI-AAA-MIB", "hwPortalServerIP"), ("HUAWEI-AAA-MIB", "hwRedirectTimesLimit"), ("HUAWEI-AAA-MIB", "hwDot1xTemplate"), ("HUAWEI-AAA-MIB", "hwWebServerIP"), ("HUAWEI-AAA-MIB", "hwWebServerMode"), ("HUAWEI-AAA-MIB", "hwPoolWarningThreshold"), ("HUAWEI-AAA-MIB", "hwTacGroupName"), ("HUAWEI-AAA-MIB", "hwServicePolicyName"), ("HUAWEI-AAA-MIB", "hwCopsGroupSSGType"), ("HUAWEI-AAA-MIB", "hwDomainAuthorSchemeName"), ("HUAWEI-AAA-MIB", "hwDomainQoSProfile"), ("HUAWEI-AAA-MIB", "hwDomainZone"), ("HUAWEI-AAA-MIB", "hwIfL2tpRadiusForce"), ("HUAWEI-AAA-MIB", "hwDownPriority"), ("HUAWEI-AAA-MIB", "hwPPPForceAuthtype"), ("HUAWEI-AAA-MIB", "hwDnsIPAddress"), ("HUAWEI-AAA-MIB", "hwAdminUserPriority"), ("HUAWEI-AAA-MIB", "hwShapingTemplate"), ("HUAWEI-AAA-MIB", "hwDomainDPIPolicyName"), ("HUAWEI-AAA-MIB", "hwCopsGroupSIGType"), ("HUAWEI-AAA-MIB", "hwCopsGroupCIPNType"), ("HUAWEI-AAA-MIB", "hwPCReduceCir"), ("HUAWEI-AAA-MIB", "hwValAcctType"), ("HUAWEI-AAA-MIB", "hwValRadiusServer"), ("HUAWEI-AAA-MIB", "hwValCopsServer"), ("HUAWEI-AAA-MIB", "hwPCReducePir"), ("HUAWEI-AAA-MIB", "hwDomainInboundL2tpQoSProfile"), ("HUAWEI-AAA-MIB", "hwDomainOutboundL2tpQoSProfile"), ("HUAWEI-AAA-MIB", "hwIfMulticastForward"), ("HUAWEI-AAA-MIB", "hwMulticastVirtualSchedulRezCir"), ("HUAWEI-AAA-MIB", "hwMulticastVirtualSchedulRezPir"), ("HUAWEI-AAA-MIB", "hwMaxMulticastListNum"), ("HUAWEI-AAA-MIB", "hwMultiProfile"), ("HUAWEI-AAA-MIB", "hwDomainServiceType"), ("HUAWEI-AAA-MIB", "hwWebServerUrlParameter"), ("HUAWEI-AAA-MIB", "hwWebServerRedirectKeyMscgName"), ("HUAWEI-AAA-MIB", "hwPoratalServerUrlParameter"), ("HUAWEI-AAA-MIB", "hwPoratalServerFirstUrlKeyName"), ("HUAWEI-AAA-MIB", "hwPoratalServerFirstUrlKeyDefaultName"), ("HUAWEI-AAA-MIB", "hwDnsSecondIPAddress"), ("HUAWEI-AAA-MIB", "hwIPv6PoolName"), ("HUAWEI-AAA-MIB", "hwIPv6PrefixshareFlag"), ("HUAWEI-AAA-MIB", "hwUserBasicServiceIPType"), ("HUAWEI-AAA-MIB", "hwPriDnsIPv6Address"), ("HUAWEI-AAA-MIB", "hwSecDnsIPv6Address"), ("HUAWEI-AAA-MIB", "hwDualStackAccountingType"), ("HUAWEI-AAA-MIB", "hwIPv6PoolWarningThreshold"), ("HUAWEI-AAA-MIB", "hwIPv6CPWaitDHCPv6Delay"), ("HUAWEI-AAA-MIB", "hwIPv6ManagedAddressFlag"), ("HUAWEI-AAA-MIB", "hwIPv6CPIFIDAvailable"), ("HUAWEI-AAA-MIB", "hwIPv6OtherFlag"), ("HUAWEI-AAA-MIB", "hwIPv6CPAssignIFID"), ("HUAWEI-AAA-MIB", "hwMultiIPv6ProfileName"), ("HUAWEI-AAA-MIB", "hwWebServerURLSlave"), ("HUAWEI-AAA-MIB", "hwWebServerIPSlave"), ("HUAWEI-AAA-MIB", "hwBindAuthWebIP"), ("HUAWEI-AAA-MIB", "hwBindAuthWebVrf"), ("HUAWEI-AAA-MIB", "hwBindAuthWebIPSlave"), ("HUAWEI-AAA-MIB", "hwBindAuthWebVrfSlave"), ("HUAWEI-AAA-MIB", "hwExtVpdnGroupName"), ("HUAWEI-AAA-MIB", "hwDomainUserGroupName"), ("HUAWEI-AAA-MIB", "hwAFTRName"), ("HUAWEI-AAA-MIB", "hwDomainDhcpOpt64SepAndSeg"), ("HUAWEI-AAA-MIB", "hwDomainDhcpServerAck"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwDomainExtGroup = hwDomainExtGroup.setStatus('current')
hwDomainStatGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 5)).setObjects(("HUAWEI-AAA-MIB", "hwDomainAccessedNum"), ("HUAWEI-AAA-MIB", "hwDomainOnlineNum"), ("HUAWEI-AAA-MIB", "hwDomainOnlinePPPUser"), ("HUAWEI-AAA-MIB", "hwDomainFlowDnByte"), ("HUAWEI-AAA-MIB", "hwDomainFlowDnPkt"), ("HUAWEI-AAA-MIB", "hwDomainFlowUpByte"), ("HUAWEI-AAA-MIB", "hwDomainFlowUpPkt"), ("HUAWEI-AAA-MIB", "hwDomainIPTotalNum"), ("HUAWEI-AAA-MIB", "hwDomainIPUsedNum"), ("HUAWEI-AAA-MIB", "hwDomainIPConflictNum"), ("HUAWEI-AAA-MIB", "hwDomainIPExcludeNum"), ("HUAWEI-AAA-MIB", "hwDomainIPIdleNum"), ("HUAWEI-AAA-MIB", "hwDomainIPUsedPercent"), ("HUAWEI-AAA-MIB", "hwDomainPPPoENum"), ("HUAWEI-AAA-MIB", "hwDomainIPv6AddressTotalNum"), ("HUAWEI-AAA-MIB", "hwDomainIPv6AddressUsedNum"), ("HUAWEI-AAA-MIB", "hwDomainIPv6AddressFreeNum"), ("HUAWEI-AAA-MIB", "hwDomainIPv6AddressConflictNum"), ("HUAWEI-AAA-MIB", "hwDomainIPv6AddressExcludeNum"), ("HUAWEI-AAA-MIB", "hwDomainIPv6AddressUsedPercent"), ("HUAWEI-AAA-MIB", "hwDomainNDRAPrefixTotalNum"), ("HUAWEI-AAA-MIB", "hwDomainNDRAPrefixUsedNum"), ("HUAWEI-AAA-MIB", "hwDomainNDRAPrefixFreeNum"), ("HUAWEI-AAA-MIB", "hwDomainNDRAPrefixConflictNum"), ("HUAWEI-AAA-MIB", "hwDomainNDRAPrefixExcludeNum"), ("HUAWEI-AAA-MIB", "hwDomainNDRAPrefixUsedPercent"), ("HUAWEI-AAA-MIB", "hwDomainPDPrefixTotalNum"), ("HUAWEI-AAA-MIB", "hwDomainPDPrefixUsedNum"), ("HUAWEI-AAA-MIB", "hwDomainPDPrefixFreeNum"), ("HUAWEI-AAA-MIB", "hwDomainPDPrefixConflictNum"), ("HUAWEI-AAA-MIB", "hwDomainPDPrefixExcludeNum"), ("HUAWEI-AAA-MIB", "hwDomainPDPrefixUsedPercent"), ("HUAWEI-AAA-MIB", "hwDomainIPv6FlowDnByte"), ("HUAWEI-AAA-MIB", "hwDomainIPv6FlowDnPkt"), ("HUAWEI-AAA-MIB", "hwDomainIPv6FlowUpByte"), ("HUAWEI-AAA-MIB", "hwDomainIPv6FlowUpPkt"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwDomainStatGroup = hwDomainStatGroup.setStatus('current')
hwAuthorSchemeGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 6)).setObjects(("HUAWEI-AAA-MIB", "hwAuthorSchemeName"), ("HUAWEI-AAA-MIB", "hwAuthorMethod"), ("HUAWEI-AAA-MIB", "hwAuthorRowStatus"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwAuthorSchemeGroup = hwAuthorSchemeGroup.setStatus('current')
hwLocalUserGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 7)).setObjects(("HUAWEI-AAA-MIB", "hwLocalUserName"), ("HUAWEI-AAA-MIB", "hwLocalUserPassword"), ("HUAWEI-AAA-MIB", "hwLocalUserAccessType"), ("HUAWEI-AAA-MIB", "hwLocalUserPriority"), ("HUAWEI-AAA-MIB", "hwftpdirction"), ("HUAWEI-AAA-MIB", "hwQosProfileName"), ("HUAWEI-AAA-MIB", "hwLocalUserRowStatus"), ("HUAWEI-AAA-MIB", "hwLocalUserIpAddress"), ("HUAWEI-AAA-MIB", "hwLocalUserVpnInstance"), ("HUAWEI-AAA-MIB", "hwLocalUserAccessLimitNum"), ("HUAWEI-AAA-MIB", "hwLocalUserPasswordLifetimeMin"), ("HUAWEI-AAA-MIB", "hwLocalUserPasswordLifetimeMax"), ("HUAWEI-AAA-MIB", "hwLocalUserIfAllowWeakPassword"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwLocalUserGroup = hwLocalUserGroup.setStatus('current')
hwLocalUserExtGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 8)).setObjects(("HUAWEI-AAA-MIB", "hwLocalUserState"), ("HUAWEI-AAA-MIB", "hwLocalUserNoCallBackVerify"), ("HUAWEI-AAA-MIB", "hwLocalUserCallBackDialStr"), ("HUAWEI-AAA-MIB", "hwLocalUserBlockFailTimes"), ("HUAWEI-AAA-MIB", "hwLocalUserBlockInterval"), ("HUAWEI-AAA-MIB", "hwLocalUserUserGroup"), ("HUAWEI-AAA-MIB", "hwLocalUserDeviceType"), ("HUAWEI-AAA-MIB", "hwLocalUserExpireDate"), ("HUAWEI-AAA-MIB", "hwLocalUserIdleTimeoutSecond"), ("HUAWEI-AAA-MIB", "hwLocalUserTimeRange"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwLocalUserExtGroup = hwLocalUserExtGroup.setStatus('current')
hwAaaSettingGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 9)).setObjects(("HUAWEI-AAA-MIB", "hwRoamChar"), ("HUAWEI-AAA-MIB", "hwGlobalControl"), ("HUAWEI-AAA-MIB", "hwSystemRecord"), ("HUAWEI-AAA-MIB", "hwOutboundRecord"), ("HUAWEI-AAA-MIB", "hwCmdRecord"), ("HUAWEI-AAA-MIB", "hwPPPUserOfflineStandardize"), ("HUAWEI-AAA-MIB", "hwDomainNameParseDirection"), ("HUAWEI-AAA-MIB", "hwDomainNameLocation"), ("HUAWEI-AAA-MIB", "hwAccessSpeedNumber"), ("HUAWEI-AAA-MIB", "hwAccessSpeedPeriod"), ("HUAWEI-AAA-MIB", "hwRealmNameChar"), ("HUAWEI-AAA-MIB", "hwRealmParseDirection"), ("HUAWEI-AAA-MIB", "hwIPOXpassword"), ("HUAWEI-AAA-MIB", "hwAccessDelayTransitionStep"), ("HUAWEI-AAA-MIB", "hwAccessDelayTime"), ("HUAWEI-AAA-MIB", "hwAccessDelayMinTime"), ("HUAWEI-AAA-MIB", "hwParsePriority"), ("HUAWEI-AAA-MIB", "hwRealmNameLocation"), ("HUAWEI-AAA-MIB", "hwIPOXUsernameOption82"), ("HUAWEI-AAA-MIB", "hwIPOXUsernameIP"), ("HUAWEI-AAA-MIB", "hwIPOXUsernameSysname"), ("HUAWEI-AAA-MIB", "hwIPOXUsernameMAC"), ("HUAWEI-AAA-MIB", "hwDefaultUserName"), ("HUAWEI-AAA-MIB", "hwNasSerial"), ("HUAWEI-AAA-MIB", "hwAAAPasswordRepeatNumber"), ("HUAWEI-AAA-MIB", "hwAAAPasswordRemindDay"), ("HUAWEI-AAA-MIB", "hwOnlineUserNumLowerLimitThreshold"), ("HUAWEI-AAA-MIB", "hwOnlineUserNumUpperLimitThreshold"), ("HUAWEI-AAA-MIB", "hwIPOXpasswordKeyType"), ("HUAWEI-AAA-MIB", "hwReauthorizeEnable"), ("HUAWEI-AAA-MIB", "hwDomainNameDelimiter"), ("HUAWEI-AAA-MIB", "hwDomainNameSecurityDelimiter"), ("HUAWEI-AAA-MIB", "hwGlobalAuthEventAuthFailResponseFail"), ("HUAWEI-AAA-MIB", "hwGlobalAuthEventAuthFailVlan"), ("HUAWEI-AAA-MIB", "hwGlobalAuthEventAuthenServerDownResponseFail"), ("HUAWEI-AAA-MIB", "hwGlobalAuthEventAuthenServerDownVlan"), ("HUAWEI-AAA-MIB", "hwGlobalAuthEventClientNoResponseVlan"), ("HUAWEI-AAA-MIB", "hwGlobalAuthEventPreAuthVlan"), ("HUAWEI-AAA-MIB", "hwGlobalAuthEventAuthFailUserGroup"), ("HUAWEI-AAA-MIB", "hwGlobalAuthEventAuthenServerDownUserGroup"), ("HUAWEI-AAA-MIB", "hwGlobalAuthEventClientNoResponseUserGroup"), ("HUAWEI-AAA-MIB", "hwGlobalAuthEventPreAuthUserGroup"), ("HUAWEI-AAA-MIB", "hwTriggerLoose"), ("HUAWEI-AAA-MIB", "hwOfflineSpeedNumber"), ("HUAWEI-AAA-MIB", "hwAuthorModifyMode"), ("HUAWEI-AAA-MIB", "hwLocalRetryInterval"), ("HUAWEI-AAA-MIB", "hwLocalRetryTime"), ("HUAWEI-AAA-MIB", "hwLocalBlockTime"), ("HUAWEI-AAA-MIB", "hwRemoteRetryInterval"), ("HUAWEI-AAA-MIB", "hwRemoteRetryTime"), ("HUAWEI-AAA-MIB", "hwRemoteBlockTime"), ("HUAWEI-AAA-MIB", "hwBlockDisable"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwAaaSettingGroup = hwAaaSettingGroup.setStatus('current')
hwAaaStatGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 10)).setObjects(("HUAWEI-AAA-MIB", "hwTotalOnlineNum"), ("HUAWEI-AAA-MIB", "hwTotalPPPoeOnlineNum"), ("HUAWEI-AAA-MIB", "hwTotalPPPoAOnlineNum"), ("HUAWEI-AAA-MIB", "hwTotalftpOnlineNum"), ("HUAWEI-AAA-MIB", "hwTotalsshOnlineNum"), ("HUAWEI-AAA-MIB", "hwTotaltelnetOnlineNum"), ("HUAWEI-AAA-MIB", "hwTotalVLANOnlineNum"), ("HUAWEI-AAA-MIB", "hwHistoricMaxOnlineNum"), ("HUAWEI-AAA-MIB", "hwResetHistoricMaxOnlineNum"), ("HUAWEI-AAA-MIB", "hwResetOfflineReasonStatistic"), ("HUAWEI-AAA-MIB", "hwResetOnlineFailReasonStatistic"), ("HUAWEI-AAA-MIB", "hwMaxPPPoeOnlineNum"), ("HUAWEI-AAA-MIB", "hwTotalPortalServerUserNum"), ("HUAWEI-AAA-MIB", "hwMaxPortalServerUserNum"), ("HUAWEI-AAA-MIB", "hwTotalIPv4OnlineNum"), ("HUAWEI-AAA-MIB", "hwTotalIPv6OnlineNum"), ("HUAWEI-AAA-MIB", "hwTotalDualStackOnlineNum"), ("HUAWEI-AAA-MIB", "hwTotalIPv4FlowDnByte"), ("HUAWEI-AAA-MIB", "hwTotalIPv4FlowDnPkt"), ("HUAWEI-AAA-MIB", "hwTotalIPv4FlowUpByte"), ("HUAWEI-AAA-MIB", "hwTotalIPv4FlowUpPkt"), ("HUAWEI-AAA-MIB", "hwTotalIPv6FlowDnByte"), ("HUAWEI-AAA-MIB", "hwTotalIPv6FlowDnPkt"), ("HUAWEI-AAA-MIB", "hwTotalIPv6FlowUpByte"), ("HUAWEI-AAA-MIB", "hwTotalIPv6FlowUpPkt"), ("HUAWEI-AAA-MIB", "hwHistoricMaxOnlineAcctReadyNum"), ("HUAWEI-AAA-MIB", "hwPubicLacUserNum"), ("HUAWEI-AAA-MIB", "hwHistoricMaxOnlineLocalNum"), ("HUAWEI-AAA-MIB", "hwHistoricMaxOnlineRemoteNum"), ("HUAWEI-AAA-MIB", "hwTotalLacOnlineNum"), ("HUAWEI-AAA-MIB", "hwTotalLnsOnlineNum"), ("HUAWEI-AAA-MIB", "hwTotalWlsOnlineNum"), ("HUAWEI-AAA-MIB", "hwTotalWrdOnlineNum"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwAaaStatGroup = hwAaaStatGroup.setStatus('current')
hwAccessGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 11)).setObjects(("HUAWEI-AAA-MIB", "hwAccessIndex"), ("HUAWEI-AAA-MIB", "hwAccessUserName"), ("HUAWEI-AAA-MIB", "hwAccessPortType"), ("HUAWEI-AAA-MIB", "hwAccessPriority"), ("HUAWEI-AAA-MIB", "hwAccessSlotNo"), ("HUAWEI-AAA-MIB", "hwAccessSubSlotNo"), ("HUAWEI-AAA-MIB", "hwAccessPortNo"), ("HUAWEI-AAA-MIB", "hwAccessVLANID"), ("HUAWEI-AAA-MIB", "hwAccessPVC"), ("HUAWEI-AAA-MIB", "hwAccessAuthenMethod"), ("HUAWEI-AAA-MIB", "hwAccessAcctMethod"), ("HUAWEI-AAA-MIB", "hwAccessIPAddress"), ("HUAWEI-AAA-MIB", "hwAccessVRF"), ("HUAWEI-AAA-MIB", "hwAccessMACAddress"), ("HUAWEI-AAA-MIB", "hwAccessIfIdleCut"), ("HUAWEI-AAA-MIB", "hwAccessIdleCutTime"), ("HUAWEI-AAA-MIB", "hwAccessIdleCutFlow"), ("HUAWEI-AAA-MIB", "hwAccessTimeLimit"), ("HUAWEI-AAA-MIB", "hwAccessTotalFlow64Limit"), ("HUAWEI-AAA-MIB", "hwAccessStartTime"), ("HUAWEI-AAA-MIB", "hwAccessCARIfUpActive"), ("HUAWEI-AAA-MIB", "hwAccessCARIfDnActive"), ("HUAWEI-AAA-MIB", "hwAccessUpFlow64"), ("HUAWEI-AAA-MIB", "hwAccessDnFlow64"), ("HUAWEI-AAA-MIB", "hwAccessUpPacket64"), ("HUAWEI-AAA-MIB", "hwAccessDnPacket64"), ("HUAWEI-AAA-MIB", "hwAccessCARUpCIR"), ("HUAWEI-AAA-MIB", "hwAccessCARUpPIR"), ("HUAWEI-AAA-MIB", "hwAccessCARUpCBS"), ("HUAWEI-AAA-MIB", "hwAccessCARUpPBS"), ("HUAWEI-AAA-MIB", "hwAccessCARDnCIR"), ("HUAWEI-AAA-MIB", "hwAccessCARDnPIR"), ("HUAWEI-AAA-MIB", "hwAccessCARDnCBS"), ("HUAWEI-AAA-MIB", "hwAccessCARDnPBS"), ("HUAWEI-AAA-MIB", "hwAccessDownPriority"), ("HUAWEI-AAA-MIB", "hwAccessQosProfile"), ("HUAWEI-AAA-MIB", "hwAccessInterface"), ("HUAWEI-AAA-MIB", "hwAccessIPv6IFID"), ("HUAWEI-AAA-MIB", "hwAccessIPv6WanAddress"), ("HUAWEI-AAA-MIB", "hwAccessIPv6WanPrefix"), ("HUAWEI-AAA-MIB", "hwAccessIPv6LanPrefix"), ("HUAWEI-AAA-MIB", "hwAccessIPv6LanPrefixLen"), ("HUAWEI-AAA-MIB", "hwAccessBasicIPType"), ("HUAWEI-AAA-MIB", "hwAccessIPv6WaitDelay"), ("HUAWEI-AAA-MIB", "hwAccessIPv6ManagedAddressFlag"), ("HUAWEI-AAA-MIB", "hwAccessIPv6CPIFIDAvailable"), ("HUAWEI-AAA-MIB", "hwAccessIPv6OtherFlag"), ("HUAWEI-AAA-MIB", "hwAccessIPv6CPAssignIFID"), ("HUAWEI-AAA-MIB", "hwAccessLineID"), ("HUAWEI-AAA-MIB", "hwAccessIPv6UpFlow64"), ("HUAWEI-AAA-MIB", "hwAccessIPv6DnFlow64"), ("HUAWEI-AAA-MIB", "hwAccessIPv6UpPacket64"), ("HUAWEI-AAA-MIB", "hwAccessIPv6DnPacket64"), ("HUAWEI-AAA-MIB", "hwAccessDeviceName"), ("HUAWEI-AAA-MIB", "hwAccessDeviceMACAddress"), ("HUAWEI-AAA-MIB", "hwAccessDevicePortName"), ("HUAWEI-AAA-MIB", "hwAccessAPID"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwAccessGroup = hwAccessGroup.setStatus('current')
hwAccessExtGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 12)).setObjects(("HUAWEI-AAA-MIB", "hwAccessUCLGroup"), ("HUAWEI-AAA-MIB", "hwAuthenticationState"), ("HUAWEI-AAA-MIB", "hwAuthorizationState"), ("HUAWEI-AAA-MIB", "hwAccountingState"), ("HUAWEI-AAA-MIB", "hwAccessDomainName"), ("HUAWEI-AAA-MIB", "hwIdleTimeLength"), ("HUAWEI-AAA-MIB", "hwAcctSessionID"), ("HUAWEI-AAA-MIB", "hwAccessStartAcctTime"), ("HUAWEI-AAA-MIB", "hwAccessNormalServerGroup"), ("HUAWEI-AAA-MIB", "hwAccessDomainAcctCopySeverGroup"), ("HUAWEI-AAA-MIB", "hwAccessPVlanAcctCopyServerGroup"), ("HUAWEI-AAA-MIB", "hwAccessCurAuthenPlace"), ("HUAWEI-AAA-MIB", "hwAccessActionFlag"), ("HUAWEI-AAA-MIB", "hwAccessAuthtype"), ("HUAWEI-AAA-MIB", "hwAccessType"), ("HUAWEI-AAA-MIB", "hwAccessOnlineTime"), ("HUAWEI-AAA-MIB", "hwAccessGateway"), ("HUAWEI-AAA-MIB", "hwAccessSSID"), ("HUAWEI-AAA-MIB", "hwAccessAPMAC"), ("HUAWEI-AAA-MIB", "hwAccessDomain"), ("HUAWEI-AAA-MIB", "hwAccessCurAccountingPlace"), ("HUAWEI-AAA-MIB", "hwAccessCurAuthorPlace"), ("HUAWEI-AAA-MIB", "hwAccessUserGroup"), ("HUAWEI-AAA-MIB", "hwAccessResourceInsufficientInbound"), ("HUAWEI-AAA-MIB", "hwAccessResourceInsufficientOutbound"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwAccessExtGroup = hwAccessExtGroup.setStatus('current')
hwAcctSchemeExtGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 13)).setObjects(("HUAWEI-AAA-MIB", "hwIfRealtimeAcct"), ("HUAWEI-AAA-MIB", "hwRealtimeFailMaxnum"), ("HUAWEI-AAA-MIB", "hwStartFailOnlineIfSendInterim"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwAcctSchemeExtGroup = hwAcctSchemeExtGroup.setStatus('current')
hwBillPoolGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 14)).setObjects(("HUAWEI-AAA-MIB", "hwBillsPoolVolume"), ("HUAWEI-AAA-MIB", "hwBillsPoolNum"), ("HUAWEI-AAA-MIB", "hwBillsPoolAlarmThreshold"), ("HUAWEI-AAA-MIB", "hwBillsPoolBackupMode"), ("HUAWEI-AAA-MIB", "hwBillsPoolBackupInterval"), ("HUAWEI-AAA-MIB", "hwBillsPoolBackupNow"), ("HUAWEI-AAA-MIB", "hwBillsPoolReset"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwBillPoolGroup = hwBillPoolGroup.setStatus('current')
hwBillTFTPGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 15)).setObjects(("HUAWEI-AAA-MIB", "hwBillsTFTPSrvIP"), ("HUAWEI-AAA-MIB", "hwBillsTFTPMainFileName"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwBillTFTPGroup = hwBillTFTPGroup.setStatus('current')
hwUclGrpGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 16)).setObjects(("HUAWEI-AAA-MIB", "hwUclGrpName"), ("HUAWEI-AAA-MIB", "hwUclGrpRowStatus"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwUclGrpGroup = hwUclGrpGroup.setStatus('current')
hwIpAccessGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 17)).setObjects(("HUAWEI-AAA-MIB", "hwIPAccessIPaddress"), ("HUAWEI-AAA-MIB", "hwIPAccessCID"), ("HUAWEI-AAA-MIB", "hwIPAccessVRF"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwIpAccessGroup = hwIpAccessGroup.setStatus('current')
hwCutAccessUserGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 18)).setObjects(("HUAWEI-AAA-MIB", "hwCutStartUserID"), ("HUAWEI-AAA-MIB", "hwCutEndUserID"), ("HUAWEI-AAA-MIB", "hwCutIPaddress"), ("HUAWEI-AAA-MIB", "hwCutMacAddres"), ("HUAWEI-AAA-MIB", "hwCutUserName"), ("HUAWEI-AAA-MIB", "hwCutUserAttri"), ("HUAWEI-AAA-MIB", "hwCutDomain"), ("HUAWEI-AAA-MIB", "hwCutIPPoolName"), ("HUAWEI-AAA-MIB", "hwCutIfIndex"), ("HUAWEI-AAA-MIB", "hwCutVlanID"), ("HUAWEI-AAA-MIB", "hwCutVPI"), ("HUAWEI-AAA-MIB", "hwCutVCI"), ("HUAWEI-AAA-MIB", "hwCutVRF"), ("HUAWEI-AAA-MIB", "hwCutAccessInterface"), ("HUAWEI-AAA-MIB", "hwCutUserSSID"), ("HUAWEI-AAA-MIB", "hwCutAccessSlot"), ("HUAWEI-AAA-MIB", "hwCutUserGroup"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwCutAccessUserGroup = hwCutAccessUserGroup.setStatus('current')
hwAaaUserPppGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 19)).setObjects(("HUAWEI-AAA-MIB", "hwTotalConnectNum"), ("HUAWEI-AAA-MIB", "hwTotalSuccessNum"), ("HUAWEI-AAA-MIB", "hwTotalLCPFailNum"), ("HUAWEI-AAA-MIB", "hwTotalAuthenFailNum"), ("HUAWEI-AAA-MIB", "hwTotalNCPFailNum"), ("HUAWEI-AAA-MIB", "hwTotalIPAllocFailNum"), ("HUAWEI-AAA-MIB", "hwTotalOtherPPPFailNum"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwAaaUserPppGroup = hwAaaUserPppGroup.setStatus('current')
hwAaaUserWebandFastGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 20)).setObjects(("HUAWEI-AAA-MIB", "hwTotalWebConnectNum"), ("HUAWEI-AAA-MIB", "hwTotalSuccessWebConnectNum"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwAaaUserWebandFastGroup = hwAaaUserWebandFastGroup.setStatus('current')
hwAaaUserDot1XGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 21)).setObjects(("HUAWEI-AAA-MIB", "hwTotalDot1XConnectNum"), ("HUAWEI-AAA-MIB", "hwTotalSuccessDot1XConnectNum"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwAaaUserDot1XGroup = hwAaaUserDot1XGroup.setStatus('current')
hwAaaUserBindGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 22)).setObjects(("HUAWEI-AAA-MIB", "hwTotalBindConnectNum"), ("HUAWEI-AAA-MIB", "hwTotalSuccessBindConnectNum"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwAaaUserBindGroup = hwAaaUserBindGroup.setStatus('current')
hwRecordSchemeGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 23)).setObjects(("HUAWEI-AAA-MIB", "hwRecordSchemeName"), ("HUAWEI-AAA-MIB", "hwRecordTacGroupName"), ("HUAWEI-AAA-MIB", "hwRecordRowStatus"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwRecordSchemeGroup = hwRecordSchemeGroup.setStatus('current')
hwMACAccessGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 24)).setObjects(("HUAWEI-AAA-MIB", "hwMACAccessMACAddress"), ("HUAWEI-AAA-MIB", "hwMACAccessCID"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwMACAccessGroup = hwMACAccessGroup.setStatus('current')
hwSlotConnectNumGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 25)).setObjects(("HUAWEI-AAA-MIB", "hwSlotConnectNumSlot"), ("HUAWEI-AAA-MIB", "hwSlotConnectNumOnlineNum"), ("HUAWEI-AAA-MIB", "hwSlotConnectNumMaxOnlineNum"), ("HUAWEI-AAA-MIB", "hwSlotConnectNumMaxOnlineAcctReadyNum"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwSlotConnectNumGroup = hwSlotConnectNumGroup.setStatus('current')
hwOfflineReasonStatGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 26)).setObjects(("HUAWEI-AAA-MIB", "hwOfflineReason"), ("HUAWEI-AAA-MIB", "hwOfflineReasonStatistic"), ("HUAWEI-AAA-MIB", "hwOnlineFailReasonStatistic"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwOfflineReasonStatGroup = hwOfflineReasonStatGroup.setStatus('current')
hwMulticastListGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 27)).setObjects(("HUAWEI-AAA-MIB", "hwMulticastListIndex"), ("HUAWEI-AAA-MIB", "hwMulticastListName"), ("HUAWEI-AAA-MIB", "hwMulticastListSourceIp"), ("HUAWEI-AAA-MIB", "hwMulticastListSourceIpMask"), ("HUAWEI-AAA-MIB", "hwMulticastListGroupIp"), ("HUAWEI-AAA-MIB", "hwMulticastListGroupIpMask"), ("HUAWEI-AAA-MIB", "hwMulticastListVpnInstance"), ("HUAWEI-AAA-MIB", "hwMulticastListRowStatus"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwMulticastListGroup = hwMulticastListGroup.setStatus('current')
hwMulticastProfileGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 28)).setObjects(("HUAWEI-AAA-MIB", "hwMulticastProfileIndex"), ("HUAWEI-AAA-MIB", "hwMulticastProfileName"), ("HUAWEI-AAA-MIB", "hwMulticastProfileRowStatus"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwMulticastProfileGroup = hwMulticastProfileGroup.setStatus('current')
hwMulticastProfileExtGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 29)).setObjects(("HUAWEI-AAA-MIB", "hwMulticastListBindName"), ("HUAWEI-AAA-MIB", "hwMulticastProfileExtRowStatus"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwMulticastProfileExtGroup = hwMulticastProfileExtGroup.setStatus('current')
hwAaaTrapOidGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 30)).setObjects(("HUAWEI-AAA-MIB", "hwDomainIndex"), ("HUAWEI-AAA-MIB", "hwHdFreeamount"), ("HUAWEI-AAA-MIB", "hwHdWarningThreshold"), ("HUAWEI-AAA-MIB", "hwUserSlot"), ("HUAWEI-AAA-MIB", "hwUserSlotMaxNumThreshold"), ("HUAWEI-AAA-MIB", "hwOnlineUserNumThreshold"), ("HUAWEI-AAA-MIB", "hwPolicyRoute"), ("HUAWEI-AAA-MIB", "hwPolicyRouteThreshold"), ("HUAWEI-AAA-MIB", "hwRbsDownReason"), ("HUAWEI-AAA-MIB", "hwRbpOldState"), ("HUAWEI-AAA-MIB", "hwRbpChangeName"), ("HUAWEI-AAA-MIB", "hwMaxUserThresholdType"), ("HUAWEI-AAA-MIB", "hwRbpNewState"), ("HUAWEI-AAA-MIB", "hwRbsName"), ("HUAWEI-AAA-MIB", "hwRbpChangeReason"), ("HUAWEI-AAA-MIB", "hwRemoteDownloadAclUsedValue"), ("HUAWEI-AAA-MIB", "hwRemoteDownloadAclThresholdValue"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwAaaTrapOidGroup = hwAaaTrapOidGroup.setStatus('current')
hwAaaTrapsNotificationsGroup = NotificationGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 31)).setObjects(("HUAWEI-AAA-MIB", "hwUserIPAllocAlarm"), ("HUAWEI-AAA-MIB", "hwUserIPv6AddressAllocAlarm"), ("HUAWEI-AAA-MIB", "hwUserNDRAPrefixAllocAlarm"), ("HUAWEI-AAA-MIB", "hwUserDelegationPrefixAllocAlarm"), ("HUAWEI-AAA-MIB", "hwUserSlotMaxNum"), ("HUAWEI-AAA-MIB", "hwOnlineUserNumAlarm"), ("HUAWEI-AAA-MIB", "hwSetUserQosProfileFail"), ("HUAWEI-AAA-MIB", "hwUserMaxNum"), ("HUAWEI-AAA-MIB", "hwRbpStateChange"), ("HUAWEI-AAA-MIB", "hwRbsDown"), ("HUAWEI-AAA-MIB", "hwRbsUp"), ("HUAWEI-AAA-MIB", "hwUserIPAllocAlarmResume"), ("HUAWEI-AAA-MIB", "hwUserIPv6AddressAllocAlarmResume"), ("HUAWEI-AAA-MIB", "hwUserNDRAPrefixAllocAlarmResume"), ("HUAWEI-AAA-MIB", "hwUserDelegationPrefixAllocAlarmResume"), ("HUAWEI-AAA-MIB", "hwOnlineUserNumUpperLimitAlarm"), ("HUAWEI-AAA-MIB", "hwOnlineUserNumUpperLimitResume"), ("HUAWEI-AAA-MIB", "hwOnlineUserNumLowerLimitAlarm"), ("HUAWEI-AAA-MIB", "hwOnlineUserNumLowerLimitResume"), ("HUAWEI-AAA-MIB", "hwIPLowerlimitWarningAlarm"), ("HUAWEI-AAA-MIB", "hwIPLowerlimitWarningResume"), ("HUAWEI-AAA-MIB", "hwIPv6AddressLowerlimitWarningAlarm"), ("HUAWEI-AAA-MIB", "hwIPv6AddressLowerlimitWarningResume"), ("HUAWEI-AAA-MIB", "hwIPv6NDRAPrefixLowerlimitWarningAlarm"), ("HUAWEI-AAA-MIB", "hwIPv6NDRAPrefixLowerlimitWarningResume"), ("HUAWEI-AAA-MIB", "hwIPv6PDPrefixLowerlimitWarningAlarm"), ("HUAWEI-AAA-MIB", "hwIPv6PDPrefixLowerlimitWarningResume"), ("HUAWEI-AAA-MIB", "hwPolicyRouteSlotMaxNum"), ("HUAWEI-AAA-MIB", "hwRemoteDownloadAclThresholdAlarm"), ("HUAWEI-AAA-MIB", "hwRemoteDownloadAclThresholdResume"), ("HUAWEI-AAA-MIB", "hwAdminLoginFailed"), ("HUAWEI-AAA-MIB", "hwAdminLoginFailedClear"), ("HUAWEI-AAA-MIB", "hwUserGroupThresholdAlarm"), ("HUAWEI-AAA-MIB", "hwUserGroupThresholdResume"), ("HUAWEI-AAA-MIB", "hwEDSGLicenseExpireAlarm"), ("HUAWEI-AAA-MIB", "hwEDSGLicenseExpireResume"), ("HUAWEI-AAA-MIB", "hwAAAAccessUserResourceOrCpuAlarm"), ("HUAWEI-AAA-MIB", "hwAAAAccessUserResourceOrCpuResume"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwAaaTrapsNotificationsGroup = hwAaaTrapsNotificationsGroup.setStatus('current')
hwLamTrapsNotificationsGroup = NotificationGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 32)).setObjects(("HUAWEI-AAA-MIB", "hwHarddiskoverflow"), ("HUAWEI-AAA-MIB", "hwHarddiskReachThreshold"), ("HUAWEI-AAA-MIB", "hwHarddiskOK"), ("HUAWEI-AAA-MIB", "hwCachetoFTPFail"), ("HUAWEI-AAA-MIB", "hwHDtoFTPFail"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwLamTrapsNotificationsGroup = hwLamTrapsNotificationsGroup.setStatus('current')
hwObsoleteGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 33)).setObjects(("HUAWEI-AAA-MIB", "hwNtvUserProfileName"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwObsoleteGroup = hwObsoleteGroup.setStatus('obsolete')
hwServiceSchemeGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 34)).setObjects(("HUAWEI-AAA-MIB", "hwServiceSchemeNextHopIp"), ("HUAWEI-AAA-MIB", "hwServiceSchemeUserPriority"), ("HUAWEI-AAA-MIB", "hwServiceSchemeIdleCutTime"), ("HUAWEI-AAA-MIB", "hwServiceSchemeIdleCutFlow"), ("HUAWEI-AAA-MIB", "hwServiceSchemeDnsFirst"), ("HUAWEI-AAA-MIB", "hwServiceSchemeDnsSecond"), ("HUAWEI-AAA-MIB", "hwSrvSchemeAdminUserPriority"), ("HUAWEI-AAA-MIB", "hwSrvSchemeIpPoolOneName"), ("HUAWEI-AAA-MIB", "hwSrvSchemeIpPoolTwoName"), ("HUAWEI-AAA-MIB", "hwSrvSchemeIpPoolThreeName"), ("HUAWEI-AAA-MIB", "hwServiceSchemeRowStatus"), ("HUAWEI-AAA-MIB", "hwServiceSchemeIdleCutType"), ("HUAWEI-AAA-MIB", "hwServiceSchemeIdleCutFlowValue"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwServiceSchemeGroup = hwServiceSchemeGroup.setStatus('current')
hwDhcpOpt121RouteGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 35)).setObjects(("HUAWEI-AAA-MIB", "hwDhcpOpt121RouteDestIp"), ("HUAWEI-AAA-MIB", "hwDhcpOpt121RouteMask"), ("HUAWEI-AAA-MIB", "hwDhcpOpt121RouteNextHop"), ("HUAWEI-AAA-MIB", "hwDhcpOpt121RouteRowStatus"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwDhcpOpt121RouteGroup = hwDhcpOpt121RouteGroup.setStatus('current')
hwAccessDelayPerSlotGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 36)).setObjects(("HUAWEI-AAA-MIB", "hwAccessDelayPerSlotSlot"), ("HUAWEI-AAA-MIB", "hwAccessDelayPerSlotTransitionStep"), ("HUAWEI-AAA-MIB", "hwAccessDelayPerSlotMaxTime"), ("HUAWEI-AAA-MIB", "hwAccessDelayPerSlotMinTime"), ("HUAWEI-AAA-MIB", "hwAccessDelayPerSlotRowStatus"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwAccessDelayPerSlotGroup = hwAccessDelayPerSlotGroup.setStatus('current')
hwVpnAccessUserStatGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 37)).setObjects(("HUAWEI-AAA-MIB", "hwUserType"), ("HUAWEI-AAA-MIB", "hwVpnAccessUserStatVpnName"), ("HUAWEI-AAA-MIB", "hwVpnAccessUserStatUserStat"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwVpnAccessUserStatGroup = hwVpnAccessUserStatGroup.setStatus('current')
hwInterfaceAccessUserStatGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 38)).setObjects(("HUAWEI-AAA-MIB", "hwInterfaceAccessUserStatInterfaceIndex"), ("HUAWEI-AAA-MIB", "hwInterfaceAccessUserStatUserStat"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwInterfaceAccessUserStatGroup = hwInterfaceAccessUserStatGroup.setStatus('current')
hwDomainAccessUserStatGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 39)).setObjects(("HUAWEI-AAA-MIB", "hwDomainAccessUserStatUserStat"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwDomainAccessUserStatGroup = hwDomainAccessUserStatGroup.setStatus('current')
hwSlotAccessUserStatGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 40)).setObjects(("HUAWEI-AAA-MIB", "hwSlotAccessUserStatSlot"), ("HUAWEI-AAA-MIB", "hwSlotAccessUserStatUserStat"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwSlotAccessUserStatGroup = hwSlotAccessUserStatGroup.setStatus('current')
hwDomainIncludePoolGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 45)).setObjects(("HUAWEI-AAA-MIB", "hwDomainIncludeIPPoolGroupName"), ("HUAWEI-AAA-MIB", "hwDomainIncludeIPPoolGroupRowStates"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwDomainIncludePoolGroup = hwDomainIncludePoolGroup.setStatus('current')
hwDomainIPPoolMoveTo = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 46)).setObjects(("HUAWEI-AAA-MIB", "hwDomainIncludeIPPoolName"), ("HUAWEI-AAA-MIB", "hwDomainIncludeIPPoolMoveto"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwDomainIPPoolMoveTo = hwDomainIPPoolMoveTo.setStatus('current')
hwUserLogGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 47)).setObjects(("HUAWEI-AAA-MIB", "hwUserLogAccess"), ("HUAWEI-AAA-MIB", "hwUserLogIPAddress"), ("HUAWEI-AAA-MIB", "hwUserLogPort"), ("HUAWEI-AAA-MIB", "hwUserLogVersion"), ("HUAWEI-AAA-MIB", "hwShowUserLogStatistic"), ("HUAWEI-AAA-MIB", "hwResetUserLogStatistic"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwUserLogGroup = hwUserLogGroup.setStatus('current')
hwGlobalDhcpOpt64SepAndSegGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 48)).setObjects(("HUAWEI-AAA-MIB", "hwGlobalDhcpOpt64SepAndSeg"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwGlobalDhcpOpt64SepAndSegGroup = hwGlobalDhcpOpt64SepAndSegGroup.setStatus('current')
hwGlobalDhcpServerAckGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 49)).setObjects(("HUAWEI-AAA-MIB", "hwGlobalDhcpServerAck"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwGlobalDhcpServerAckGroup = hwGlobalDhcpServerAckGroup.setStatus('current')
hwReauthorizeGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 50)).setObjects(("HUAWEI-AAA-MIB", "hwReauthorizeUsername"), ("HUAWEI-AAA-MIB", "hwReauthorizeUsergroup"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwReauthorizeGroup = hwReauthorizeGroup.setStatus('current')
hwWlanInterfaceGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 56)).setObjects(("HUAWEI-AAA-MIB", "hwWlanInterfaceIndex"), ("HUAWEI-AAA-MIB", "hwWlanInterfaceName"), ("HUAWEI-AAA-MIB", "hwWlanInterfaceDomainNameDelimiter"), ("HUAWEI-AAA-MIB", "hwWlanInterfaceDomainNameSecurityDelimiter"), ("HUAWEI-AAA-MIB", "hwWlanInterfaceDomainNameParseDirection"), ("HUAWEI-AAA-MIB", "hwWlanInterfaceDomainNameLocation"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwWlanInterfaceGroup = hwWlanInterfaceGroup.setStatus('current')
hwAuthorCmdGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 57)).setObjects(("HUAWEI-AAA-MIB", "hwAuthorCmdLevel"), ("HUAWEI-AAA-MIB", "hwAuthorCmdMode"), ("HUAWEI-AAA-MIB", "hwAuthorCmdRowStatus"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwAuthorCmdGroup = hwAuthorCmdGroup.setStatus('current')
hwAAARateGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 58)).setObjects(("HUAWEI-AAA-MIB", "hwAAARateDirection"), ("HUAWEI-AAA-MIB", "hwAAARateType"), ("HUAWEI-AAA-MIB", "hwAAARateRealPeak"), ("HUAWEI-AAA-MIB", "hwAAARateRealAverage"), ("HUAWEI-AAA-MIB", "hwAAARateRealUsedCount"), ("HUAWEI-AAA-MIB", "hwAAARateRealPercent"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwAAARateGroup = hwAAARateGroup.setStatus('current')
hwLocalUserPwPolicyAdminGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 59)).setObjects(("HUAWEI-AAA-MIB", "hwAdminEnable"), ("HUAWEI-AAA-MIB", "hwAdminExpire"), ("HUAWEI-AAA-MIB", "hwAdminPwHistroyRecordNum"), ("HUAWEI-AAA-MIB", "hwAdminAlertBefore"), ("HUAWEI-AAA-MIB", "hwAdminAlertOrginal"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwLocalUserPwPolicyAdminGroup = hwLocalUserPwPolicyAdminGroup.setStatus('current')
hwLocalUserPwPolicyAccGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 60)).setObjects(("HUAWEI-AAA-MIB", "hwAccEnable"), ("HUAWEI-AAA-MIB", "hwAccPwHistroyRecordNum"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwLocalUserPwPolicyAccGroup = hwLocalUserPwPolicyAccGroup.setStatus('current')
hwAAADomainIPPoolGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 61)).setObjects(("HUAWEI-AAA-MIB", "hwAAADomainIPPoolName"), ("HUAWEI-AAA-MIB", "hwAAADomainIPPoolIndex"), ("HUAWEI-AAA-MIB", "hwAAADomainIPPoolConstantIndex"), ("HUAWEI-AAA-MIB", "hwAAADomainIPPoolPosition"), ("HUAWEI-AAA-MIB", "hwAAADomainIPPoolRowStatus"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwAAADomainIPPoolGroup = hwAAADomainIPPoolGroup.setStatus('current')
userAuthenProfileGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 62)).setObjects(("HUAWEI-AAA-MIB", "userAuthenProfileName"), ("HUAWEI-AAA-MIB", "userAuthenProfileDot1xAccessProfileName"), ("HUAWEI-AAA-MIB", "userAuthenProfileMacAuthenAccessProfileName"), ("HUAWEI-AAA-MIB", "userAuthenProfilePortalAccessProfileName"), ("HUAWEI-AAA-MIB", "userAuthenProfileSingleAccess"), ("HUAWEI-AAA-MIB", "userAuthenProfilePreAuthenServiceSchemeName"), ("HUAWEI-AAA-MIB", "userAuthenProfilePreAuthenUserGroupName"), ("HUAWEI-AAA-MIB", "userAuthenProfilePreAuthenVLAN"), ("HUAWEI-AAA-MIB", "userAuthenProfileAuthenFailAuthorServiceSchemeName"), ("HUAWEI-AAA-MIB", "userAuthenProfileAuthenFailAuthorUserGroupName"), ("HUAWEI-AAA-MIB", "userAuthenProfileAuthenFailAuthorVLAN"), ("HUAWEI-AAA-MIB", "userAuthenProfileAuthenServerDownServiceSchemeName"), ("HUAWEI-AAA-MIB", "userAuthenProfileAuthenServerDownUserGroupName"), ("HUAWEI-AAA-MIB", "userAuthenProfileAuthenServerDownVLAN"), ("HUAWEI-AAA-MIB", "userAuthenProfileAuthenServerDownResponseSuccess"), ("HUAWEI-AAA-MIB", "userAuthenProfileAuthenServerUpReauthen"), ("HUAWEI-AAA-MIB", "userAuthenProfileMacAuthenFirst"), ("HUAWEI-AAA-MIB", "userAuthenProfileMACBypass"), ("HUAWEI-AAA-MIB", "userAuthenProfileDot1xForceDomain"), ("HUAWEI-AAA-MIB", "userAuthenProfileMACAuthenForceDomain"), ("HUAWEI-AAA-MIB", "userAuthenProfilePortalForceDomain"), ("HUAWEI-AAA-MIB", "userAuthenProfileDot1xDefaultDomain"), ("HUAWEI-AAA-MIB", "userAuthenProfileMACAuthenDefaultDomain"), ("HUAWEI-AAA-MIB", "userAuthenProfilePortalDefaultDomain"), ("HUAWEI-AAA-MIB", "userAuthenProfileSecurityNameDelimiter"), ("HUAWEI-AAA-MIB", "userAuthenProfilePreAuthenReAuthenTimer"), ("HUAWEI-AAA-MIB", "userAuthenProfileAuthenFailReAuthenTimer"), ("HUAWEI-AAA-MIB", "userAuthenProfilePreAuthenAgingTime"), ("HUAWEI-AAA-MIB", "userAuthenProfileAuthenFailAgingTime"), ("HUAWEI-AAA-MIB", "userAuthenProfileFreeRuleName"), ("HUAWEI-AAA-MIB", "userAuthenProfileAuthenSchemeName"), ("HUAWEI-AAA-MIB", "userAuthenProfileAuthorSchemeName"), ("HUAWEI-AAA-MIB", "userAuthenProfileAcctSchemeName"), ("HUAWEI-AAA-MIB", "userAuthenProfileServiceSchemeName"), ("HUAWEI-AAA-MIB", "userAuthenProfileUserGroupName"), ("HUAWEI-AAA-MIB", "userAuthenProfileRadiusServerName"), ("HUAWEI-AAA-MIB", "userAuthenProfileHwtacacsServerName"), ("HUAWEI-AAA-MIB", "userAuthenProfileAuthenticationMode"), ("HUAWEI-AAA-MIB", "userAuthenProfileMaxUser"), ("HUAWEI-AAA-MIB", "userAuthenProfileAuthenFailAuthorResponseSuccess"), ("HUAWEI-AAA-MIB", "userAuthenProfileArpDetect"), ("HUAWEI-AAA-MIB", "userAuthenProfileArpDetectTimer"), ("HUAWEI-AAA-MIB", "userAuthenProfileRowStatus"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
userAuthenProfileGroup = userAuthenProfileGroup.setStatus('current')
userAuthenticationFreeRuleGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 63)).setObjects(("HUAWEI-AAA-MIB", "userAuthenticationFreeRuleName"), ("HUAWEI-AAA-MIB", "userAuthenticationFreeRuleACLNumber"), ("HUAWEI-AAA-MIB", "userAuthenticationFreeRuleIPv6ACLNumber"), ("HUAWEI-AAA-MIB", "userAuthenticationFreeRuleNumber"), ("HUAWEI-AAA-MIB", "userAuthenticationFreeRuleSourceMode"), ("HUAWEI-AAA-MIB", "userAuthenticationFreeRuleSourceVlan"), ("HUAWEI-AAA-MIB", "userAuthenticationFreeRuleSourceInterface"), ("HUAWEI-AAA-MIB", "userAuthenticationFreeRuleSourceIP"), ("HUAWEI-AAA-MIB", "userAuthenticationFreeRuleSourceIPMask"), ("HUAWEI-AAA-MIB", "userAuthenticationFreeRuleSourceMac"), ("HUAWEI-AAA-MIB", "userAuthenticationFreeRuleDestinationMode"), ("HUAWEI-AAA-MIB", "userAuthenticationFreeRuleDestinationIP"), ("HUAWEI-AAA-MIB", "userAuthenticationFreeRuleDestinationIPMask"), ("HUAWEI-AAA-MIB", "userAuthenticationFreeRuleDestinationProtocol"), ("HUAWEI-AAA-MIB", "userAuthenticationFreeRuleDestinationPort"), ("HUAWEI-AAA-MIB", "userAuthenticationFreeRuleDestinationUserGroup"), ("HUAWEI-AAA-MIB", "userAuthenticationFreeRuleRowStatus"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
userAuthenticationFreeRuleGroup = userAuthenticationFreeRuleGroup.setStatus('current')
hwDot1xAccessProfileGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 64)).setObjects(("HUAWEI-AAA-MIB", "hwDot1xAccessProfileName"), ("HUAWEI-AAA-MIB", "hwDot1xAccessProfileGuestAuthorServiceSchemeName"), ("HUAWEI-AAA-MIB", "hwDot1xAccessProfileGuestAuthorUserGroupName"), ("HUAWEI-AAA-MIB", "hwDot1xAccessProfileGuestAuthorVLAN"), ("HUAWEI-AAA-MIB", "hwDot1xAccessProfileHandshakeSwitch"), ("HUAWEI-AAA-MIB", "hwDot1xAccessProfileHandShakePktType"), ("HUAWEI-AAA-MIB", "hwDot1xAccessProfileHandshakeInterval"), ("HUAWEI-AAA-MIB", "hwDot1xAccessProfileIfEAPEnd"), ("HUAWEI-AAA-MIB", "hwDot1xAccessProfileEAPEndMethod"), ("HUAWEI-AAA-MIB", "hwDot1xAccessProfileEAPNotifyPktEAPCode"), ("HUAWEI-AAA-MIB", "hwDot1xAccessProfileEAPNotifyPktEAPType"), ("HUAWEI-AAA-MIB", "hwDot1xAccessProfileReAuthenEnable"), ("HUAWEI-AAA-MIB", "hwDot1xAccessProfileReauthenticationTimeout"), ("HUAWEI-AAA-MIB", "hwDot1xAccessProfileClientTimeout"), ("HUAWEI-AAA-MIB", "hwDot1xAccessProfileServerTimeout"), ("HUAWEI-AAA-MIB", "hwDot1xAccessProfileTxPeriod"), ("HUAWEI-AAA-MIB", "hwDot1xAccessProfileMaxRetryValue"), ("HUAWEI-AAA-MIB", "hwDot1xAccessProfileSpeedLimitAuto"), ("HUAWEI-AAA-MIB", "hwDot1xAccessProfileTriggerPktType"), ("HUAWEI-AAA-MIB", "hwDot1xAccessProfileUnicastTrigger"), ("HUAWEI-AAA-MIB", "hwDot1xAccessProfileURL"), ("HUAWEI-AAA-MIB", "hwDot1xAccessProfileEthTrunkHandShakePeriod"), ("HUAWEI-AAA-MIB", "hwDot1xAccessProfileRowStatus"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwDot1xAccessProfileGroup = hwDot1xAccessProfileGroup.setStatus('current')
hwMACAuthenAccessProfileGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 65)).setObjects(("HUAWEI-AAA-MIB", "hwMACAuthenAccessProfileName"), ("HUAWEI-AAA-MIB", "hwMACAuthenAccessProfileReAuthenEnable"), ("HUAWEI-AAA-MIB", "hwMACAuthenAccessProfileReauthenticationTimeout"), ("HUAWEI-AAA-MIB", "hwMACAuthenAccessProfileServerTimeout"), ("HUAWEI-AAA-MIB", "hwMACAuthenAccessProfileUserNameFixedUserName"), ("HUAWEI-AAA-MIB", "hwMACAuthenAccessProfileFixedPassword"), ("HUAWEI-AAA-MIB", "hwMACAuthenAccessProfileMACAddressFormat"), ("HUAWEI-AAA-MIB", "hwMACAuthenAccessProfileMACAddressPassword"), ("HUAWEI-AAA-MIB", "hwMACAuthenAccessProfileUserNameDHCPOption"), ("HUAWEI-AAA-MIB", "hwMACAuthenAccessProfileUserNameDHCPOSubOption"), ("HUAWEI-AAA-MIB", "hwMACAuthenAccessProfileTriggerPktType"), ("HUAWEI-AAA-MIB", "hwMACAuthenAccessProfileTriggerDHCPOptionType"), ("HUAWEI-AAA-MIB", "hwMACAuthenAccessProfileDHCPRelaseOffline"), ("HUAWEI-AAA-MIB", "hwMACAuthenAccessProfileDHCPRenewReAuthen"), ("HUAWEI-AAA-MIB", "hwMACAuthenAccessProfilePermitAuthenMAC"), ("HUAWEI-AAA-MIB", "hwMACAuthenAccessProfilePermitAuthenMACMask"), ("HUAWEI-AAA-MIB", "hwMACAuthenAccessProfileRowStatus"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwMACAuthenAccessProfileGroup = hwMACAuthenAccessProfileGroup.setStatus('current')
hwPortalAccessProfileGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 66)).setObjects(("HUAWEI-AAA-MIB", "hwPortalAccessProfileName"), ("HUAWEI-AAA-MIB", "hwPortalAccessProfileDetectPeriod"), ("HUAWEI-AAA-MIB", "hwPortalAccessProfilePortalServerDownServiceSchemeName"), ("HUAWEI-AAA-MIB", "hwPortalAccessProfilePortalServerDownUserGroupName"), ("HUAWEI-AAA-MIB", "hwPortalAccessProfilePortalServerUpReAuthen"), ("HUAWEI-AAA-MIB", "hwPortalAccessProfileAlarmUserLowNum"), ("HUAWEI-AAA-MIB", "hwPortalAccessProfileAlarmUserHighNum"), ("HUAWEI-AAA-MIB", "hwPortalAccessProfileAuthenNetWork"), ("HUAWEI-AAA-MIB", "hwPortalAccessProfileAuthenNetWorkMask"), ("HUAWEI-AAA-MIB", "hwPortalAccessProfilePortalServerName"), ("HUAWEI-AAA-MIB", "hwPortalAccessProfilePortalAccessDirect"), ("HUAWEI-AAA-MIB", "hwPortalAccessProfileLocalServerEnable"), ("HUAWEI-AAA-MIB", "hwPortalAccessProfileRowStatus"), ("HUAWEI-AAA-MIB", "hwPortalAccessProfilePortalBackupServerName"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwPortalAccessProfileGroup = hwPortalAccessProfileGroup.setStatus('current')
mibBuilder.exportSymbols("HUAWEI-AAA-MIB", hwAAASlotIPv6AddressThresholdAlarm=hwAAASlotIPv6AddressThresholdAlarm, hwAccessCARDnPIR=hwAccessCARDnPIR, hwVPDNGroupIndex=hwVPDNGroupIndex, hwDomainNDRAPrefixFreeNum=hwDomainNDRAPrefixFreeNum, hwDot1xAccessProfileSpeedLimitAuto=hwDot1xAccessProfileSpeedLimitAuto, hwMultiIPv6ProfileName=hwMultiIPv6ProfileName, hwAaaObjectGroups=hwAaaObjectGroups, hwMulticastListIndex=hwMulticastListIndex, hwMulticastProfileTable=hwMulticastProfileTable, userAuthenticationFreeRuleIPv6ACLNumber=userAuthenticationFreeRuleIPv6ACLNumber, hwDomainPDPrefixExcludeNum=hwDomainPDPrefixExcludeNum, hwAccessEntry=hwAccessEntry, hwExtVpdnGroupName=hwExtVpdnGroupName, hwDomainIdleCutType=hwDomainIdleCutType, hwDomainFlowDnPkt=hwDomainFlowDnPkt, hwLocalUserTable=hwLocalUserTable, hwHistoricMaxOnlineAcctReadyNum=hwHistoricMaxOnlineAcctReadyNum, hwAccessDownPriority=hwAccessDownPriority, hwAAASlotOnlineUserNumAlarm=hwAAASlotOnlineUserNumAlarm, hwAccRealTimeInter=hwAccRealTimeInter, hwSlotConnectNumSlot=hwSlotConnectNumSlot, hwPolicyRoute=hwPolicyRoute, hwAccessOnlineTime=hwAccessOnlineTime, hwMACAuthenAccessProfilePermitAuthenMACMask=hwMACAuthenAccessProfilePermitAuthenMACMask, hwAccessQosProfile=hwAccessQosProfile, userAuthenticationFreeRuleDestinationMode=userAuthenticationFreeRuleDestinationMode, userAuthenticationFreeRuleGroup=userAuthenticationFreeRuleGroup, hwIPAccessEntry=hwIPAccessEntry, hwAAATimerExpireCriticalLevelResumeThreshold=hwAAATimerExpireCriticalLevelResumeThreshold, hwMACAccessEntry=hwMACAccessEntry, hwTotalDot1XConnectNum=hwTotalDot1XConnectNum, hwSlotAccessUserStatSlot=hwSlotAccessUserStatSlot, hwCutVPI=hwCutVPI, userAuthenticationFreeRuleSourceInterface=userAuthenticationFreeRuleSourceInterface, hwAccessCurAccountingPlace=hwAccessCurAccountingPlace, hwLocalUserPwPolicyAdmin=hwLocalUserPwPolicyAdmin, userAuthenticationFreeRuleDestinationPort=userAuthenticationFreeRuleDestinationPort, hwObsoleteGroup=hwObsoleteGroup, hwAccessCARUpPBS=hwAccessCARUpPBS, hwAccessDelayPerSlotEntry=hwAccessDelayPerSlotEntry, hwLocalUserExpireDate=hwLocalUserExpireDate, hwPubicLacUserNum=hwPubicLacUserNum, hwAuthorMethod=hwAuthorMethod, userAuthenProfileMACAuthenForceDomain=userAuthenProfileMACAuthenForceDomain, hwOfflineRecordAccessCeVlan=hwOfflineRecordAccessCeVlan, hwAAAOnlineSessoinUpperLimitResume=hwAAAOnlineSessoinUpperLimitResume, hwSlotConnectNumOnlineNum=hwSlotConnectNumOnlineNum, hwAccessCARDnPBS=hwAccessCARDnPBS, hwLocalRetryTime=hwLocalRetryTime, hwIPv6PDPrefixLowerlimitWarningResume=hwIPv6PDPrefixLowerlimitWarningResume, hwAAAOnlineSessoinUpperLimitAlarm=hwAAAOnlineSessoinUpperLimitAlarm, hwAuthenMethod=hwAuthenMethod, hwAaa=hwAaa, hwPortalAccessProfileAuthenNetWorkMask=hwPortalAccessProfileAuthenNetWorkMask, hwAccessResourceInsufficientInbound=hwAccessResourceInsufficientInbound, hwDomainRowStatus=hwDomainRowStatus, hwAAASessionGroupLowerLimitAlarm=hwAAASessionGroupLowerLimitAlarm, hwTotalWlsOnlineNum=hwTotalWlsOnlineNum, hwPolicyRouteSlotMaxNum=hwPolicyRouteSlotMaxNum, hwUserGroupRowStatus=hwUserGroupRowStatus, hwAccessCARUpCIR=hwAccessCARUpCIR, hwServiceSchemeIdleCutType=hwServiceSchemeIdleCutType, hwUserGroupCarInBoundCir=hwUserGroupCarInBoundCir, hwWlanInterfaceIndex=hwWlanInterfaceIndex, hwIPv6NDRAPrefixLowerlimitWarningAlarm=hwIPv6NDRAPrefixLowerlimitWarningAlarm, hwAAAStatEntry=hwAAAStatEntry, hwAaaSettingGroup=hwAaaSettingGroup, userAuthenticationFreeRuleDestinationUserGroup=userAuthenticationFreeRuleDestinationUserGroup, hwGlobalDhcpOpt64SepAndSegGroup=hwGlobalDhcpOpt64SepAndSegGroup, hwDot1xAccessProfileGuestAuthorUserGroupName=hwDot1xAccessProfileGuestAuthorUserGroupName, hwAuthenSchemeName=hwAuthenSchemeName, hwAccessUserName=hwAccessUserName, hwAccessUpPacket64=hwAccessUpPacket64, hwAAATraps=hwAAATraps, hwAccessIdleCutFlow=hwAccessIdleCutFlow, hwAccessAPMAC=hwAccessAPMAC, hwDomainFlowUpPkt=hwDomainFlowUpPkt, hwSlotCardConnectNumDualOnlineNum=hwSlotCardConnectNumDualOnlineNum, userAuthenProfileGroup=userAuthenProfileGroup, hwUserSlotMaxNum=hwUserSlotMaxNum, hwTotalSuccessBindConnectNum=hwTotalSuccessBindConnectNum, hwAuthEventPreAuthVlan=hwAuthEventPreAuthVlan, hwLocalUserPriority=hwLocalUserPriority, hwAccessDelayPerSlotSlot=hwAccessDelayPerSlotSlot, hwGlobalAuthEventAuthenServerDownResponseFail=hwGlobalAuthEventAuthenServerDownResponseFail, hwDomainIPConflictNum=hwDomainIPConflictNum, hwCutDomain=hwCutDomain, hwAccessDelayPerSlotMinTime=hwAccessDelayPerSlotMinTime, hwMACAuthenAccessProfilePermitAuthenMAC=hwMACAuthenAccessProfilePermitAuthenMAC, hwGlobalAuthEventPreAuthVlan=hwGlobalAuthEventPreAuthVlan, hwSlotCardConnectNumWebAuthNum=hwSlotCardConnectNumWebAuthNum, hwUserIPAllocAlarmResume=hwUserIPAllocAlarmResume, hwAuthorRowStatus=hwAuthorRowStatus, hwDomainAccessUserStatTable=hwDomainAccessUserStatTable, hwResetUserLogStatistic=hwResetUserLogStatistic, hwAuthEventAuthenServerDownVlan=hwAuthEventAuthenServerDownVlan, userAuthenProfilePreAuthenAgingTime=userAuthenProfilePreAuthenAgingTime, hwRbsName=hwRbsName, hwPortalAccessProfilePortalServerDownServiceSchemeName=hwPortalAccessProfilePortalServerDownServiceSchemeName, hwMACAuthenAccessProfileTriggerDHCPOptionType=hwMACAuthenAccessProfileTriggerDHCPOptionType, hwIPOXUsernameOption82=hwIPOXUsernameOption82, hwOfflineRecordInterface=hwOfflineRecordInterface, hwDot1xAccessProfileGuestAuthorServiceSchemeName=hwDot1xAccessProfileGuestAuthorServiceSchemeName, hwAuthorizationState=hwAuthorizationState, hwUserAccessPVC=hwUserAccessPVC, hwDomainAuthenSchemeName=hwDomainAuthenSchemeName, hwPriDnsIPv6Address=hwPriDnsIPv6Address, hwLocalUserDeviceType=hwLocalUserDeviceType, hwLocalUserExtGroup=hwLocalUserExtGroup, hwAccessPVC=hwAccessPVC, hwOfflineRecordUserName=hwOfflineRecordUserName, hwMACAccessGroup=hwMACAccessGroup, hwGlobalControl=hwGlobalControl, hwUserGroupNumThreshold=hwUserGroupNumThreshold, hwUserLogAccess=hwUserLogAccess, hwCutAccessUserGroup=hwCutAccessUserGroup, hwGlobalAuthEventClientNoResponseVlan=hwGlobalAuthEventClientNoResponseVlan, hwMulticastProfileExtTable=hwMulticastProfileExtTable, hwAccessSpeedNumber=hwAccessSpeedNumber, hwAaaCompliance=hwAaaCompliance, hwUserGroupThresholdAlarm=hwUserGroupThresholdAlarm, hwIPAccessCID=hwIPAccessCID, hwAaaTrapOidGroup=hwAaaTrapOidGroup, hwAAASessionGroupUpperLimitResume=hwAAASessionGroupUpperLimitResume, hwRealmParseDirection=hwRealmParseDirection, hwAAAInboundVPNUserType=hwAAAInboundVPNUserType, hwAuthenSchemeEntry=hwAuthenSchemeEntry, hwIPv6ManagedAddressFlag=hwIPv6ManagedAddressFlag, hwIPv6CPAssignIFID=hwIPv6CPAssignIFID, hwLocalAuthorize=hwLocalAuthorize, hwAccessPVlanAcctCopyServerGroup=hwAccessPVlanAcctCopyServerGroup, hwDomainQoSProfile=hwDomainQoSProfile, hwIPv6PoolName=hwIPv6PoolName, hwDhcpOpt121RouteDestIp=hwDhcpOpt121RouteDestIp, hwUserGroupCarInBoundCbs=hwUserGroupCarInBoundCbs, hwTotalsshOnlineNum=hwTotalsshOnlineNum, hwAccessDomainName=hwAccessDomainName, hwAuthorCmdTable=hwAuthorCmdTable, hwAccessIndex=hwAccessIndex, hwDot1xAccessProfileEAPNotifyPktEAPType=hwDot1xAccessProfileEAPNotifyPktEAPType, hwDomainIPv6AddressFreeNum=hwDomainIPv6AddressFreeNum, userAuthenProfileTable=userAuthenProfileTable, hwAAAOfflineRecordEntry=hwAAAOfflineRecordEntry, userAuthenProfilePreAuthenUserGroupName=userAuthenProfilePreAuthenUserGroupName, hwAccessIPv6ManagedAddressFlag=hwAccessIPv6ManagedAddressFlag, hwRecordSchemeGroup=hwRecordSchemeGroup, hwPortalAccessProfileLocalServerAnonymous=hwPortalAccessProfileLocalServerAnonymous, hwAaaUserDot1XGroup=hwAaaUserDot1XGroup, hwMACAuthenAccessProfileUserNameDHCPOption=hwMACAuthenAccessProfileUserNameDHCPOption, hwDomainTable=hwDomainTable, hwIPAccessVRF=hwIPAccessVRF, hwSrvSchemeIpPoolTwoName=hwSrvSchemeIpPoolTwoName, hwDomainIncludeIPPoolGroupName=hwDomainIncludeIPPoolGroupName, hwDomainExtTable=hwDomainExtTable, hwIPv6PoolWarningThreshold=hwIPv6PoolWarningThreshold, hwWlanInterfaceTable=hwWlanInterfaceTable, hwNtvUserProfileName=hwNtvUserProfileName, hwOnlineFailReasonStatistic=hwOnlineFailReasonStatistic, hwUserDomainName=hwUserDomainName, hwIPAccessTable=hwIPAccessTable, userAuthenProfileArpDetect=userAuthenProfileArpDetect, hwLocalUserGroup=hwLocalUserGroup, hwVpnAccessUserStatVpnName=hwVpnAccessUserStatVpnName, hwLocalUserTimeRange=hwLocalUserTimeRange, hwAuthEventAuthFailVlan=hwAuthEventAuthFailVlan, hwLocalUserBlockFailTimes=hwLocalUserBlockFailTimes, hwAAASlotIPv6AddressThresholdResume=hwAAASlotIPv6AddressThresholdResume, hwMACAuthenAccessProfileTable=hwMACAuthenAccessProfileTable, hwMACAuthenAccessProfileFixedPassword=hwMACAuthenAccessProfileFixedPassword, hwMACAuthenAccessProfileTriggerPktType=hwMACAuthenAccessProfileTriggerPktType, hwDhcpOpt121RouteEntry=hwDhcpOpt121RouteEntry, hwSlotCardConnectNumOnlineNum=hwSlotCardConnectNumOnlineNum, hwLAMTrapsDefine=hwLAMTrapsDefine, hwMulticastListBindName=hwMulticastListBindName, hwAAAInboundVPNName=hwAAAInboundVPNName, hwAAARateType=hwAAARateType, hwDot1xAccessProfileEAPNotifyPktEAPCode=hwDot1xAccessProfileEAPNotifyPktEAPCode, hwMulticastListGroup=hwMulticastListGroup, hwIPLowerlimitWarningAlarm=hwIPLowerlimitWarningAlarm, hwAuthorSchemeTable=hwAuthorSchemeTable, userAuthenProfileAuthenticationMode=userAuthenProfileAuthenticationMode, hwMACAuthenAccessProfileName=hwMACAuthenAccessProfileName, hwRemoteRetryTime=hwRemoteRetryTime, hwQosProfileName=hwQosProfileName, hwBillsTFTPMainFileName=hwBillsTFTPMainFileName, hwDot1xAccessProfileTable=hwDot1xAccessProfileTable, hwRecordRowStatus=hwRecordRowStatus, hwPortalAccessProfileName=hwPortalAccessProfileName, hwLocalBlockTime=hwLocalBlockTime, hwAccessVRF=hwAccessVRF, userAuthenProfileName=userAuthenProfileName, hwDomainExt2Entry=hwDomainExt2Entry, hwAcctRowStatus=hwAcctRowStatus, hwAccessIPv6UpFlow64=hwAccessIPv6UpFlow64, hwLocalUserPasswordLifetimeMax=hwLocalUserPasswordLifetimeMax, hwAccessGateway=hwAccessGateway, hwUserVlan=hwUserVlan, hwStatisticPeriod=hwStatisticPeriod, hwOfflineRecordDomainName=hwOfflineRecordDomainName, hwTotalWrdOnlineNum=hwTotalWrdOnlineNum, hwSystemRecord=hwSystemRecord, hwMulticastListRowStatus=hwMulticastListRowStatus, hwDomainAcctRequestsRcvNum=hwDomainAcctRequestsRcvNum, hwAAASessionGroupUpperLimitThreshold=hwAAASessionGroupUpperLimitThreshold, hwAAARateGroup=hwAAARateGroup, hwLocalUserAccessType=hwLocalUserAccessType, hwDomainName=hwDomainName, hwDomainServiceType=hwDomainServiceType, hwAAADomainInboundVPNInstance=hwAAADomainInboundVPNInstance, userAuthenProfileDot1xAccessProfileName=userAuthenProfileDot1xAccessProfileName, hwDomainZone=hwDomainZone, hwDomainStatGroup=hwDomainStatGroup, hwDomainIPPoolMoveTo=hwDomainIPPoolMoveTo, hwDomainNameParseDirection=hwDomainNameParseDirection, hwOnlineUserNumUpperLimitResume=hwOnlineUserNumUpperLimitResume, hwUserLogGroup=hwUserLogGroup, hwSetUserQosProfileFail=hwSetUserQosProfileFail, hwVpnAccessUserStatUserStat=hwVpnAccessUserStatUserStat, hwResetOfflineReasonStatistic=hwResetOfflineReasonStatistic, hwHarddiskOK=hwHarddiskOK, hwAccessDelayPerSlotMaxTime=hwAccessDelayPerSlotMaxTime, hwCmdRecord=hwCmdRecord, hwAuthorCmdLevel=hwAuthorCmdLevel, hwMACAuthenAccessProfileDHCPRelaseOffline=hwMACAuthenAccessProfileDHCPRelaseOffline, PYSNMP_MODULE_ID=hwAaa, hwMACAuthenAccessProfileEntry=hwMACAuthenAccessProfileEntry, hwAAARateRealPercent=hwAAARateRealPercent, hwIfL2tpRadiusForce=hwIfL2tpRadiusForce, userAuthenProfileAuthenFailReAuthenTimer=userAuthenProfileAuthenFailReAuthenTimer, hwAAACallRate=hwAAACallRate, hwAuthorSchemeGroup=hwAuthorSchemeGroup, hwDomainIPExcludeNum=hwDomainIPExcludeNum, hwAccessAPID=hwAccessAPID, hwIPAccessIPaddress=hwIPAccessIPaddress, hwIPPoolThreeName=hwIPPoolThreeName, hwUserGroupThresholdResume=hwUserGroupThresholdResume, hwLocalUserIpAddress=hwLocalUserIpAddress, hwUserInterface=hwUserInterface, hwNasSerial=hwNasSerial, hwDhcpOpt121RouteNextHop=hwDhcpOpt121RouteNextHop, hwSlotCardConnectNumSlot=hwSlotCardConnectNumSlot, hwReauthorizeUsergroup=hwReauthorizeUsergroup, hwAAADomainIPPoolTable=hwAAADomainIPPoolTable, hwDomainIPv6AddressTotalNum=hwDomainIPv6AddressTotalNum, userAuthenProfilePreAuthenVLAN=userAuthenProfilePreAuthenVLAN, hwTotalLnsOnlineNum=hwTotalLnsOnlineNum, hwAAATimerExpireCriticalLevelAlarm=hwAAATimerExpireCriticalLevelAlarm, hwMaxMulticastListNum=hwMaxMulticastListNum, hwSlotCardConnectNumTable=hwSlotCardConnectNumTable, hwUserAuthenState=hwUserAuthenState, userAuthenProfileAuthenServerDownUserGroupName=userAuthenProfileAuthenServerDownUserGroupName, hwRecordTacGroupName=hwRecordTacGroupName, hwDomainAccessUserStatEntry=hwDomainAccessUserStatEntry, hwAdminLoginFailed=hwAdminLoginFailed)
mibBuilder.exportSymbols("HUAWEI-AAA-MIB", hwDomainIncludePoolGroupEntry=hwDomainIncludePoolGroupEntry, hwUpperMacMovedUserPercentage=hwUpperMacMovedUserPercentage, hwMACAccessTable=hwMACAccessTable, hwAAAUserWebandFast=hwAAAUserWebandFast, hwAccessCurAuthorPlace=hwAccessCurAuthorPlace, hwDomainDhcpServerAck=hwDomainDhcpServerAck, hwAAAChasisIPv6AddressThresholdAlarm=hwAAAChasisIPv6AddressThresholdAlarm, hwAuthenFailPolicy=hwAuthenFailPolicy, hwDomainVrf=hwDomainVrf, hwAccessIPv6DnPacket64=hwAccessIPv6DnPacket64, hwRbpStateChange=hwRbpStateChange, hwDot1xAccessProfileReAuthenEnable=hwDot1xAccessProfileReAuthenEnable, hwAAAUserDot1X=hwAAAUserDot1X, hwTotalBindConnectNum=hwTotalBindConnectNum, hwUserType=hwUserType, hwInnerIsolateFlag=hwInnerIsolateFlag, hwPortalAccessProfileTable=hwPortalAccessProfileTable, hwAccessSSID=hwAccessSSID, hwAccessIPv6CPAssignIFID=hwAccessIPv6CPAssignIFID, hwWlanInterfaceEntry=hwWlanInterfaceEntry, hwDomainIdleCutTime=hwDomainIdleCutTime, hwAAAOnlineFailRecordTable=hwAAAOnlineFailRecordTable, hwShowUserLogStatistic=hwShowUserLogStatistic, hwOutboundRecord=hwOutboundRecord, hwGlobalAuthEventPreAuthUserGroup=hwGlobalAuthEventPreAuthUserGroup, hwGlobalAuthEventAuthFailUserGroup=hwGlobalAuthEventAuthFailUserGroup, hwMulticastListEntry=hwMulticastListEntry, hwOfflineRecordUserLoginTime=hwOfflineRecordUserLoginTime, hwAAASessionGroupLowerLimitThreshold=hwAAASessionGroupLowerLimitThreshold, userAuthenProfileRowStatus=userAuthenProfileRowStatus, hwAuthorCmdEntry=hwAuthorCmdEntry, hwUserLogPort=hwUserLogPort, hwLocalUserPwPolicyAdminEntry=hwLocalUserPwPolicyAdminEntry, userAuthenProfileDot1xDefaultDomain=userAuthenProfileDot1xDefaultDomain, hwAAATimerExpireMajorLevelResumeThreshold=hwAAATimerExpireMajorLevelResumeThreshold, hwStateBlockFirstTimeRangeName=hwStateBlockFirstTimeRangeName, hwInterfaceAccessUserStatGroup=hwInterfaceAccessUserStatGroup, hwAccessCARIfUpActive=hwAccessCARIfUpActive, hwTotalLacOnlineNum=hwTotalLacOnlineNum, hwMACAuthenAccessProfileUserNameFixedUserName=hwMACAuthenAccessProfileUserNameFixedUserName, hwAccessSlotNo=hwAccessSlotNo, hwDomainPDPrefixTotalNum=hwDomainPDPrefixTotalNum, hwAccessDelayTime=hwAccessDelayTime, hwGlobalAuthEventAuthenServerDownUserGroup=hwGlobalAuthEventAuthenServerDownUserGroup, userAuthenProfileMACAuthenDefaultDomain=userAuthenProfileMACAuthenDefaultDomain, hwBillPoolTable=hwBillPoolTable, hwAccessIPv6IFID=hwAccessIPv6IFID, hwSlotAccessUserStatTable=hwSlotAccessUserStatTable, hwAAASettingEntry=hwAAASettingEntry, hwPPPUserOfflineStandardize=hwPPPUserOfflineStandardize, hwDomainIncludeIPPoolMoveto=hwDomainIncludeIPPoolMoveto, hwDot1xAccessProfileHandShakePktType=hwDot1xAccessProfileHandShakePktType, hwRedKeyUserMac=hwRedKeyUserMac, hwAAAUserBind=hwAAAUserBind, hwMacMovedQuietMaxUserAlarm=hwMacMovedQuietMaxUserAlarm, userAuthenProfileSingleAccess=userAuthenProfileSingleAccess, hwSlotCardConnectNumCard=hwSlotCardConnectNumCard, hwUserIPAddress=hwUserIPAddress, hwLocalUserPasswordLifetimeMin=hwLocalUserPasswordLifetimeMin, hwAccessIPv6LanPrefixLen=hwAccessIPv6LanPrefixLen, hwAAAChasisIPv6AddressThresholdResume=hwAAAChasisIPv6AddressThresholdResume, hwAAASessionGroupLowerLimitResume=hwAAASessionGroupLowerLimitResume, hwAdminUserPriority=hwAdminUserPriority, userAuthenticationFreeRuleDestinationIP=userAuthenticationFreeRuleDestinationIP, hwAccessIPv6UpPacket64=hwAccessIPv6UpPacket64, userAuthenticationFreeRuleDestinationIPMask=userAuthenticationFreeRuleDestinationIPMask, hwAaaConformance=hwAaaConformance, hwDomainIPUsedNum=hwDomainIPUsedNum, hwDomainNDRAPrefixTotalNum=hwDomainNDRAPrefixTotalNum, hwAuthenSchemeGroup=hwAuthenSchemeGroup, hwIPOXUsernameIP=hwIPOXUsernameIP, userAuthenticationFreeRuleDestinationProtocol=userAuthenticationFreeRuleDestinationProtocol, hwQoSProfileName=hwQoSProfileName, hwDomainNameDelimiter=hwDomainNameDelimiter, hwTotalDualStackOnlineNum=hwTotalDualStackOnlineNum, hwAccessExtEntry=hwAccessExtEntry, hwDomainIPTotalNum=hwDomainIPTotalNum, hwAAATimerExpireMajorLevelResume=hwAAATimerExpireMajorLevelResume, hwAAARateTable=hwAAARateTable, hwAAARateDirection=hwAAARateDirection, hwDot1xAccessProfileClientTimeout=hwDot1xAccessProfileClientTimeout, hwPortalURL=hwPortalURL, hwServiceSchemeEntry=hwServiceSchemeEntry, userAuthenProfileAuthenFailAgingTime=userAuthenProfileAuthenFailAgingTime, hwAAACpuUsage=hwAAACpuUsage, hwSlotCardConnectNum8021xAuthNum=hwSlotCardConnectNum8021xAuthNum, hwUserGroupEntry=hwUserGroupEntry, hwStateBlockForthTimeRangeName=hwStateBlockForthTimeRangeName, hwTotalAuthenFailNum=hwTotalAuthenFailNum, hwTotaltelnetOnlineNum=hwTotaltelnetOnlineNum, hwMACAccessCID=hwMACAccessCID, hwAuthenFailDomain=hwAuthenFailDomain, hwCutEndUserID=hwCutEndUserID, hwDomainFlowUpByte=hwDomainFlowUpByte, userAuthenticationFreeRuleSourceIP=userAuthenticationFreeRuleSourceIP, hwDomainIPPoolMoveToEntry=hwDomainIPPoolMoveToEntry, hwIPv6AddressLowerlimitWarningResume=hwIPv6AddressLowerlimitWarningResume, userAuthenProfilePortalDefaultDomain=userAuthenProfilePortalDefaultDomain, hwDot1xAccessProfileURL=hwDot1xAccessProfileURL, hwAdminEnable=hwAdminEnable, hwDomainFlowDnByte=hwDomainFlowDnByte, hwServiceSchemeDnsSecond=hwServiceSchemeDnsSecond, hwAcctSchemeName=hwAcctSchemeName, hwAccEnable=hwAccEnable, userAuthenProfileUserGroupName=userAuthenProfileUserGroupName, hwStartFailOnlineIfSendInterim=hwStartFailOnlineIfSendInterim, hwSlotCardConnectNumNoAuthNum=hwSlotCardConnectNumNoAuthNum, userAuthenProfilePortalAccessProfileName=userAuthenProfilePortalAccessProfileName, hwAAAOnlineFailIndex=hwAAAOnlineFailIndex, hwUserMaxNum=hwUserMaxNum, hwPoratalServerUrlParameter=hwPoratalServerUrlParameter, hwLocalUserCallBackDialStr=hwLocalUserCallBackDialStr, hwdomainipv6nexthop=hwdomainipv6nexthop, hwUserIPv6PDPrefixLength=hwUserIPv6PDPrefixLength, hwAccessBasicIPType=hwAccessBasicIPType, hwWlanInterfaceDomainNameSecurityDelimiter=hwWlanInterfaceDomainNameSecurityDelimiter, hwMulticastListSourceIpMask=hwMulticastListSourceIpMask, hwCutMacAddres=hwCutMacAddres, hwAccessCurAuthenPlace=hwAccessCurAuthenPlace, hwMACAuthenAccessProfileReauthenticationTimeout=hwMACAuthenAccessProfileReauthenticationTimeout, hwDomainNDRAPrefixExcludeNum=hwDomainNDRAPrefixExcludeNum, hwDot1xAccessProfileEthTrunkHandShakePeriod=hwDot1xAccessProfileEthTrunkHandShakePeriod, hwDomainPDPrefixUsedNum=hwDomainPDPrefixUsedNum, hwTotalIPv4FlowUpByte=hwTotalIPv4FlowUpByte, hwUserName=hwUserName, hwAAASessionLowerLimitThreshold=hwAAASessionLowerLimitThreshold, hwDomainIncludeIPPoolName=hwDomainIncludeIPPoolName, hwIdleTimeLength=hwIdleTimeLength, hwAuthorSchemeName=hwAuthorSchemeName, hwOfflineRecordIPAddress=hwOfflineRecordIPAddress, userAuthenProfileAuthenFailAuthorVLAN=userAuthenProfileAuthenFailAuthorVLAN, hwSecDnsIPv6Address=hwSecDnsIPv6Address, hwAccessCARUpPIR=hwAccessCARUpPIR, hwMulticastProfileExtRowStatus=hwMulticastProfileExtRowStatus, hwLocalUserPasswordIsOrginal=hwLocalUserPasswordIsOrginal, hwAaaTrapsNotificationsGroup=hwAaaTrapsNotificationsGroup, hwUclGrpTable=hwUclGrpTable, hwTotalSuccessWebConnectNum=hwTotalSuccessWebConnectNum, hwIPPoolOneName=hwIPPoolOneName, hwUserSlotMaxNumThreshold=hwUserSlotMaxNumThreshold, hwAcctSchemeExtGroup=hwAcctSchemeExtGroup, hwIPv6CPIFIDAvailable=hwIPv6CPIFIDAvailable, hwInterIsolateFlag=hwInterIsolateFlag, hwUserLogTable=hwUserLogTable, hwWebServerUrlParameter=hwWebServerUrlParameter, hwTotalftpOnlineNum=hwTotalftpOnlineNum, hwAccessExtTable=hwAccessExtTable, hwSlotCardConnectNumPPPAuthNum=hwSlotCardConnectNumPPPAuthNum, hwUclIndex=hwUclIndex, hwDomainNDRAPrefixConflictNum=hwDomainNDRAPrefixConflictNum, userAuthenProfileAuthenServerDownServiceSchemeName=userAuthenProfileAuthenServerDownServiceSchemeName, hwAAAAccessUserResourceOrCpuResume=hwAAAAccessUserResourceOrCpuResume, hwOfflineRecordUserID=hwOfflineRecordUserID, hwAccessGroup=hwAccessGroup, hwAAADomainIPPoolName=hwAAADomainIPPoolName, hwPortalAccessProfilePortalServerName=hwPortalAccessProfilePortalServerName, hwRbpNewState=hwRbpNewState, hwUserIPv6PDPrefix=hwUserIPv6PDPrefix, hw8021pRemark=hw8021pRemark, hwLocalUserExtTable=hwLocalUserExtTable, hwServiceSchemeIdleCutFlow=hwServiceSchemeIdleCutFlow, hwAAARateRealUsedCount=hwAAARateRealUsedCount, hwSlotConnectNumEntry=hwSlotConnectNumEntry, hwDomainIPv6AddressUsedPercent=hwDomainIPv6AddressUsedPercent, hwDomainUserGroupName=hwDomainUserGroupName, hwIpAccessGroup=hwIpAccessGroup, hwCutVCI=hwCutVCI, hwAuthEventAuthenServerDownResponseFail=hwAuthEventAuthenServerDownResponseFail, hwEDSGLicenseExpireAlarm=hwEDSGLicenseExpireAlarm, hwLocalUserPasswordExpireTime=hwLocalUserPasswordExpireTime, hwAAAMibObjects=hwAAAMibObjects, hwRemoteDownloadAclThresholdValue=hwRemoteDownloadAclThresholdValue, hwAccessMACAddress=hwAccessMACAddress, hwBillsPoolReset=hwBillsPoolReset, hwAcctSessionID=hwAcctSessionID, hwDot1xAccessProfileUnicastTrigger=hwDot1xAccessProfileUnicastTrigger, hwAAAOfflineIndex=hwAAAOfflineIndex, hwAAATimerExpireCriticalLevelThreshold=hwAAATimerExpireCriticalLevelThreshold, hwLocalUserPwPolicyAccEntry=hwLocalUserPwPolicyAccEntry, hwAaaUserPppGroup=hwAaaUserPppGroup, hwLocalUserVpnInstance=hwLocalUserVpnInstance, hwTotalOtherPPPFailNum=hwTotalOtherPPPFailNum, hwDomainIdleCutFlow=hwDomainIdleCutFlow, hwDomainAuthenRequestsRcvNum=hwDomainAuthenRequestsRcvNum, hwAdminAlertOrginal=hwAdminAlertOrginal, hwOfflineReasonStatistic=hwOfflineReasonStatistic, userAuthenProfileDomainNameParseDirection=userAuthenProfileDomainNameParseDirection, hwAAAChasisIPv6AddressThreshold=hwAAAChasisIPv6AddressThreshold, hwTotalIPv4FlowDnPkt=hwTotalIPv4FlowDnPkt, hwSlotAccessUserStatGroup=hwSlotAccessUserStatGroup, hwRealmNameLocation=hwRealmNameLocation, hwDomainAccessUserStatGroup=hwDomainAccessUserStatGroup, hwOnlineUserNumUpperLimitAlarm=hwOnlineUserNumUpperLimitAlarm, hwOnlineUserNumLowerLimitThreshold=hwOnlineUserNumLowerLimitThreshold, hwLocalUserPasswordSetTime=hwLocalUserPasswordSetTime, hwAuthorModifyMode=hwAuthorModifyMode, hwSlotCardConnectNumTunnelAuthNum=hwSlotCardConnectNumTunnelAuthNum, hwMACAuthenAccessProfileRowStatus=hwMACAuthenAccessProfileRowStatus, hwUserLogEntry=hwUserLogEntry, hwAaaUserBindGroup=hwAaaUserBindGroup, hwAAAUserResourceUsage=hwAAAUserResourceUsage, hwAAASessionGroupUpperLimitAlarm=hwAAASessionGroupUpperLimitAlarm, userAuthenProfileEntry=userAuthenProfileEntry, hwLocalUserPasswordIsExpired=hwLocalUserPasswordIsExpired, hwUclGrpRowStatus=hwUclGrpRowStatus, hwDot1xAccessProfileTxPeriod=hwDot1xAccessProfileTxPeriod, hwRealtimeFailMaxnum=hwRealtimeFailMaxnum, hwTotalConnectNum=hwTotalConnectNum, hwServiceSchemeTable=hwServiceSchemeTable, hwUserIPv6Address=hwUserIPv6Address, userAuthenProfileDefaultDomain=userAuthenProfileDefaultDomain, hwOnlineUserNumLowerLimitResume=hwOnlineUserNumLowerLimitResume, hwAccessPortType=hwAccessPortType, hwIPOXpassword=hwIPOXpassword, hwValRadiusServer=hwValRadiusServer, hwDomainIndex=hwDomainIndex, hwTotalIPv6FlowDnByte=hwTotalIPv6FlowDnByte, hwRecordSchemeName=hwRecordSchemeName, hwUserGroupCarPir=hwUserGroupCarPir, userAuthenProfileDomainNameLocation=userAuthenProfileDomainNameLocation, hwLocalUserIdleTimeoutSecond=hwLocalUserIdleTimeoutSecond, hwAclId=hwAclId, hwDomainAuthenAcceptsNum=hwDomainAuthenAcceptsNum, hwLpRemark=hwLpRemark, hwAdminLoginFailedClear=hwAdminLoginFailedClear, hwMacMovedUserPercentage=hwMacMovedUserPercentage, userAuthenProfileMaxUser=userAuthenProfileMaxUser, hwDomainExtGroup=hwDomainExtGroup, hwUserMAC=hwUserMAC, hwOfflineReason=hwOfflineReason, hwReauthorizeUsername=hwReauthorizeUsername, hwValAcctType=hwValAcctType, hwDomainAcctRspSuccessNum=hwDomainAcctRspSuccessNum, hwMulticastProfileEntry=hwMulticastProfileEntry, hwCopsGroupSIGType=hwCopsGroupSIGType, hwAAADomainIPPoolRowStatus=hwAAADomainIPPoolRowStatus, hwDnsIPAddress=hwDnsIPAddress, hwTotalIPv6FlowUpByte=hwTotalIPv6FlowUpByte, hwAAAOnlineFailRecordEntry=hwAAAOnlineFailRecordEntry, userAuthenticationFreeRuleACLNumber=userAuthenticationFreeRuleACLNumber, hwValCopsServer=hwValCopsServer, hwAccessVLANID=hwAccessVLANID, hwDomainIgmpEnable=hwDomainIgmpEnable, userAuthenticationFreeRuleName=userAuthenticationFreeRuleName, hwRbsDown=hwRbsDown, hwAccessIPv6WanAddress=hwAccessIPv6WanAddress, hwUserGroupCarInBoundPbs=hwUserGroupCarInBoundPbs, userAuthenProfileDot1xForceDomain=userAuthenProfileDot1xForceDomain, hwAccessIfIdleCut=hwAccessIfIdleCut, hwMulticastVirtualSchedulRezCir=hwMulticastVirtualSchedulRezCir, hwHarddiskReachThreshold=hwHarddiskReachThreshold, hwPortalAccessProfileRowStatus=hwPortalAccessProfileRowStatus, hwDomainEntry=hwDomainEntry, hwLowerMacMovedUserPercentage=hwLowerMacMovedUserPercentage)
mibBuilder.exportSymbols("HUAWEI-AAA-MIB", hwDomainExt2Table=hwDomainExt2Table, hwAAARateRealPeak=hwAAARateRealPeak, hwWlanInterfaceGroup=hwWlanInterfaceGroup, hwReauthorizeEntry=hwReauthorizeEntry, hwOfflineRecordUserLogoutTime=hwOfflineRecordUserLogoutTime, hwDomainOutboundL2tpQoSProfile=hwDomainOutboundL2tpQoSProfile, hwLocalUserEntry=hwLocalUserEntry, hwTotalIPv6FlowUpPkt=hwTotalIPv6FlowUpPkt, hwDhcpUserOnlineFailCount=hwDhcpUserOnlineFailCount, hwAccessDomainAcctCopySeverGroup=hwAccessDomainAcctCopySeverGroup, hwOfflineRecordOfflineReason=hwOfflineRecordOfflineReason, hwTotalVLANOnlineNum=hwTotalVLANOnlineNum, hwIPv6AddressLowerlimitWarningAlarm=hwIPv6AddressLowerlimitWarningAlarm, hwStateBlockSecondTimeRangeName=hwStateBlockSecondTimeRangeName, hwAccessResourceInsufficientOutbound=hwAccessResourceInsufficientOutbound, hwPoratalServerFirstUrlKeyDefaultName=hwPoratalServerFirstUrlKeyDefaultName, hwHarddiskoverflow=hwHarddiskoverflow, hwAFTRName=hwAFTRName, hwAccessDelayPerSlotTransitionStep=hwAccessDelayPerSlotTransitionStep, hwOfflineReasonStatGroup=hwOfflineReasonStatGroup, hwDomainAcctSchemeName=hwDomainAcctSchemeName, userAuthenticationFreeRuleRowStatus=userAuthenticationFreeRuleRowStatus, hwBindAuthWebIP=hwBindAuthWebIP, hwDomainStatEntry=hwDomainStatEntry, hwTotalIPv4OnlineNum=hwTotalIPv4OnlineNum, hwVpnAccessUserStatEntry=hwVpnAccessUserStatEntry, hwRbpChangeName=hwRbpChangeName, hwAccessIPv6LanPrefix=hwAccessIPv6LanPrefix, hwSlotAccessUserStatUserStat=hwSlotAccessUserStatUserStat, hwLocalUserRowStatus=hwLocalUserRowStatus, hwAccessAcctMethod=hwAccessAcctMethod, hwAccessUserGroup=hwAccessUserGroup, hwOfflineRecordUserMAC=hwOfflineRecordUserMAC, hwOnlineUserNumLowerLimitAlarm=hwOnlineUserNumLowerLimitAlarm, hwAcctSchemeExtTable=hwAcctSchemeExtTable, hwStateBlockThirdTimeRangeName=hwStateBlockThirdTimeRangeName, hwDomainIfSrcRoute=hwDomainIfSrcRoute, hwWebServerIPSlave=hwWebServerIPSlave, hwIPv6PoolLowerLimitWarningThreshold=hwIPv6PoolLowerLimitWarningThreshold, hwAdminAlertBefore=hwAdminAlertBefore, hwMACAuthenAccessProfileDHCPRenewReAuthen=hwMACAuthenAccessProfileDHCPRenewReAuthen, hwGlobalAuthEventAuthenServerDownVlan=hwGlobalAuthEventAuthenServerDownVlan, hwAuthEventAuthFailResponseFail=hwAuthEventAuthFailResponseFail, hwPortalAccessProfileAlarmUserHighNum=hwPortalAccessProfileAlarmUserHighNum, hwAccessCARDnCIR=hwAccessCARDnCIR, hwMulticastListGroupIp=hwMulticastListGroupIp, hwRbpChangeReason=hwRbpChangeReason, hwTotalSuccessDot1XConnectNum=hwTotalSuccessDot1XConnectNum, hwEDSGLicenseExpireResume=hwEDSGLicenseExpireResume, hwDot1xAccessProfileTriggerPktType=hwDot1xAccessProfileTriggerPktType, hwUserGroupUserVlanPool=hwUserGroupUserVlanPool, hwVpdnGroupName=hwVpdnGroupName, hwDomainNextHopIP=hwDomainNextHopIP, hwAccessPortNo=hwAccessPortNo, hwDomainPDPrefixConflictNum=hwDomainPDPrefixConflictNum, userAuthenProfileAuthenFailAuthorUserGroupName=userAuthenProfileAuthenFailAuthorUserGroupName, hwDomainIPv6FlowDnPkt=hwDomainIPv6FlowDnPkt, hwUclGrpGroup=hwUclGrpGroup, userAuthenProfileDomainNameDelimiter=userAuthenProfileDomainNameDelimiter, hwAccessDelayTransitionStep=hwAccessDelayTransitionStep, hwDomainFlowStatistic=hwDomainFlowStatistic, hwDomainNameSecurityDelimiter=hwDomainNameSecurityDelimiter, hwLocalUserState=hwLocalUserState, userAuthenProfileAuthenSchemeName=userAuthenProfileAuthenSchemeName, hwUserGroupCarCbs=hwUserGroupCarCbs, hwTotalPPPoAOnlineNum=hwTotalPPPoAOnlineNum, hwSlotCardConnectNumAdminAuthNum=hwSlotCardConnectNumAdminAuthNum, hwMACAuthenAccessProfileReAuthenEnable=hwMACAuthenAccessProfileReAuthenEnable, hwShapingTemplate=hwShapingTemplate, hwRemoteDownloadAclUsedValue=hwRemoteDownloadAclUsedValue, hwReauthorizeEnable=hwReauthorizeEnable, hwRemoteDownloadAclThresholdResume=hwRemoteDownloadAclThresholdResume, hwHdWarningThreshold=hwHdWarningThreshold, hwLocalUserPwPolicyAccGroup=hwLocalUserPwPolicyAccGroup, hwDomainAccessLimitNum=hwDomainAccessLimitNum, hwDot1xAccessProfileGroup=hwDot1xAccessProfileGroup, hwBindAuthWebVrf=hwBindAuthWebVrf, hwAAARateRealAverage=hwAAARateRealAverage, hwAccessIdleCutTime=hwAccessIdleCutTime, hwSlotCardConnectNumWlanAuthNum=hwSlotCardConnectNumWlanAuthNum, hwGlobalAuthEventClientNoResponseUserGroup=hwGlobalAuthEventClientNoResponseUserGroup, hwUserLoginTime=hwUserLoginTime, hwDomainIPv6AddressConflictNum=hwDomainIPv6AddressConflictNum, hwAuthEventCfgTable=hwAuthEventCfgTable, hwServiceSchemeRowStatus=hwServiceSchemeRowStatus, hwCutUserAttri=hwCutUserAttri, hwDhcpOpt121RouteTable=hwDhcpOpt121RouteTable, hwCutAccessInterface=hwCutAccessInterface, hwMacMovedQuietUserClearAlarm=hwMacMovedQuietUserClearAlarm, hwBindAuthWebIPSlave=hwBindAuthWebIPSlave, hwMacMovedQuietUserSpec=hwMacMovedQuietUserSpec, hwBillTFTPTable=hwBillTFTPTable, hwRecordSchemeEntry=hwRecordSchemeEntry, hwUclGroupName=hwUclGroupName, hwAccessNormalServerGroup=hwAccessNormalServerGroup, hwDomainIncludePoolGroupTable=hwDomainIncludePoolGroupTable, hwAccessIPv6DnFlow64=hwAccessIPv6DnFlow64, hwDomainRadiusGroupName=hwDomainRadiusGroupName, hwIPv6CPWaitDHCPv6Delay=hwIPv6CPWaitDHCPv6Delay, hwTotalIPv4FlowDnByte=hwTotalIPv4FlowDnByte, hwSlotCardConnectNumIPv4OnlineNum=hwSlotCardConnectNumIPv4OnlineNum, hwPortalAccessProfileLocalServerEnable=hwPortalAccessProfileLocalServerEnable, hwDomainIncludePoolGroup=hwDomainIncludePoolGroup, hwMACAuthenAccessProfileMACAddressPassword=hwMACAuthenAccessProfileMACAddressPassword, hwLocalUserPwPolicyAdminGroup=hwLocalUserPwPolicyAdminGroup, hwDomainGre=hwDomainGre, hwCutIfIndex=hwCutIfIndex, hwAccessIPAddress=hwAccessIPAddress, hwAuthenRowStatus=hwAuthenRowStatus, hwLoginFailedTimes=hwLoginFailedTimes, hwTotalNCPFailNum=hwTotalNCPFailNum, hwAccessActionFlag=hwAccessActionFlag, hwGlobalDhcpOpt64SepAndSeg=hwGlobalDhcpOpt64SepAndSeg, userAuthenProfileAuthenticationMaxUser=userAuthenProfileAuthenticationMaxUser, hwAccessIPv6CPIFIDAvailable=hwAccessIPv6CPIFIDAvailable, hwCutAccessSlot=hwCutAccessSlot, hwAAADomainIPPoolIndex=hwAAADomainIPPoolIndex, hwAcctStartFail=hwAcctStartFail, hwUserIPv6AddressAllocAlarm=hwUserIPv6AddressAllocAlarm, hwMulticastListName=hwMulticastListName, hwRemoteRetryInterval=hwRemoteRetryInterval, hwRoamChar=hwRoamChar, hwOnlineUserNumUpperLimitThreshold=hwOnlineUserNumUpperLimitThreshold, hwBillsPoolAlarmThreshold=hwBillsPoolAlarmThreshold, hwCutIPPoolName=hwCutIPPoolName, hwDomainPPPURL=hwDomainPPPURL, hwPortalAccessProfileAuthenNetWork=hwPortalAccessProfileAuthenNetWork, hwMulticastListVpnInstance=hwMulticastListVpnInstance, userAuthenticationFreeRuleSourceVlan=userAuthenticationFreeRuleSourceVlan, hwAcctRealTimeIntervalUnit=hwAcctRealTimeIntervalUnit, hwSrvSchemeAdminUserPriority=hwSrvSchemeAdminUserPriority, userAuthenticationFreeRuleSourceIPMask=userAuthenticationFreeRuleSourceIPMask, hwMulticastVirtualSchedulRezPir=hwMulticastVirtualSchedulRezPir, hwRemoteBlockTime=hwRemoteBlockTime, hwAuthorCmdMode=hwAuthorCmdMode, hwMulticastProfileExtEntry=hwMulticastProfileExtEntry, hwLocalUserIfAllowWeakPassword=hwLocalUserIfAllowWeakPassword, hwBillsTFTPSrvIP=hwBillsTFTPSrvIP, hwAAAUserPPP=hwAAAUserPPP, userAuthenticationFreeRuleSourceMac=userAuthenticationFreeRuleSourceMac, hwReauthorizeGroup=hwReauthorizeGroup, hwServiceSchemeIdleCutFlowValue=hwServiceSchemeIdleCutFlowValue, hwPortalAccessProfileAlarmUserLowNum=hwPortalAccessProfileAlarmUserLowNum, hwCutUserGroup=hwCutUserGroup, hwOfflineRecordAccessPeVlan=hwOfflineRecordAccessPeVlan, userAuthenticationFreeRuleEntry=userAuthenticationFreeRuleEntry, hwAccessTimeLimit=hwAccessTimeLimit, hwCutUserSSID=hwCutUserSSID, hwAccessUCLGroup=hwAccessUCLGroup, hwAccMethod=hwAccMethod, hwWebServerRedirectKeyMscgName=hwWebServerRedirectKeyMscgName, hwReplyMessage=hwReplyMessage, hwPortalAccessProfileGroup=hwPortalAccessProfileGroup, hwAAATimerExpireMajorLevelAlarm=hwAAATimerExpireMajorLevelAlarm, hwUserGroupCarPbs=hwUserGroupCarPbs, hwSlotConnectNumTable=hwSlotConnectNumTable, hwAdminPwHistroyRecordNum=hwAdminPwHistroyRecordNum, hwAAATimerExpireCriticalLevelResume=hwAAATimerExpireCriticalLevelResume, hwDomainForcePushUrl=hwDomainForcePushUrl, hwPortalServerIP=hwPortalServerIP, hwAAADomainOutboundQoSProfile=hwAAADomainOutboundQoSProfile, hwAAAInboundVPNAccessUserStat=hwAAAInboundVPNAccessUserStat, hwAAADomainInboundQoSProfile=hwAAADomainInboundQoSProfile, userAuthenProfilePortalForceDomain=userAuthenProfilePortalForceDomain, hwAuthEventClientNoResponseVlan=hwAuthEventClientNoResponseVlan, hwTotalOnlineNum=hwTotalOnlineNum, hwRecordSchemeTable=hwRecordSchemeTable, hwDomainNameLocation=hwDomainNameLocation, hwftpdirction=hwftpdirction, hwMaxUserThresholdType=hwMaxUserThresholdType, hwDot1xAccessProfileMaxRetryValue=hwDot1xAccessProfileMaxRetryValue, hwDomainForcePushUrlTemplate=hwDomainForcePushUrlTemplate, hwBillsPoolVolume=hwBillsPoolVolume, hwAccessExtGroup=hwAccessExtGroup, hwOnlineFailReason=hwOnlineFailReason, hwDomainIPPoolMoveToTable=hwDomainIPPoolMoveToTable, hwAccessDelayMinTime=hwAccessDelayMinTime, hwTotalIPv4FlowUpPkt=hwTotalIPv4FlowUpPkt, hwWebServerMode=hwWebServerMode, userAuthenProfileFreeRuleName=userAuthenProfileFreeRuleName, hwDot1xAccessProfileName=hwDot1xAccessProfileName, userAuthenProfileSecurityNameDelimiter=userAuthenProfileSecurityNameDelimiter, hwInterfaceAccessUserStatUserStat=hwInterfaceAccessUserStatUserStat, hwOnlineUserNumAlarm=hwOnlineUserNumAlarm, hwAAAPasswordRepeatNumber=hwAAAPasswordRepeatNumber, hwAAADomainIPPoolPosition=hwAAADomainIPPoolPosition, hwPCReducePir=hwPCReducePir, hwDomainIPv6FlowUpPkt=hwDomainIPv6FlowUpPkt, hwAaaCompliances=hwAaaCompliances, hwBindAuthWebVrfSlave=hwBindAuthWebVrfSlave, hwServiceSchemeDnsFirst=hwServiceSchemeDnsFirst, hwIPv6PrefixshareFlag=hwIPv6PrefixshareFlag, hwTotalWebConnectNum=hwTotalWebConnectNum, hwAuthorSchemeEntry=hwAuthorSchemeEntry, hwDomainGroup=hwDomainGroup, hwVpnAccessUserStatGroup=hwVpnAccessUserStatGroup, hwAAAOfflineRecordTable=hwAAAOfflineRecordTable, hwIPv6NDRAPrefixLowerlimitWarningResume=hwIPv6NDRAPrefixLowerlimitWarningResume, hwUserIPAllocAlarm=hwUserIPAllocAlarm, hwAccessIPv6WaitDelay=hwAccessIPv6WaitDelay, hwBillsPoolBackupMode=hwBillsPoolBackupMode, hwDownPriority=hwDownPriority, userAuthenProfileAuthenFailAuthorResponseSuccess=userAuthenProfileAuthenFailAuthorResponseSuccess, hwAccessStartAcctTime=hwAccessStartAcctTime, hwUserNDRAPrefixAllocAlarm=hwUserNDRAPrefixAllocAlarm, hwDomainOnlinePPPUser=hwDomainOnlinePPPUser, hwCopsGroupSSGType=hwCopsGroupSSGType, hwTwoLevelAcctRadiusGroupName=hwTwoLevelAcctRadiusGroupName, hwPolicyRouteThreshold=hwPolicyRouteThreshold, hwGlobalAuthEventAuthFailResponseFail=hwGlobalAuthEventAuthFailResponseFail, hwPPPForceAuthtype=hwPPPForceAuthtype, hwDomainStatTable=hwDomainStatTable, hwMACAccessMACAddress=hwMACAccessMACAddress, userAuthenticationFreeRuleExtTable=userAuthenticationFreeRuleExtTable, hwResetHistoricMaxOnlineNum=hwResetHistoricMaxOnlineNum, hwVpnAccessUserStatTable=hwVpnAccessUserStatTable, hwAuthEventAuthFailUserGroup=hwAuthEventAuthFailUserGroup, hwAccessCARUpCBS=hwAccessCARUpCBS, hwGlobalAuthEventAuthFailVlan=hwGlobalAuthEventAuthFailVlan, hwUserBasicServiceIPType=hwUserBasicServiceIPType, hwMaxPPPoeOnlineNum=hwMaxPPPoeOnlineNum, hwBillsPoolNum=hwBillsPoolNum, hwCutVRF=hwCutVRF, userAuthenProfilePreAuthenServiceSchemeName=userAuthenProfilePreAuthenServiceSchemeName, hwAAATrapsDefine=hwAAATrapsDefine, hwAAAPasswordRemindDay=hwAAAPasswordRemindDay, hwAcctSchemeTable=hwAcctSchemeTable, hwDomainExtEntry=hwDomainExtEntry, hwCopsGroupCIPNType=hwCopsGroupCIPNType, hwUserDelegationPrefixAllocAlarmResume=hwUserDelegationPrefixAllocAlarmResume, hwCutStartUserID=hwCutStartUserID, hwDot1xAccessProfileEntry=hwDot1xAccessProfileEntry, userAuthenProfileAuthenFailAuthorServiceSchemeName=userAuthenProfileAuthenFailAuthorServiceSchemeName, hwMACAuthenAccessProfileMACAddressFormat=hwMACAuthenAccessProfileMACAddressFormat, hwAccessTotalFlow64Limit=hwAccessTotalFlow64Limit, hwBillsPoolBackupInterval=hwBillsPoolBackupInterval, hwWlanInterfaceDomainNameLocation=hwWlanInterfaceDomainNameLocation, hwAAASlotIPv6AddressThreshold=hwAAASlotIPv6AddressThreshold, hwSlotCardConnectNumIPv6OnlineNum=hwSlotCardConnectNumIPv6OnlineNum, hwAccessDnFlow64=hwAccessDnFlow64, hwRealmNameChar=hwRealmNameChar, hwDhcpOpt121RouteMask=hwDhcpOpt121RouteMask, hwTriggerLoose=hwTriggerLoose, hwPortalAccessProfilePortalServerDownUserGroupName=hwPortalAccessProfilePortalServerDownUserGroupName, userAuthenProfileAuthenServerDownResponseSuccess=userAuthenProfileAuthenServerDownResponseSuccess, hwSrvSchemeIpPoolThreeName=hwSrvSchemeIpPoolThreeName, hwAccessCARIfDnActive=hwAccessCARIfDnActive, hwIfPPPoeURL=hwIfPPPoeURL, hwServiceSchemeGroup=hwServiceSchemeGroup, hwAcctSchemeExtEntry=hwAcctSchemeExtEntry, hwAccessDnPacket64=hwAccessDnPacket64, hwUserLogVersion=hwUserLogVersion, hwAdminExpire=hwAdminExpire, hwSlotCardConnectNumBindAuthNum=hwSlotCardConnectNumBindAuthNum)
mibBuilder.exportSymbols("HUAWEI-AAA-MIB", userAuthenProfileArpDetectTimer=userAuthenProfileArpDetectTimer, hwDhcpOpt121RouteGroup=hwDhcpOpt121RouteGroup, hwAAATrapOid=hwAAATrapOid, hwUserGroupEnable=hwUserGroupEnable, hwDot1xAccessProfileGuestAuthorVLAN=hwDot1xAccessProfileGuestAuthorVLAN, hwAAADomainIPPoolGroup=hwAAADomainIPPoolGroup, userAuthenProfileMacAuthenAccessProfileName=userAuthenProfileMacAuthenAccessProfileName, hwAaaUserWebandFastGroup=hwAaaUserWebandFastGroup, hwAccessAuthenMethod=hwAccessAuthenMethod, hwUserGroupName=hwUserGroupName, hwAccessDelayPerSlotTable=hwAccessDelayPerSlotTable, hwAAAOnlineSessoinLowerLimitResume=hwAAAOnlineSessoinLowerLimitResume, hwOnlineUserNumThreshold=hwOnlineUserNumThreshold, hwServiceSchemeUserPriority=hwServiceSchemeUserPriority, hwDot1xAccessProfileServerTimeout=hwDot1xAccessProfileServerTimeout, hwUserSlot=hwUserSlot, hwAAATimerExpireMajorLevelThreshold=hwAAATimerExpireMajorLevelThreshold, hwInterfaceAccessUserStatTable=hwInterfaceAccessUserStatTable, hwPoolWarningThreshold=hwPoolWarningThreshold, hwAccessPriority=hwAccessPriority, userAuthenProfileMACBypass=userAuthenProfileMACBypass, hwGlobalDhcpServerAck=hwGlobalDhcpServerAck, hwLocalUserPassword=hwLocalUserPassword, hwLocalUserUserGroup=hwLocalUserUserGroup, userAuthenProfileAcctSchemeName=userAuthenProfileAcctSchemeName, hwUserAccessPeVlan=hwUserAccessPeVlan, hwDomainAuthorSchemeName=hwDomainAuthorSchemeName, hwIfDomainActive=hwIfDomainActive, hwParsePriority=hwParsePriority, hwSlotCardConnectNumFastAuthNum=hwSlotCardConnectNumFastAuthNum, hwAAASessionUpperLimitThreshold=hwAAASessionUpperLimitThreshold, hwUserAccessType=hwUserAccessType, hwOfflineRecordAccessType=hwOfflineRecordAccessType, userAuthenticationFreeRuleNumber=userAuthenticationFreeRuleNumber, hwDot1xAccessProfileIfEAPEnd=hwDot1xAccessProfileIfEAPEnd, hwMulticastListTable=hwMulticastListTable, hwAcctOnlineFail=hwAcctOnlineFail, hwCachetoFTPFail=hwCachetoFTPFail, hwOfflineSpeedNumber=hwOfflineSpeedNumber, hwAAAInboundVPNAccessUserStatEntry=hwAAAInboundVPNAccessUserStatEntry, hwLocalRetryInterval=hwLocalRetryInterval, hwServiceSchemeIdleCutTime=hwServiceSchemeIdleCutTime, hwMulticastProfileRowStatus=hwMulticastProfileRowStatus, hwMulticastListGroupIpMask=hwMulticastListGroupIpMask, hwAccessDeviceMACAddress=hwAccessDeviceMACAddress, hwDualStackAccountingType=hwDualStackAccountingType, hwAAASetting=hwAAASetting, userAuthenticationFreeRuleExtRowStatus=userAuthenticationFreeRuleExtRowStatus, hwMulticastProfileExtGroup=hwMulticastProfileExtGroup, hwLocalUserExtEntry=hwLocalUserExtEntry, hwAAARateEntry=hwAAARateEntry, userAuthenticationFreeRuleTable=userAuthenticationFreeRuleTable, hwMaxPortalServerUserNum=hwMaxPortalServerUserNum, userAuthenProfileServiceSchemeName=userAuthenProfileServiceSchemeName, hwDomainPDPrefixFreeNum=hwDomainPDPrefixFreeNum, hwGlobalDhcpServerAckGroup=hwGlobalDhcpServerAckGroup, hwAccessDelayPerSlotGroup=hwAccessDelayPerSlotGroup, hwUserDelegationPrefixAllocAlarm=hwUserDelegationPrefixAllocAlarm, hwWlanInterfaceDomainNameDelimiter=hwWlanInterfaceDomainNameDelimiter, hwPCReduceCir=hwPCReduceCir, hwAccessSpeedPeriod=hwAccessSpeedPeriod, hwHdFreeamount=hwHdFreeamount, hwLocalUserBlockInterval=hwLocalUserBlockInterval, hwAccessDevicePortName=hwAccessDevicePortName, hwInterfaceAccessUserStatEntry=hwInterfaceAccessUserStatEntry, userAuthenProfileAuthenServerUpReauthen=userAuthenProfileAuthenServerUpReauthen, hwMulticastProfileName=hwMulticastProfileName, hwDomainNDRAPrefixUsedNum=hwDomainNDRAPrefixUsedNum, hwUserAcctState=hwUserAcctState, hwDomainNDRAPrefixUsedPercent=hwDomainNDRAPrefixUsedPercent, hwTotalIPv6FlowDnPkt=hwTotalIPv6FlowDnPkt, hwBillPoolGroup=hwBillPoolGroup, hwDomainAuthenRejectsNum=hwDomainAuthenRejectsNum, hwMulticastProfileGroup=hwMulticastProfileGroup, hwReauthorizeTable=hwReauthorizeTable, hwDomainIPUsedPercent=hwDomainIPUsedPercent, hwDomainAccessedNum=hwDomainAccessedNum, hwAaaStatGroup=hwAaaStatGroup, hwDomainType=hwDomainType, hwAccPwHistroyRecordNum=hwAccPwHistroyRecordNum, hwUserGroupIndex=hwUserGroupIndex, hwTotalPPPoeOnlineNum=hwTotalPPPoeOnlineNum, hwDefaultUserName=hwDefaultUserName, userAuthenProfileHwtacacsServerName=userAuthenProfileHwtacacsServerName, hwWebServerURLSlave=hwWebServerURLSlave, hwPortalAccessProfileEntry=hwPortalAccessProfileEntry, hwRemoteDownloadAclThresholdAlarm=hwRemoteDownloadAclThresholdAlarm, hwDomainIPv6AddressExcludeNum=hwDomainIPv6AddressExcludeNum, hwIfMulticastForward=hwIfMulticastForward, hwIPOXUsernameSysname=hwIPOXUsernameSysname, hwTotalPortalServerUserNum=hwTotalPortalServerUserNum, hwDomainInboundL2tpQoSProfile=hwDomainInboundL2tpQoSProfile, hwDomainPPPoENum=hwDomainPPPoENum, hwPoolLowerLimitWarningThreshold=hwPoolLowerLimitWarningThreshold, hwAccessDelayPerSlotRowStatus=hwAccessDelayPerSlotRowStatus, hwPortalAccessProfilePortalBackupServerName=hwPortalAccessProfilePortalBackupServerName, hwSlotConnectNumMaxOnlineAcctReadyNum=hwSlotConnectNumMaxOnlineAcctReadyNum, hwWebServerIP=hwWebServerIP, hwServiceSchemeName=hwServiceSchemeName, hwLocalUserName=hwLocalUserName, hwCutVlanID=hwCutVlanID, hwTacGroupName=hwTacGroupName, hwPortalAccessProfilePortalServerUpReAuthen=hwPortalAccessProfilePortalServerUpReAuthen, hwDomainIPv6FlowUpByte=hwDomainIPv6FlowUpByte, hwAuthenSchemeTable=hwAuthenSchemeTable, hwAccessSubSlotNo=hwAccessSubSlotNo, hwAccessDeviceName=hwAccessDeviceName, hwExpRemark=hwExpRemark, hwLocalUserNoCallBackVerify=hwLocalUserNoCallBackVerify, hwServiceSchemeNextHopIp=hwServiceSchemeNextHopIp, hwMultiProfile=hwMultiProfile, hwAAAInboundVPNAccessUserStatTable=hwAAAInboundVPNAccessUserStatTable, hwSlotCardConnectNumEntry=hwSlotCardConnectNumEntry, hwIPOXpasswordKeyType=hwIPOXpasswordKeyType, hwAcctSchemeEntry=hwAcctSchemeEntry, hwPortalAccessProfilePortalAccessDirect=hwPortalAccessProfilePortalAccessDirect, hwAccessDomain=hwAccessDomain, hwUserGroupCarInBoundPir=hwUserGroupCarInBoundPir, hwWebServerURL=hwWebServerURL, hwHistoricMaxOnlineLocalNum=hwHistoricMaxOnlineLocalNum, hwPriority=hwPriority, userAuthenProfileAuthorSchemeName=userAuthenProfileAuthorSchemeName, hwAAAOnlineSessoinLowerLimitAlarm=hwAAAOnlineSessoinLowerLimitAlarm, hwUclGrpEntry=hwUclGrpEntry, hwAccessCARDnCBS=hwAccessCARDnCBS, hwIfUserMacSimple=hwIfUserMacSimple, hwOfflineReasonStatEntry=hwOfflineReasonStatEntry, hwUserGroupUsedNum=hwUserGroupUsedNum, userAuthenProfilePreAuthenReAuthenTimer=userAuthenProfilePreAuthenReAuthenTimer, hwResetOnlineFailReasonStatistic=hwResetOnlineFailReasonStatistic, hwHistoricMaxOnlineNum=hwHistoricMaxOnlineNum, hwWlanInterfaceName=hwWlanInterfaceName, hwInterfaceAccessUserStatInterfaceIndex=hwInterfaceAccessUserStatInterfaceIndex, hwAccessUpFlow64=hwAccessUpFlow64, hwCutUserName=hwCutUserName, hwAuthorCmdRowStatus=hwAuthorCmdRowStatus, hwSlotCardConnectNumMIPAuthNum=hwSlotCardConnectNumMIPAuthNum, hwRemoteAuthorize=hwRemoteAuthorize, hwDomainIPv6FlowDnByte=hwDomainIPv6FlowDnByte, hwUserLogIPAddress=hwUserLogIPAddress, hwOfflineReasonStatTable=hwOfflineReasonStatTable, hwIPv6OtherFlag=hwIPv6OtherFlag, hwMACAuthenAccessProfileServerTimeout=hwMACAuthenAccessProfileServerTimeout, hwCutIPaddress=hwCutIPaddress, hwUserAccessCeVlan=hwUserAccessCeVlan, hwAuthorCmdGroup=hwAuthorCmdGroup, hwBillsPoolBackupNow=hwBillsPoolBackupNow, hwUserNDRAPrefixAllocAlarmResume=hwUserNDRAPrefixAllocAlarmResume, hwIPOXUsernameMAC=hwIPOXUsernameMAC, hwBillTFTPGroup=hwBillTFTPGroup, hwDomainIncludeIPPoolGroupRowStates=hwDomainIncludeIPPoolGroupRowStates, hwLocalUserPwPolicyAcc=hwLocalUserPwPolicyAcc, hwIfRealtimeAcct=hwIfRealtimeAcct, hwDomainIPv6AddressUsedNum=hwDomainIPv6AddressUsedNum, hwCutAccessUserTable=hwCutAccessUserTable, hwDomainOnlineNum=hwDomainOnlineNum, hwBlockDisable=hwBlockDisable, hwIPLowerlimitWarningResume=hwIPLowerlimitWarningResume, hwMulticastProfileIndex=hwMulticastProfileIndex, hwMACAuthenAccessProfileGroup=hwMACAuthenAccessProfileGroup, hwDot1xTemplate=hwDot1xTemplate, hwAccessType=hwAccessType, hwAAADomainIPPoolEntry=hwAAADomainIPPoolEntry, hwDot1xAccessProfileRowStatus=hwDot1xAccessProfileRowStatus, userAuthenProfileForceDomain=userAuthenProfileForceDomain, hwRbsDownReason=hwRbsDownReason, hwAccessStartTime=hwAccessStartTime, hwDomainDhcpOpt64SepAndSeg=hwDomainDhcpOpt64SepAndSeg, hwUserID=hwUserID, hwAuthEventPreAuthUserGroup=hwAuthEventPreAuthUserGroup, hwAAAAccessUserResourceOrCpuAlarm=hwAAAAccessUserResourceOrCpuAlarm, userAuthenProfileAuthenServerDownVLAN=userAuthenProfileAuthenServerDownVLAN, hwSrvSchemeIpPoolOneName=hwSrvSchemeIpPoolOneName, hwPoratalServerFirstUrlKeyName=hwPoratalServerFirstUrlKeyName, hwAccessInterface=hwAccessInterface, hwIPv6PDPrefixLowerlimitWarningAlarm=hwIPv6PDPrefixLowerlimitWarningAlarm, hwDhcpOpt121RouteRowStatus=hwDhcpOpt121RouteRowStatus, hwWlanInterfaceDomainNameParseDirection=hwWlanInterfaceDomainNameParseDirection, hwAuthenticationState=hwAuthenticationState, hwHistoricMaxOnlineRemoteNum=hwHistoricMaxOnlineRemoteNum, hwMulticastListSourceIp=hwMulticastListSourceIp, hwUserAuthorState=hwUserAuthorState, hwAccountingState=hwAccountingState, hwServicePolicyName=hwServicePolicyName, hwTotalIPAllocFailNum=hwTotalIPAllocFailNum, hwDot1xAccessProfileReauthenticationTimeout=hwDot1xAccessProfileReauthenticationTimeout, hwRedirectTimesLimit=hwRedirectTimesLimit, hwLocalUserAccessLimitNum=hwLocalUserAccessLimitNum, hwDscpRemark=hwDscpRemark, userAuthenticationFreeRuleSourceMode=userAuthenticationFreeRuleSourceMode, hwAAADomainIPPoolConstantIndex=hwAAADomainIPPoolConstantIndex, hwPortalAccessProfileDetectPeriod=hwPortalAccessProfileDetectPeriod, hwDomainIPIdleNum=hwDomainIPIdleNum, hwUserGroupTable=hwUserGroupTable, hwDomainAcctRspFailuresNum=hwDomainAcctRspFailuresNum, hwDomainPDPrefixUsedPercent=hwDomainPDPrefixUsedPercent, hwAAAStat=hwAAAStat, hwTotalIPv6OnlineNum=hwTotalIPv6OnlineNum, userAuthenProfileRadiusServerName=userAuthenProfileRadiusServerName, hwDot1xAccessProfileHandshakeSwitch=hwDot1xAccessProfileHandshakeSwitch, hwMACAuthenAccessProfileUserNameDHCPOSubOption=hwMACAuthenAccessProfileUserNameDHCPOSubOption, hwDot1xAccessProfileEAPEndMethod=hwDot1xAccessProfileEAPEndMethod, hwTotalSuccessNum=hwTotalSuccessNum, hwUserGroupCarCir=hwUserGroupCarCir, hwRbsUp=hwRbsUp, hwAccessAuthtype=hwAccessAuthtype, hwAuthEventClientNoResponseUserGroup=hwAuthEventClientNoResponseUserGroup, hwAAAMibTrap=hwAAAMibTrap, hwDomainRenewIPTag=hwDomainRenewIPTag, hwAccessLineID=hwAccessLineID, hwLAMTraps=hwLAMTraps, hwAuthEventPortIndex=hwAuthEventPortIndex, hwHDtoFTPFail=hwHDtoFTPFail, hwAuthEventAuthenServerDownUserGroup=hwAuthEventAuthenServerDownUserGroup, hwDomainDPIPolicyName=hwDomainDPIPolicyName, hwAuthEventCfgEntry=hwAuthEventCfgEntry, hwUserIPv6AddressAllocAlarmResume=hwUserIPv6AddressAllocAlarmResume, hwDnsSecondIPAddress=hwDnsSecondIPAddress, hwTotalLCPFailNum=hwTotalLCPFailNum, userAuthenProfileMacAuthenFirst=userAuthenProfileMacAuthenFirst, hwAAASlotOnlineUserNumResume=hwAAASlotOnlineUserNumResume, hwDomainServiceSchemeName=hwDomainServiceSchemeName, userAuthenProfilePermitDomain=userAuthenProfilePermitDomain, hwAccessIPv6WanPrefix=hwAccessIPv6WanPrefix, hwSlotConnectNumGroup=hwSlotConnectNumGroup, hwRbpOldState=hwRbpOldState, hwUserIPv6NDRAPrefix=hwUserIPv6NDRAPrefix, hwLamTrapsNotificationsGroup=hwLamTrapsNotificationsGroup, hwDomainAccessUserStatUserStat=hwDomainAccessUserStatUserStat, hwAccessTable=hwAccessTable, hwSlotConnectNumMaxOnlineNum=hwSlotConnectNumMaxOnlineNum, hwAcctSchemeGroup=hwAcctSchemeGroup, hwDot1xAccessProfileHandshakeInterval=hwDot1xAccessProfileHandshakeInterval, hwUclGrpName=hwUclGrpName, hwAccessIPv6OtherFlag=hwAccessIPv6OtherFlag, hwIPPoolTwoName=hwIPPoolTwoName, hwSlotAccessUserStatEntry=hwSlotAccessUserStatEntry, userAuthenticationFreeRuleExtEntry=userAuthenticationFreeRuleExtEntry)
| (octet_string, integer, object_identifier) = mibBuilder.importSymbols('ASN1', 'OctetString', 'Integer', 'ObjectIdentifier')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(value_range_constraint, constraints_union, value_size_constraint, constraints_intersection, single_value_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueRangeConstraint', 'ConstraintsUnion', 'ValueSizeConstraint', 'ConstraintsIntersection', 'SingleValueConstraint')
(huawei_mgmt,) = mibBuilder.importSymbols('HUAWEI-MIB', 'huaweiMgmt')
(ipv6_address_if_identifier, ipv6_address_prefix, ipv6_address) = mibBuilder.importSymbols('IPV6-TC', 'Ipv6AddressIfIdentifier', 'Ipv6AddressPrefix', 'Ipv6Address')
(module_compliance, notification_group, object_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup', 'ObjectGroup')
(module_identity, ip_address, iso, mib_identifier, object_identity, gauge32, unsigned32, notification_type, bits, integer32, time_ticks, counter32, mib_scalar, mib_table, mib_table_row, mib_table_column, counter64) = mibBuilder.importSymbols('SNMPv2-SMI', 'ModuleIdentity', 'IpAddress', 'iso', 'MibIdentifier', 'ObjectIdentity', 'Gauge32', 'Unsigned32', 'NotificationType', 'Bits', 'Integer32', 'TimeTicks', 'Counter32', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Counter64')
(date_and_time, textual_convention, row_status, display_string, truth_value, mac_address) = mibBuilder.importSymbols('SNMPv2-TC', 'DateAndTime', 'TextualConvention', 'RowStatus', 'DisplayString', 'TruthValue', 'MacAddress')
hw_aaa = module_identity((1, 3, 6, 1, 4, 1, 2011, 5, 2))
hwAaa.setRevisions(('2015-06-10 12:50', '2015-04-23 16:55', '2015-04-17 12:50', '2015-03-10 12:50', '2014-12-26 16:17', '2014-09-06 16:17', '2014-09-03 10:50', '2014-08-20 10:50', '2014-08-06 10:50', '2014-07-14 10:50', '2014-03-06 10:50', '2013-12-17 10:30', '2013-12-13 17:25', '2013-10-15 17:25', '2013-08-08 20:12', '2013-07-19 18:00', '2013-07-04 17:09', '2013-06-27 17:19', '2013-04-17 09:19', '2013-04-03 22:22', '2013-03-15 11:11', '2013-09-14 15:18', '2013-11-28 16:51', '2014-03-18 10:51', '2014-03-24 10:51', '2014-04-17 10:26', '2014-04-17 10:27', '2014-07-08 15:44', '2014-08-12 17:25', '2014-08-27 15:44', '2014-08-27 15:44', '2014-09-21 15:44', '2014-12-27 15:44', '2014-12-31 15:44', '2014-12-26 16:17', '2015-01-23 10:25', '2015-03-20 13:14', '2015-03-26 09:35', '2015-07-07 20:36', '2015-07-16 17:11', '2015-07-28 16:41', '2015-07-28 20:55', '2015-07-28 21:00', '2015-07-31 09:17', '2015-08-08 09:35', '2015-08-26 16:05', '2015-09-11 11:38'))
if mibBuilder.loadTexts:
hwAaa.setLastUpdated('201506101250Z')
if mibBuilder.loadTexts:
hwAaa.setOrganization('Huawei Technologies Co.,Ltd.')
hw_aaa_mib_objects = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1))
hw_authen_scheme_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 1))
if mibBuilder.loadTexts:
hwAuthenSchemeTable.setStatus('current')
hw_authen_scheme_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 1, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwAuthenSchemeName'))
if mibBuilder.loadTexts:
hwAuthenSchemeEntry.setStatus('current')
hw_authen_scheme_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 1, 1, 1), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAuthenSchemeName.setStatus('current')
hw_authen_method = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32))).clone(namedValues=named_values(('local', 1), ('noauth', 2), ('radius', 3), ('localRadius', 4), ('radiusLocal', 5), ('radiusNoauth', 6), ('tacacs', 7), ('tacacsLocal', 8), ('localTacacs', 9), ('tacacsNoauth', 10), ('localNoauth', 11), ('radiusTacacs', 12), ('tacacsRadius', 13), ('localRadiusNoauth', 14), ('localTacacsNoauth', 15), ('radiusLocalNoauth', 16), ('radiusTacacsNoauth', 17), ('tacacsLocalNoauth', 18), ('tacacsRadiusNoauth', 19), ('localRadiusTacacs', 20), ('radiusLocalTacacs', 21), ('localTacacsRadius', 22), ('radiusTacacsLocal', 23), ('tacacsLocalRadius', 24), ('tacacsRadiusLocal', 25), ('localRadiusTacacsNoauth', 26), ('localTacacsRadiusNoauth', 27), ('radiusLocalTacacsNoauth', 28), ('radiusTacacsLocalNoauth', 29), ('tacacsLocalRadiusNoauth', 30), ('tacacsRadiusLocalNoauth', 31), ('radiusProxy', 32)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwAuthenMethod.setStatus('current')
hw_authen_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 1, 1, 3), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwAuthenRowStatus.setStatus('current')
hw_authen_fail_policy = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('online', 1), ('offline', 2)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwAuthenFailPolicy.setStatus('current')
hw_authen_fail_domain = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 1, 1, 5), display_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwAuthenFailDomain.setStatus('current')
hw_acct_scheme_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 2))
if mibBuilder.loadTexts:
hwAcctSchemeTable.setStatus('current')
hw_acct_scheme_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 2, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwAcctSchemeName'))
if mibBuilder.loadTexts:
hwAcctSchemeEntry.setStatus('current')
hw_acct_scheme_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 2, 1, 1), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAcctSchemeName.setStatus('current')
hw_acc_method = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(2, 3, 5))).clone(namedValues=named_values(('noacct', 2), ('radius', 3), ('hwtacacs', 5)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwAccMethod.setStatus('current')
hw_acct_start_fail = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('none', 1), ('offline', 2)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwAcctStartFail.setStatus('current')
hw_acct_online_fail = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('none', 1), ('offline', 2)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwAcctOnlineFail.setStatus('current')
hw_acc_real_time_inter = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 2, 1, 5), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwAccRealTimeInter.setStatus('current')
hw_acct_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 2, 1, 6), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwAcctRowStatus.setStatus('current')
hw_acct_real_time_interval_unit = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 2, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('minute', 1), ('second', 2), ('none', 3)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwAcctRealTimeIntervalUnit.setStatus('current')
hw_domain_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4))
if mibBuilder.loadTexts:
hwDomainTable.setStatus('current')
hw_domain_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwDomainName'))
if mibBuilder.loadTexts:
hwDomainEntry.setStatus('current')
hw_domain_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 1), display_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainName.setStatus('current')
hw_domain_authen_scheme_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDomainAuthenSchemeName.setStatus('current')
hw_domain_acct_scheme_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDomainAcctSchemeName.setStatus('current')
hw_domain_radius_group_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDomainRadiusGroupName.setStatus('current')
hw_domain_access_limit_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 283648))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDomainAccessLimitNum.setStatus('current')
hw_domain_if_src_route = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 7), truth_value()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainIfSrcRoute.setStatus('current')
hw_domain_next_hop_ip = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 8), ip_address()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDomainNextHopIP.setStatus('current')
hw_domain_idle_cut_time = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 9), integer32().subtype(subtypeSpec=value_range_constraint(0, 1440))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDomainIdleCutTime.setStatus('current')
hw_domain_idle_cut_flow = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(-1, 768000))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDomainIdleCutFlow.setStatus('current')
hw_domain_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 11), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDomainRowStatus.setStatus('current')
hw_domain_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('normal', 1), ('device', 2)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDomainType.setStatus('current')
hw_domain_service_scheme_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 13), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDomainServiceSchemeName.setStatus('current')
hw_domain_idle_cut_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 14), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('both', 1), ('inbound', 2), ('outbound', 3)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwDomainIdleCutType.setStatus('current')
hwdomainipv6nexthop = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 15), display_string().subtype(subtypeSpec=value_size_constraint(1, 255))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwdomainipv6nexthop.setStatus('current')
hw_domain_force_push_url = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 16), display_string().subtype(subtypeSpec=value_size_constraint(1, 200))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDomainForcePushUrl.setStatus('current')
hw_domain_force_push_url_template = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 17), display_string().subtype(subtypeSpec=value_size_constraint(1, 31))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDomainForcePushUrlTemplate.setStatus('current')
hw_state_block_first_time_range_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 18), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwStateBlockFirstTimeRangeName.setStatus('current')
hw_state_block_second_time_range_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 19), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwStateBlockSecondTimeRangeName.setStatus('current')
hw_state_block_third_time_range_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 20), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwStateBlockThirdTimeRangeName.setStatus('current')
hw_state_block_forth_time_range_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 21), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwStateBlockForthTimeRangeName.setStatus('current')
hw_domain_flow_statistic = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 4, 1, 22), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwDomainFlowStatistic.setStatus('current')
hw_domain_ext_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5))
if mibBuilder.loadTexts:
hwDomainExtTable.setStatus('current')
hw_domain_ext_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwDomainName'))
if mibBuilder.loadTexts:
hwDomainExtEntry.setStatus('current')
hw_domain_pppurl = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 1), display_string().subtype(subtypeSpec=value_size_constraint(0, 200))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwDomainPPPURL.setStatus('current')
hw_if_domain_active = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 2), truth_value()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwIfDomainActive.setStatus('current')
hw_priority = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 255))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwPriority.setStatus('current')
hw_web_server_url = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 200))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwWebServerURL.setStatus('current')
hw_ip_pool_one_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 5), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwIPPoolOneName.setStatus('current')
hw_ip_pool_two_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 6), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwIPPoolTwoName.setStatus('current')
hw_ip_pool_three_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 7), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwIPPoolThreeName.setStatus('current')
hw_two_level_acct_radius_group_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 9), display_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwTwoLevelAcctRadiusGroupName.setStatus('current')
hw_vpdn_group_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 10), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(1, 1000), value_range_constraint(65535, 65535)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwVPDNGroupIndex.setStatus('current')
hw_ucl_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 11), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 1023), value_range_constraint(65535, 65535)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwUclIndex.setStatus('current')
hw_if_pp_poe_url = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 12), truth_value()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwIfPPPoeURL.setStatus('current')
hw_ucl_group_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 13), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwUclGroupName.setStatus('current')
hw_vpdn_group_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 15), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwVpdnGroupName.setStatus('current')
hw_domain_vrf = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 16), display_string().subtype(subtypeSpec=value_size_constraint(1, 31))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwDomainVrf.setStatus('current')
hw_domain_gre = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 17), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwDomainGre.setStatus('current')
hw_domain_renew_ip_tag = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 18), truth_value().clone('false')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwDomainRenewIPTag.setStatus('current')
hw_portal_url = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 19), display_string().subtype(subtypeSpec=value_size_constraint(0, 200))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwPortalURL.setStatus('current')
hw_portal_server_ip = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 20), ip_address()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwPortalServerIP.setStatus('current')
hw_redirect_times_limit = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 21), integer32().subtype(subtypeSpec=value_range_constraint(1, 5)).clone(2)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwRedirectTimesLimit.setStatus('current')
hw_dot1x_template = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 22), integer32().subtype(subtypeSpec=value_range_constraint(1, 256)).clone(1)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDot1xTemplate.setStatus('current')
hw_web_server_ip = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 23), ip_address()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwWebServerIP.setStatus('current')
hw_web_server_mode = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 24), integer32().subtype(subtypeSpec=value_range_constraint(1, 256))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwWebServerMode.setStatus('current')
hw_pool_warning_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 25), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(1, 100), value_range_constraint(255, 255))).clone(255)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwPoolWarningThreshold.setStatus('current')
hw_tac_group_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 26), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwTacGroupName.setStatus('current')
hw_service_policy_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 27), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwServicePolicyName.setStatus('current')
hw_cops_group_ssg_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 28), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwCopsGroupSSGType.setStatus('current')
hw_domain_author_scheme_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 29), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDomainAuthorSchemeName.setStatus('current')
hw_ntv_user_profile_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 30), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwNtvUserProfileName.setStatus('obsolete')
hw_domain_qo_s_profile = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 31), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDomainQoSProfile.setStatus('current')
hw_domain_zone = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 32), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDomainZone.setStatus('current')
hw_if_l2tp_radius_force = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 33), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwIfL2tpRadiusForce.setStatus('current')
hw_down_priority = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 34), integer32().subtype(subtypeSpec=value_range_constraint(0, 255))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwDownPriority.setStatus('current')
hw_ppp_force_authtype = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 35), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 255))).clone(namedValues=named_values(('pap', 0), ('chap', 1), ('mschapv1', 2), ('mschapv2', 3), ('none', 255)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwPPPForceAuthtype.setStatus('current')
hw_dns_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 36), ip_address()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDnsIPAddress.setStatus('current')
hw_admin_user_priority = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 37), integer32().subtype(subtypeSpec=value_range_constraint(-1, 15))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwAdminUserPriority.setStatus('current')
hw_shaping_template = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 38), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwShapingTemplate.setStatus('current')
hw_domain_dpi_policy_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 39), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDomainDPIPolicyName.setStatus('current')
hw_cops_group_sig_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 40), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwCopsGroupSIGType.setStatus('current')
hw_cops_group_cipn_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 41), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwCopsGroupCIPNType.setStatus('current')
hw_pc_reduce_cir = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 43), integer32().subtype(subtypeSpec=value_range_constraint(0, 1000000))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwPCReduceCir.setStatus('current')
hw_val_acct_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 44), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('none', 0), ('default', 1), ('radius', 2), ('cops', 3))).clone(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwValAcctType.setStatus('current')
hw_val_radius_server = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 45), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwValRadiusServer.setStatus('current')
hw_val_cops_server = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 46), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwValCopsServer.setStatus('current')
hw_pc_reduce_pir = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 47), integer32().subtype(subtypeSpec=value_range_constraint(0, 1000000))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwPCReducePir.setStatus('current')
hw_domain_inbound_l2tp_qo_s_profile = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 48), display_string().subtype(subtypeSpec=value_size_constraint(1, 63))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwDomainInboundL2tpQoSProfile.setStatus('current')
hw_domain_outbound_l2tp_qo_s_profile = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 49), display_string().subtype(subtypeSpec=value_size_constraint(1, 63))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwDomainOutboundL2tpQoSProfile.setStatus('current')
hw_if_multicast_forward = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 50), truth_value().clone(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwIfMulticastForward.setStatus('current')
hw_multicast_virtual_schedul_rez_cir = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 51), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(128, 1000000)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwMulticastVirtualSchedulRezCir.setStatus('current')
hw_multicast_virtual_schedul_rez_pir = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 52), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(128, 1000000)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwMulticastVirtualSchedulRezPir.setStatus('current')
hw_max_multicast_list_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 53), integer32().subtype(subtypeSpec=value_range_constraint(1, 64))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwMaxMulticastListNum.setStatus('current')
hw_multi_profile = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 54), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwMultiProfile.setStatus('current')
hw_domain_service_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 55), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('stb', 0), ('hsi', 1))).clone(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwDomainServiceType.setStatus('current')
hw_web_server_url_parameter = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 56), truth_value().clone(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwWebServerUrlParameter.setStatus('current')
hw_web_server_redirect_key_mscg_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 57), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwWebServerRedirectKeyMscgName.setStatus('current')
hw_poratal_server_url_parameter = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 58), truth_value().clone(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwPoratalServerUrlParameter.setStatus('current')
hw_poratal_server_first_url_key_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 59), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwPoratalServerFirstUrlKeyName.setStatus('current')
hw_poratal_server_first_url_key_default_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 60), truth_value().clone(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwPoratalServerFirstUrlKeyDefaultName.setStatus('current')
hw_dns_second_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 61), ip_address()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDnsSecondIPAddress.setStatus('current')
hw_domain_igmp_enable = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 62), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDomainIgmpEnable.setStatus('current')
hw_i_pv6_pool_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 63), display_string().subtype(subtypeSpec=value_size_constraint(0, 65))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwIPv6PoolName.setStatus('current')
hw_i_pv6_prefixshare_flag = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 64), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('shared', 1), ('unshared', 2)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwIPv6PrefixshareFlag.setStatus('current')
hw_user_basic_service_ip_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 65), display_string().subtype(subtypeSpec=value_size_constraint(0, 3))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwUserBasicServiceIPType.setStatus('current')
hw_pri_dns_i_pv6_address = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 66), ipv6_address()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwPriDnsIPv6Address.setStatus('current')
hw_sec_dns_i_pv6_address = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 67), ipv6_address()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwSecDnsIPv6Address.setStatus('current')
hw_dual_stack_accounting_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 68), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('seperate', 1), ('identical', 2)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDualStackAccountingType.setStatus('current')
hw_i_pv6_pool_warning_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 69), integer32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwIPv6PoolWarningThreshold.setStatus('current')
hw_i_pv6_cp_wait_dhc_pv6_delay = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 70), integer32().subtype(subtypeSpec=value_range_constraint(30, 120))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwIPv6CPWaitDHCPv6Delay.setStatus('current')
hw_i_pv6_managed_address_flag = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 71), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ndra', 1), ('dhcpv6', 2)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwIPv6ManagedAddressFlag.setStatus('current')
hw_i_pv6_cpifid_available = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 72), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwIPv6CPIFIDAvailable.setStatus('current')
hw_i_pv6_other_flag = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 73), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ndra', 1), ('dhcpv6', 2)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwIPv6OtherFlag.setStatus('current')
hw_i_pv6_cp_assign_ifid = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 74), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwIPv6CPAssignIFID.setStatus('current')
hw_multi_i_pv6_profile_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 75), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwMultiIPv6ProfileName.setStatus('current')
hw_web_server_url_slave = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 76), display_string().subtype(subtypeSpec=value_size_constraint(0, 200))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwWebServerURLSlave.setStatus('current')
hw_web_server_ip_slave = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 77), ip_address()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwWebServerIPSlave.setStatus('current')
hw_bind_auth_web_ip = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 78), ip_address()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwBindAuthWebIP.setStatus('current')
hw_bind_auth_web_vrf = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 79), display_string().subtype(subtypeSpec=value_size_constraint(1, 31))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwBindAuthWebVrf.setStatus('current')
hw_bind_auth_web_ip_slave = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 80), ip_address()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwBindAuthWebIPSlave.setStatus('current')
hw_bind_auth_web_vrf_slave = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 81), display_string().subtype(subtypeSpec=value_size_constraint(1, 31))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwBindAuthWebVrfSlave.setStatus('current')
hw_ext_vpdn_group_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 82), display_string().subtype(subtypeSpec=value_size_constraint(1, 255))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwExtVpdnGroupName.setStatus('current')
hw_domain_user_group_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 83), display_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwDomainUserGroupName.setStatus('current')
hw_aftr_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 84), display_string().subtype(subtypeSpec=value_size_constraint(1, 63))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwAFTRName.setStatus('current')
hw_domain_dhcp_opt64_sep_and_seg = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 85), display_string().subtype(subtypeSpec=value_size_constraint(1, 5))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDomainDhcpOpt64SepAndSeg.setStatus('current')
hw_domain_dhcp_server_ack = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 5, 1, 86), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDomainDhcpServerAck.setStatus('current')
hw_domain_stat_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6))
if mibBuilder.loadTexts:
hwDomainStatTable.setStatus('current')
hw_domain_stat_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwDomainName'))
if mibBuilder.loadTexts:
hwDomainStatEntry.setStatus('current')
hw_domain_accessed_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainAccessedNum.setStatus('current')
hw_domain_online_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainOnlineNum.setStatus('current')
hw_domain_online_ppp_user = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainOnlinePPPUser.setStatus('current')
hw_domain_flow_dn_byte = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 4), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainFlowDnByte.setStatus('current')
hw_domain_flow_dn_pkt = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 5), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainFlowDnPkt.setStatus('current')
hw_domain_flow_up_byte = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 6), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainFlowUpByte.setStatus('current')
hw_domain_flow_up_pkt = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 7), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainFlowUpPkt.setStatus('current')
hw_domain_ip_total_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 8), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainIPTotalNum.setStatus('current')
hw_domain_ip_used_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 9), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainIPUsedNum.setStatus('current')
hw_domain_ip_conflict_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 10), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainIPConflictNum.setStatus('current')
hw_domain_ip_exclude_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 11), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainIPExcludeNum.setStatus('current')
hw_domain_ip_idle_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 12), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainIPIdleNum.setStatus('current')
hw_domain_ip_used_percent = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 13), display_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainIPUsedPercent.setStatus('current')
hw_domain_pp_po_e_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 14), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainPPPoENum.setStatus('current')
hw_domain_authen_requests_rcv_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 15), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainAuthenRequestsRcvNum.setStatus('current')
hw_domain_authen_accepts_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 16), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainAuthenAcceptsNum.setStatus('current')
hw_domain_authen_rejects_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 17), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainAuthenRejectsNum.setStatus('current')
hw_domain_acct_requests_rcv_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 18), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainAcctRequestsRcvNum.setStatus('current')
hw_domain_acct_rsp_success_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 19), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainAcctRspSuccessNum.setStatus('current')
hw_domain_acct_rsp_failures_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 20), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainAcctRspFailuresNum.setStatus('current')
hw_domain_i_pv6_address_total_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 21), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainIPv6AddressTotalNum.setStatus('current')
hw_domain_i_pv6_address_used_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 22), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainIPv6AddressUsedNum.setStatus('current')
hw_domain_i_pv6_address_free_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 23), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainIPv6AddressFreeNum.setStatus('current')
hw_domain_i_pv6_address_conflict_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 24), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainIPv6AddressConflictNum.setStatus('current')
hw_domain_i_pv6_address_exclude_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 25), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainIPv6AddressExcludeNum.setStatus('current')
hw_domain_i_pv6_address_used_percent = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 26), display_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainIPv6AddressUsedPercent.setStatus('current')
hw_domain_ndra_prefix_total_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 27), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainNDRAPrefixTotalNum.setStatus('current')
hw_domain_ndra_prefix_used_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 28), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainNDRAPrefixUsedNum.setStatus('current')
hw_domain_ndra_prefix_free_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 29), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainNDRAPrefixFreeNum.setStatus('current')
hw_domain_ndra_prefix_conflict_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 30), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainNDRAPrefixConflictNum.setStatus('current')
hw_domain_ndra_prefix_exclude_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 31), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainNDRAPrefixExcludeNum.setStatus('current')
hw_domain_ndra_prefix_used_percent = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 32), display_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainNDRAPrefixUsedPercent.setStatus('current')
hw_domain_pd_prefix_total_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 33), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainPDPrefixTotalNum.setStatus('current')
hw_domain_pd_prefix_used_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 34), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainPDPrefixUsedNum.setStatus('current')
hw_domain_pd_prefix_free_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 35), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainPDPrefixFreeNum.setStatus('current')
hw_domain_pd_prefix_conflict_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 36), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainPDPrefixConflictNum.setStatus('current')
hw_domain_pd_prefix_exclude_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 37), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainPDPrefixExcludeNum.setStatus('current')
hw_domain_pd_prefix_used_percent = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 38), display_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainPDPrefixUsedPercent.setStatus('current')
hw_domain_i_pv6_flow_dn_byte = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 39), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainIPv6FlowDnByte.setStatus('current')
hw_domain_i_pv6_flow_dn_pkt = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 40), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainIPv6FlowDnPkt.setStatus('current')
hw_domain_i_pv6_flow_up_byte = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 41), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainIPv6FlowUpByte.setStatus('current')
hw_domain_i_pv6_flow_up_pkt = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 6, 1, 42), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainIPv6FlowUpPkt.setStatus('current')
hw_local_user_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10))
if mibBuilder.loadTexts:
hwLocalUserTable.setStatus('current')
hw_local_user_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwLocalUserName'))
if mibBuilder.loadTexts:
hwLocalUserEntry.setStatus('current')
hw_local_user_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10, 1, 1), display_string().subtype(subtypeSpec=value_size_constraint(1, 253))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwLocalUserName.setStatus('current')
hw_local_user_password = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwLocalUserPassword.setStatus('current')
hw_local_user_access_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwLocalUserAccessType.setStatus('current')
hw_local_user_priority = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 16))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwLocalUserPriority.setStatus('current')
hwftpdirction = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10, 1, 5), display_string().subtype(subtypeSpec=value_size_constraint(1, 255))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwftpdirction.setStatus('current')
hw_qos_profile_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10, 1, 6), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwQosProfileName.setStatus('current')
hw_local_user_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10, 1, 12), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwLocalUserRowStatus.setStatus('current')
hw_local_user_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10, 1, 13), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwLocalUserIpAddress.setStatus('current')
hw_local_user_vpn_instance = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10, 1, 14), display_string().subtype(subtypeSpec=value_size_constraint(1, 31))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwLocalUserVpnInstance.setStatus('current')
hw_local_user_access_limit_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10, 1, 15), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 4294967295))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwLocalUserAccessLimitNum.setStatus('current')
hw_local_user_password_lifetime_min = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10, 1, 16), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwLocalUserPasswordLifetimeMin.setStatus('current')
hw_local_user_password_lifetime_max = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10, 1, 17), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwLocalUserPasswordLifetimeMax.setStatus('current')
hw_local_user_if_allow_weak_password = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10, 1, 18), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('notallow', 1), ('allow', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwLocalUserIfAllowWeakPassword.setStatus('current')
hw_local_user_password_set_time = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10, 1, 19), display_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwLocalUserPasswordSetTime.setStatus('current')
hw_local_user_password_expire_time = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10, 1, 20), display_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwLocalUserPasswordExpireTime.setStatus('current')
hw_local_user_password_is_expired = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10, 1, 21), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('notExpired', 0), ('expired', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwLocalUserPasswordIsExpired.setStatus('current')
hw_local_user_password_is_orginal = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 10, 1, 22), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('notOrginal', 0), ('orginal', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwLocalUserPasswordIsOrginal.setStatus('current')
hw_local_user_ext_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 11))
if mibBuilder.loadTexts:
hwLocalUserExtTable.setStatus('current')
hw_local_user_ext_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 11, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwLocalUserName'))
if mibBuilder.loadTexts:
hwLocalUserExtEntry.setStatus('current')
hw_local_user_state = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 11, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('block', 0), ('active', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwLocalUserState.setStatus('current')
hw_local_user_no_call_back_verify = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 11, 1, 3), truth_value()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwLocalUserNoCallBackVerify.setStatus('current')
hw_local_user_call_back_dial_str = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 11, 1, 4), display_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwLocalUserCallBackDialStr.setStatus('current')
hw_local_user_block_fail_times = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 11, 1, 5), integer32().subtype(subtypeSpec=value_range_constraint(0, 10))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwLocalUserBlockFailTimes.setStatus('current')
hw_local_user_block_interval = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 11, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwLocalUserBlockInterval.setStatus('current')
hw_local_user_user_group = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 11, 1, 7), display_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwLocalUserUserGroup.setStatus('current')
hw_local_user_device_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 11, 1, 8), display_string().subtype(subtypeSpec=value_size_constraint(1, 256))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwLocalUserDeviceType.setStatus('current')
hw_local_user_expire_date = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 11, 1, 9), display_string().subtype(subtypeSpec=value_size_constraint(1, 10))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwLocalUserExpireDate.setStatus('current')
hw_local_user_idle_timeout_second = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 11, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwLocalUserIdleTimeoutSecond.setStatus('current')
hw_local_user_time_range = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 11, 1, 11), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwLocalUserTimeRange.setStatus('current')
hw_aaa_setting = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13))
hw_aaa_setting_entry = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1))
hw_roam_char = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 1), display_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwRoamChar.setStatus('current')
hw_global_control = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 2), truth_value()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwGlobalControl.setStatus('current')
hw_system_record = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwSystemRecord.setStatus('current')
hw_outbound_record = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 4), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwOutboundRecord.setStatus('current')
hw_cmd_record = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 5), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwCmdRecord.setStatus('current')
hw_ppp_user_offline_standardize = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 6), truth_value()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwPPPUserOfflineStandardize.setStatus('current')
hw_domain_name_parse_direction = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('lefttoright', 0), ('righttoleft', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwDomainNameParseDirection.setStatus('current')
hw_domain_name_location = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('beforedelimiter', 0), ('afterdelimiter', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwDomainNameLocation.setStatus('current')
hw_access_speed_number = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 9), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwAccessSpeedNumber.setStatus('current')
hw_access_speed_period = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwAccessSpeedPeriod.setStatus('current')
hw_realm_name_char = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 11), display_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwRealmNameChar.setStatus('current')
hw_realm_parse_direction = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('lefttoright', 0), ('righttoleft', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwRealmParseDirection.setStatus('current')
hw_ipo_xpassword = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 14), display_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwIPOXpassword.setStatus('current')
hw_access_delay_transition_step = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 16), integer32().subtype(subtypeSpec=value_range_constraint(0, 262144))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwAccessDelayTransitionStep.setStatus('current')
hw_access_delay_time = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 17), integer32().subtype(subtypeSpec=value_range_constraint(0, 2550))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwAccessDelayTime.setStatus('current')
hw_access_delay_min_time = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 18), integer32().subtype(subtypeSpec=value_range_constraint(0, 2550))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwAccessDelayMinTime.setStatus('current')
hw_parse_priority = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 19), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('domainfirst', 0), ('realmfirst', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwParsePriority.setStatus('current')
hw_realm_name_location = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 20), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('beforedelimiter', 0), ('afterdelimiter', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwRealmNameLocation.setStatus('current')
hw_ipox_username_option82 = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 21), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4))).clone(namedValues=named_values(('none', 0), ('first', 1), ('second', 2), ('third', 3), ('fourth', 4)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwIPOXUsernameOption82.setStatus('current')
hw_ipox_username_ip = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 22), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4))).clone(namedValues=named_values(('none', 0), ('first', 1), ('second', 2), ('third', 3), ('fourth', 4)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwIPOXUsernameIP.setStatus('current')
hw_ipox_username_sysname = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 23), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4))).clone(namedValues=named_values(('none', 0), ('first', 1), ('second', 2), ('third', 3), ('fourth', 4)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwIPOXUsernameSysname.setStatus('current')
hw_ipox_username_mac = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 24), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4))).clone(namedValues=named_values(('none', 0), ('first', 1), ('second', 2), ('third', 3), ('fourth', 4)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwIPOXUsernameMAC.setStatus('current')
hw_default_user_name = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 25), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwDefaultUserName.setStatus('current')
hw_nas_serial = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 26), display_string().subtype(subtypeSpec=value_size_constraint(1, 31))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwNasSerial.setStatus('current')
hw_aaa_password_repeat_number = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 27), integer32().subtype(subtypeSpec=value_range_constraint(0, 12))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwAAAPasswordRepeatNumber.setStatus('current')
hw_aaa_password_remind_day = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 28), integer32().subtype(subtypeSpec=value_range_constraint(1, 90))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwAAAPasswordRemindDay.setStatus('current')
hw_online_user_num_lower_limit_threshold = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 29), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 99), value_range_constraint(255, 255))).clone(255)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwOnlineUserNumLowerLimitThreshold.setStatus('current')
hw_online_user_num_upper_limit_threshold = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 30), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(1, 100), value_range_constraint(255, 255))).clone(255)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwOnlineUserNumUpperLimitThreshold.setStatus('current')
hw_trigger_loose = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 31), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 1440), value_range_constraint(4294967295, 4294967295))).clone(120)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwTriggerLoose.setStatus('current')
hw_offline_speed_number = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 32), integer32().subtype(subtypeSpec=value_range_constraint(50, 256))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwOfflineSpeedNumber.setStatus('current')
hw_ipo_xpassword_key_type = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 33), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('simple', 1), ('cipher', 2))).clone(2)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwIPOXpasswordKeyType.setStatus('current')
hw_reauthorize_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 34), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwReauthorizeEnable.setStatus('current')
hw_domain_name_delimiter = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 35), display_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwDomainNameDelimiter.setStatus('current')
hw_domain_name_security_delimiter = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 36), display_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwDomainNameSecurityDelimiter.setStatus('current')
hw_global_auth_event_auth_fail_response_fail = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 37), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwGlobalAuthEventAuthFailResponseFail.setStatus('current')
hw_global_auth_event_auth_fail_vlan = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 38), integer32().subtype(subtypeSpec=value_range_constraint(0, 4094))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwGlobalAuthEventAuthFailVlan.setStatus('current')
hw_global_auth_event_authen_server_down_response_fail = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 39), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwGlobalAuthEventAuthenServerDownResponseFail.setStatus('current')
hw_global_auth_event_authen_server_down_vlan = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 40), integer32().subtype(subtypeSpec=value_range_constraint(0, 4094))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwGlobalAuthEventAuthenServerDownVlan.setStatus('current')
hw_global_auth_event_client_no_response_vlan = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 41), integer32().subtype(subtypeSpec=value_range_constraint(0, 4094))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwGlobalAuthEventClientNoResponseVlan.setStatus('current')
hw_global_auth_event_pre_auth_vlan = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 42), integer32().subtype(subtypeSpec=value_range_constraint(0, 4094))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwGlobalAuthEventPreAuthVlan.setStatus('current')
hw_global_auth_event_auth_fail_user_group = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 43), octet_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwGlobalAuthEventAuthFailUserGroup.setStatus('current')
hw_global_auth_event_authen_server_down_user_group = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 44), octet_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwGlobalAuthEventAuthenServerDownUserGroup.setStatus('current')
hw_global_auth_event_client_no_response_user_group = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 45), octet_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwGlobalAuthEventClientNoResponseUserGroup.setStatus('current')
hw_global_auth_event_pre_auth_user_group = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 46), octet_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwGlobalAuthEventPreAuthUserGroup.setStatus('current')
hw_author_modify_mode = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 47), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('overlay', 0), ('modify', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwAuthorModifyMode.setStatus('current')
hw_local_retry_interval = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 48), integer32().subtype(subtypeSpec=value_range_constraint(5, 65535))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwLocalRetryInterval.setStatus('current')
hw_local_retry_time = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 49), integer32().subtype(subtypeSpec=value_range_constraint(3, 65535))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwLocalRetryTime.setStatus('current')
hw_local_block_time = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 50), integer32().subtype(subtypeSpec=value_range_constraint(5, 65535))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwLocalBlockTime.setStatus('current')
hw_remote_retry_interval = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 51), integer32().subtype(subtypeSpec=value_range_constraint(5, 65535))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwRemoteRetryInterval.setStatus('current')
hw_remote_retry_time = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 52), integer32().subtype(subtypeSpec=value_range_constraint(3, 65535))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwRemoteRetryTime.setStatus('current')
hw_remote_block_time = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 53), integer32().subtype(subtypeSpec=value_range_constraint(5, 65535))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwRemoteBlockTime.setStatus('current')
hw_block_disable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 13, 1, 54), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('localuser', 0), ('remoteuser', 1), ('localremoteuser', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwBlockDisable.setStatus('current')
hw_aaa_stat = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14))
hw_aaa_stat_entry = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1))
hw_total_online_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwTotalOnlineNum.setStatus('current')
hw_total_pp_poe_online_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwTotalPPPoeOnlineNum.setStatus('current')
hw_total_pp_po_a_online_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwTotalPPPoAOnlineNum.setStatus('current')
hw_totalftp_online_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 4), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwTotalftpOnlineNum.setStatus('current')
hw_totalssh_online_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 5), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwTotalsshOnlineNum.setStatus('current')
hw_totaltelnet_online_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 6), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwTotaltelnetOnlineNum.setStatus('current')
hw_total_vlan_online_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 7), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwTotalVLANOnlineNum.setStatus('current')
hw_historic_max_online_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 8), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwHistoricMaxOnlineNum.setStatus('current')
hw_reset_historic_max_online_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0))).clone(namedValues=named_values(('reset', 0)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwResetHistoricMaxOnlineNum.setStatus('current')
hw_reset_offline_reason_statistic = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0))).clone(namedValues=named_values(('reset', 0)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwResetOfflineReasonStatistic.setStatus('current')
hw_reset_online_fail_reason_statistic = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0))).clone(namedValues=named_values(('reset', 0)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwResetOnlineFailReasonStatistic.setStatus('current')
hw_max_pp_poe_online_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 12), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwMaxPPPoeOnlineNum.setStatus('current')
hw_total_portal_server_user_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 13), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwTotalPortalServerUserNum.setStatus('current')
hw_max_portal_server_user_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 14), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwMaxPortalServerUserNum.setStatus('current')
hw_total_i_pv4_online_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 15), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwTotalIPv4OnlineNum.setStatus('current')
hw_total_i_pv6_online_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 16), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwTotalIPv6OnlineNum.setStatus('current')
hw_total_dual_stack_online_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 17), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwTotalDualStackOnlineNum.setStatus('current')
hw_total_i_pv4_flow_dn_byte = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 18), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwTotalIPv4FlowDnByte.setStatus('current')
hw_total_i_pv4_flow_dn_pkt = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 19), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwTotalIPv4FlowDnPkt.setStatus('current')
hw_total_i_pv4_flow_up_byte = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 20), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwTotalIPv4FlowUpByte.setStatus('current')
hw_total_i_pv4_flow_up_pkt = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 21), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwTotalIPv4FlowUpPkt.setStatus('current')
hw_total_i_pv6_flow_dn_byte = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 22), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwTotalIPv6FlowDnByte.setStatus('current')
hw_total_i_pv6_flow_dn_pkt = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 23), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwTotalIPv6FlowDnPkt.setStatus('current')
hw_total_i_pv6_flow_up_byte = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 24), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwTotalIPv6FlowUpByte.setStatus('current')
hw_total_i_pv6_flow_up_pkt = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 25), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwTotalIPv6FlowUpPkt.setStatus('current')
hw_historic_max_online_acct_ready_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 26), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwHistoricMaxOnlineAcctReadyNum.setStatus('current')
hw_pubic_lac_user_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 27), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwPubicLacUserNum.setStatus('current')
hw_historic_max_online_local_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 28), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwHistoricMaxOnlineLocalNum.setStatus('current')
hw_historic_max_online_remote_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 29), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwHistoricMaxOnlineRemoteNum.setStatus('current')
hw_total_lac_online_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 30), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwTotalLacOnlineNum.setStatus('current')
hw_total_lns_online_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 31), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwTotalLnsOnlineNum.setStatus('current')
hw_total_wls_online_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 32), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwTotalWlsOnlineNum.setStatus('current')
hw_total_wrd_online_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 33), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwTotalWrdOnlineNum.setStatus('current')
hw_dhcp_user_online_fail_count = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 14, 1, 34), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwDhcpUserOnlineFailCount.setStatus('current')
hw_access_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15))
if mibBuilder.loadTexts:
hwAccessTable.setStatus('current')
hw_access_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwAccessIndex'))
if mibBuilder.loadTexts:
hwAccessEntry.setStatus('current')
hw_access_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 1000000))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessIndex.setStatus('current')
hw_access_user_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(1, 253))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessUserName.setStatus('current')
hw_access_port_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=named_values(('all', 1), ('ppp', 2), ('vlan', 3), ('vlanweb', 4), ('vlanportal', 5), ('vlan8021x', 6), ('telnet', 7), ('ftp', 8), ('ssh', 9), ('igmp', 10)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessPortType.setStatus('current')
hw_access_priority = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 6), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 15), value_range_constraint(255, 255)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessPriority.setStatus('current')
hw_access_slot_no = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 8), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessSlotNo.setStatus('current')
hw_access_sub_slot_no = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 9), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessSubSlotNo.setStatus('current')
hw_access_port_no = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 10), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessPortNo.setStatus('current')
hw_access_vlanid = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 11), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessVLANID.setStatus('current')
hw_access_pvc = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 12), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessPVC.setStatus('current')
hw_access_authen_method = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=named_values(('local', 1), ('noauth', 2), ('radius', 3), ('localRadius', 4), ('radiusLocal', 5), ('radiusNoauth', 6), ('tacacs', 7), ('localTacacs', 8), ('tacacsLocal', 9), ('tacacsNone', 10)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessAuthenMethod.setStatus('current')
hw_access_acct_method = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 14), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('local', 1), ('radius', 2), ('noacct', 3), ('localradiusboth', 4), ('hwtacacs', 5), ('localhwtacacsboth', 6)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessAcctMethod.setStatus('current')
hw_access_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 15), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessIPAddress.setStatus('current')
hw_access_vrf = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 16), display_string().subtype(subtypeSpec=value_size_constraint(1, 31))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessVRF.setStatus('current')
hw_access_mac_address = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 17), mac_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessMACAddress.setStatus('current')
hw_access_if_idle_cut = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 18), truth_value()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessIfIdleCut.setStatus('current')
hw_access_idle_cut_time = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 19), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessIdleCutTime.setStatus('current')
hw_access_idle_cut_flow = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 20), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessIdleCutFlow.setStatus('current')
hw_access_time_limit = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 21), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessTimeLimit.setStatus('current')
hw_access_total_flow64_limit = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 22), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessTotalFlow64Limit.setStatus('current')
hw_access_start_time = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 25), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessStartTime.setStatus('current')
hw_access_car_if_up_active = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 27), truth_value()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessCARIfUpActive.setStatus('current')
hw_access_car_if_dn_active = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 31), truth_value()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessCARIfDnActive.setStatus('current')
hw_access_up_flow64 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 36), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessUpFlow64.setStatus('current')
hw_access_dn_flow64 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 37), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessDnFlow64.setStatus('current')
hw_access_up_packet64 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 38), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessUpPacket64.setStatus('current')
hw_access_dn_packet64 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 39), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessDnPacket64.setStatus('current')
hw_access_car_up_cir = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 45), integer32().subtype(subtypeSpec=value_range_constraint(16, 10000000))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessCARUpCIR.setStatus('current')
hw_access_car_up_pir = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 46), integer32().subtype(subtypeSpec=value_range_constraint(16, 10000000))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessCARUpPIR.setStatus('current')
hw_access_car_up_cbs = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 47), unsigned32().subtype(subtypeSpec=value_range_constraint(100, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessCARUpCBS.setStatus('current')
hw_access_car_up_pbs = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 48), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessCARUpPBS.setStatus('current')
hw_access_car_dn_cir = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 49), integer32().subtype(subtypeSpec=value_range_constraint(16, 10000000))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessCARDnCIR.setStatus('current')
hw_access_car_dn_pir = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 50), integer32().subtype(subtypeSpec=value_range_constraint(16, 10000000))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessCARDnPIR.setStatus('current')
hw_access_car_dn_cbs = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 51), unsigned32().subtype(subtypeSpec=value_range_constraint(100, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessCARDnCBS.setStatus('current')
hw_access_car_dn_pbs = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 52), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessCARDnPBS.setStatus('current')
hw_access_down_priority = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 53), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 15), value_range_constraint(255, 255)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessDownPriority.setStatus('current')
hw_access_qos_profile = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 56), display_string().subtype(subtypeSpec=value_size_constraint(1, 63))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwAccessQosProfile.setStatus('current')
hw_access_interface = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 57), display_string().subtype(subtypeSpec=value_size_constraint(1, 63))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessInterface.setStatus('current')
hw_access_i_pv6_ifid = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 58), ipv6_address_if_identifier()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessIPv6IFID.setStatus('current')
hw_access_i_pv6_wan_address = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 59), ipv6_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessIPv6WanAddress.setStatus('current')
hw_access_i_pv6_wan_prefix = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 60), ipv6_address_prefix()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessIPv6WanPrefix.setStatus('current')
hw_access_i_pv6_lan_prefix = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 61), ipv6_address_prefix()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessIPv6LanPrefix.setStatus('current')
hw_access_i_pv6_lan_prefix_len = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 62), integer32().subtype(subtypeSpec=value_range_constraint(0, 128))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessIPv6LanPrefixLen.setStatus('current')
hw_access_basic_ip_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 63), display_string().subtype(subtypeSpec=value_size_constraint(1, 3))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessBasicIPType.setStatus('current')
hw_access_i_pv6_wait_delay = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 64), integer32().subtype(subtypeSpec=value_range_constraint(30, 120))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessIPv6WaitDelay.setStatus('current')
hw_access_i_pv6_managed_address_flag = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 65), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ndra', 1), ('dhcpv6', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessIPv6ManagedAddressFlag.setStatus('current')
hw_access_i_pv6_cpifid_available = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 66), truth_value()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessIPv6CPIFIDAvailable.setStatus('current')
hw_access_i_pv6_other_flag = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 67), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ndra', 1), ('dhcpv6', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessIPv6OtherFlag.setStatus('current')
hw_access_i_pv6_cp_assign_ifid = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 68), truth_value()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessIPv6CPAssignIFID.setStatus('current')
hw_access_line_id = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 69), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessLineID.setStatus('current')
hw_access_i_pv6_up_flow64 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 70), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessIPv6UpFlow64.setStatus('current')
hw_access_i_pv6_dn_flow64 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 71), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessIPv6DnFlow64.setStatus('current')
hw_access_i_pv6_up_packet64 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 72), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessIPv6UpPacket64.setStatus('current')
hw_access_i_pv6_dn_packet64 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 73), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessIPv6DnPacket64.setStatus('current')
hw_access_device_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 74), display_string().subtype(subtypeSpec=value_size_constraint(1, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessDeviceName.setStatus('current')
hw_access_device_mac_address = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 75), mac_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessDeviceMACAddress.setStatus('current')
hw_access_device_port_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 76), octet_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessDevicePortName.setStatus('current')
hw_access_apid = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 15, 1, 77), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294836225))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessAPID.setStatus('current')
hw_access_ext_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16))
if mibBuilder.loadTexts:
hwAccessExtTable.setStatus('current')
hw_access_ext_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwAccessIndex'))
if mibBuilder.loadTexts:
hwAccessExtEntry.setStatus('current')
hw_access_ucl_group = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 2), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 1023), value_range_constraint(65535, 65535)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessUCLGroup.setStatus('current')
hw_authentication_state = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(1, 4))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAuthenticationState.setStatus('current')
hw_authorization_state = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 5), integer32().subtype(subtypeSpec=value_range_constraint(1, 4))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAuthorizationState.setStatus('current')
hw_accounting_state = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(1, 7))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccountingState.setStatus('current')
hw_access_domain_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 7), display_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessDomainName.setStatus('current')
hw_idle_time_length = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 8), integer32().subtype(subtypeSpec=value_range_constraint(0, 120))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwIdleTimeLength.setStatus('current')
hw_acct_session_id = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 9), display_string().subtype(subtypeSpec=value_size_constraint(0, 44))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAcctSessionID.setStatus('current')
hw_access_start_acct_time = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 10), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessStartAcctTime.setStatus('current')
hw_access_normal_server_group = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 11), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessNormalServerGroup.setStatus('current')
hw_access_domain_acct_copy_sever_group = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 12), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessDomainAcctCopySeverGroup.setStatus('current')
hw_access_p_vlan_acct_copy_server_group = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 13), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessPVlanAcctCopyServerGroup.setStatus('current')
hw_access_cur_authen_place = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 14), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('none', 0), ('local', 1), ('radius', 2), ('tacacs', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessCurAuthenPlace.setStatus('current')
hw_access_action_flag = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 15), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('idle', 0), ('newuserauth', 1), ('reauth', 2), ('logout', 3), ('leaving', 4), ('authmodify', 5), ('connectup', 6)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessActionFlag.setStatus('current')
hw_access_authtype = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 16), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('none', 0), ('ppp', 1), ('dot1x', 2), ('web', 3), ('bind', 4), ('fast', 5), ('wlan', 6), ('admin', 7), ('tunnel', 8)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessAuthtype.setStatus('current')
hw_access_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 17), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36))).clone(namedValues=named_values(('telnet', 1), ('terminal', 2), ('ssh', 3), ('ftp', 4), ('x25pad', 5), ('ppp', 6), ('pppoe', 7), ('pppoeovlan', 8), ('pppoa', 9), ('pppoeoa', 10), ('pppolns', 11), ('ordinaryvlan', 12), ('eap', 13), ('pnp', 14), ('ip', 15), ('staticvlan', 16), ('layer2leasedline', 17), ('layer2leasedlineuser', 18), ('layer3leasedline', 19), ('pppoeleasedline', 20), ('nmsleasedline', 21), ('proxyleasedline', 22), ('relayleasedline', 23), ('e1pos', 24), ('lactunnel', 25), ('lnstunnel', 26), ('mip', 27), ('deviceuser', 28), ('pppoeor', 29), ('pppoeovlanor', 30), ('ordinaryvlanor', 31), ('http', 32), ('web', 33), ('wlan', 34), ('mac', 35), ('vm', 36)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessType.setStatus('current')
hw_access_online_time = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 18), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessOnlineTime.setStatus('current')
hw_access_domain = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 19), display_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwAccessDomain.setStatus('current')
hw_access_gateway = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 20), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessGateway.setStatus('current')
hw_access_ssid = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 21), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwAccessSSID.setStatus('current')
hw_access_apmac = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 22), mac_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessAPMAC.setStatus('current')
hw_access_cur_accounting_place = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 23), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('none', 1), ('radius', 2), ('tacacs', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessCurAccountingPlace.setStatus('current')
hw_access_cur_author_place = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 24), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('none', 1), ('local', 2), ('ifauthen', 3), ('tacacs', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessCurAuthorPlace.setStatus('current')
hw_access_user_group = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 25), display_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwAccessUserGroup.setStatus('current')
hw_access_resource_insufficient_inbound = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 26), integer32().subtype(subtypeSpec=value_range_constraint(0, 1))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessResourceInsufficientInbound.setStatus('current')
hw_access_resource_insufficient_outbound = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 16, 1, 27), integer32().subtype(subtypeSpec=value_range_constraint(0, 1))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessResourceInsufficientOutbound.setStatus('current')
hw_acct_scheme_ext_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 19))
if mibBuilder.loadTexts:
hwAcctSchemeExtTable.setStatus('current')
hw_acct_scheme_ext_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 19, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwAcctSchemeName'))
if mibBuilder.loadTexts:
hwAcctSchemeExtEntry.setStatus('current')
hw_if_realtime_acct = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 19, 1, 1), truth_value().clone('false')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwIfRealtimeAcct.setStatus('current')
hw_realtime_fail_maxnum = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 19, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 255)).clone(3)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwRealtimeFailMaxnum.setStatus('current')
hw_start_fail_online_if_send_interim = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 19, 1, 4), truth_value().clone('false')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwStartFailOnlineIfSendInterim.setStatus('current')
hw_bill_pool_table = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 21))
hw_bills_pool_volume = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 21, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwBillsPoolVolume.setStatus('current')
hw_bills_pool_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 21, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwBillsPoolNum.setStatus('current')
hw_bills_pool_alarm_threshold = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 21, 3), integer32().subtype(subtypeSpec=value_range_constraint(50, 100))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwBillsPoolAlarmThreshold.setStatus('current')
hw_bills_pool_backup_mode = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 21, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('nobackup', 1), ('tftpmode', 2), ('hdmode', 3), ('cfcardmode', 4)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwBillsPoolBackupMode.setStatus('current')
hw_bills_pool_backup_interval = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 21, 5), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwBillsPoolBackupInterval.setStatus('current')
hw_bills_pool_backup_now = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 21, 6), integer32().subtype(subtypeSpec=value_range_constraint(1, 1))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwBillsPoolBackupNow.setStatus('current')
hw_bills_pool_reset = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 21, 7), integer32().subtype(subtypeSpec=value_range_constraint(1, 1))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwBillsPoolReset.setStatus('current')
hw_bill_tftp_table = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 22))
hw_bills_tftp_srv_ip = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 22, 1), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwBillsTFTPSrvIP.setStatus('current')
hw_bills_tftp_main_file_name = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 22, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 30))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwBillsTFTPMainFileName.setStatus('current')
hw_ucl_grp_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 25))
if mibBuilder.loadTexts:
hwUclGrpTable.setStatus('current')
hw_ucl_grp_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 25, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwUclGrpName'))
if mibBuilder.loadTexts:
hwUclGrpEntry.setStatus('current')
hw_ucl_grp_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 25, 1, 1), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwUclGrpName.setStatus('current')
hw_ucl_grp_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 25, 1, 2), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwUclGrpRowStatus.setStatus('current')
hw_ip_access_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 27))
if mibBuilder.loadTexts:
hwIPAccessTable.setStatus('current')
hw_ip_access_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 27, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwIPAccessIPaddress'), (0, 'HUAWEI-AAA-MIB', 'hwIPAccessVRF'))
if mibBuilder.loadTexts:
hwIPAccessEntry.setStatus('current')
hw_ip_access_i_paddress = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 27, 1, 1), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwIPAccessIPaddress.setStatus('current')
hw_ip_access_cid = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 27, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwIPAccessCID.setStatus('current')
hw_ip_access_vrf = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 27, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(1, 31))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwIPAccessVRF.setStatus('current')
hw_aaa_mib_trap = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2))
hw_aaa_trap_oid = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1))
hw_domain_index = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 1152))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hwDomainIndex.setStatus('current')
hw_hd_freeamount = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 2), integer32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hwHdFreeamount.setStatus('current')
hw_hd_warning_threshold = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 3), integer32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hwHdWarningThreshold.setStatus('current')
hw_user_slot = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 4), integer32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hwUserSlot.setStatus('current')
hw_user_slot_max_num_threshold = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 5), integer32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hwUserSlotMaxNumThreshold.setStatus('current')
hw_online_user_num_threshold = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 6), integer32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hwOnlineUserNumThreshold.setStatus('current')
hw_max_user_threshold_type = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 7), integer32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hwMaxUserThresholdType.setStatus('current')
hw_rbp_change_name = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 8), display_string().subtype(subtypeSpec=value_size_constraint(1, 33))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hwRbpChangeName.setStatus('current')
hw_rbp_old_state = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('init', 0), ('master', 1), ('backup', 2)))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hwRbpOldState.setStatus('current')
hw_rbp_new_state = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('init', 0), ('master', 1), ('backup', 2)))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hwRbpNewState.setStatus('current')
hw_rbp_change_reason = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 11), display_string().subtype(subtypeSpec=value_size_constraint(1, 33))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hwRbpChangeReason.setStatus('current')
hw_rbs_name = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 12), display_string().subtype(subtypeSpec=value_size_constraint(1, 33))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hwRbsName.setStatus('current')
hw_rbs_down_reason = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 13), display_string().subtype(subtypeSpec=value_size_constraint(1, 65))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hwRbsDownReason.setStatus('current')
hw_policy_route_threshold = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 14), integer32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hwPolicyRouteThreshold.setStatus('current')
hw_policy_route = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 15), display_string().subtype(subtypeSpec=value_size_constraint(1, 255))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hwPolicyRoute.setStatus('current')
hw_remote_download_acl_used_value = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 16), integer32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hwRemoteDownloadAclUsedValue.setStatus('current')
hw_remote_download_acl_threshold_value = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 17), integer32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hwRemoteDownloadAclThresholdValue.setStatus('current')
hw_login_failed_times = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 18), integer32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hwLoginFailedTimes.setStatus('current')
hw_statistic_period = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 19), integer32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hwStatisticPeriod.setStatus('current')
hw_user_group_num_threshold = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 20), integer32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hwUserGroupNumThreshold.setStatus('current')
hw_user_group_used_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 21), integer32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hwUserGroupUsedNum.setStatus('current')
hw_aaa_cpu_usage = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 22), integer32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hwAAACpuUsage.setStatus('current')
hw_aaa_user_resource_usage = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 23), integer32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hwAAAUserResourceUsage.setStatus('current')
hw_aaa_session_group_upper_limit_threshold = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 24), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(1, 100), value_range_constraint(255, 255))).clone(255)).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hwAAASessionGroupUpperLimitThreshold.setStatus('current')
hw_aaa_session_group_lower_limit_threshold = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 25), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 99), value_range_constraint(255, 255))).clone(255)).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hwAAASessionGroupLowerLimitThreshold.setStatus('current')
hw_aaa_session_upper_limit_threshold = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 26), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(1, 100), value_range_constraint(255, 255))).clone(255)).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hwAAASessionUpperLimitThreshold.setStatus('current')
hw_aaa_session_lower_limit_threshold = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 27), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 99), value_range_constraint(255, 255))).clone(255)).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hwAAASessionLowerLimitThreshold.setStatus('current')
hw_aaa_timer_expire_major_level_threshold = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 28), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 100))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hwAAATimerExpireMajorLevelThreshold.setStatus('current')
hw_aaa_timer_expire_major_level_resume_threshold = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 29), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 100))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hwAAATimerExpireMajorLevelResumeThreshold.setStatus('current')
hw_aaa_timer_expire_critical_level_threshold = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 30), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 100))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hwAAATimerExpireCriticalLevelThreshold.setStatus('current')
hw_aaa_timer_expire_critical_level_resume_threshold = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 31), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 100))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hwAAATimerExpireCriticalLevelResumeThreshold.setStatus('current')
hw_mac_moved_quiet_user_spec = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 32), integer32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hwMacMovedQuietUserSpec.setStatus('current')
hw_mac_moved_user_percentage = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 33), integer32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hwMacMovedUserPercentage.setStatus('current')
hw_lower_mac_moved_user_percentage = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 34), integer32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hwLowerMacMovedUserPercentage.setStatus('current')
hw_upper_mac_moved_user_percentage = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 35), integer32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hwUpperMacMovedUserPercentage.setStatus('current')
hw_aaa_chasis_i_pv6_address_threshold = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 36), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hwAAAChasisIPv6AddressThreshold.setStatus('current')
hw_aaa_slot_i_pv6_address_threshold = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 1, 37), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hwAAASlotIPv6AddressThreshold.setStatus('current')
hw_aaa_traps_define = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2))
hw_aaa_traps = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0))
hw_user_ip_alloc_alarm = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 1)).setObjects(('HUAWEI-AAA-MIB', 'hwDomainIndex'), ('HUAWEI-AAA-MIB', 'hwDomainName'), ('HUAWEI-AAA-MIB', 'hwPoolWarningThreshold'))
if mibBuilder.loadTexts:
hwUserIPAllocAlarm.setStatus('current')
hw_user_slot_max_num = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 2)).setObjects(('HUAWEI-AAA-MIB', 'hwUserSlot'), ('HUAWEI-AAA-MIB', 'hwUserSlotMaxNumThreshold'))
if mibBuilder.loadTexts:
hwUserSlotMaxNum.setStatus('current')
hw_online_user_num_alarm = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 3)).setObjects(('HUAWEI-AAA-MIB', 'hwOnlineUserNumThreshold'))
if mibBuilder.loadTexts:
hwOnlineUserNumAlarm.setStatus('current')
hw_set_user_qos_profile_fail = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 4)).setObjects(('HUAWEI-AAA-MIB', 'hwAccessIndex'), ('HUAWEI-AAA-MIB', 'hwAccessUserName'), ('HUAWEI-AAA-MIB', 'hwAccessQosProfile'))
if mibBuilder.loadTexts:
hwSetUserQosProfileFail.setStatus('current')
hw_user_max_num = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 5)).setObjects(('HUAWEI-AAA-MIB', 'hwMaxUserThresholdType'), ('HUAWEI-AAA-MIB', 'hwUserSlot'), ('HUAWEI-AAA-MIB', 'hwUserSlotMaxNumThreshold'))
if mibBuilder.loadTexts:
hwUserMaxNum.setStatus('current')
hw_rbp_state_change = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 6)).setObjects(('HUAWEI-AAA-MIB', 'hwRbpChangeName'), ('HUAWEI-AAA-MIB', 'hwRbpOldState'), ('HUAWEI-AAA-MIB', 'hwRbpNewState'), ('HUAWEI-AAA-MIB', 'hwRbpChangeReason'))
if mibBuilder.loadTexts:
hwRbpStateChange.setStatus('current')
hw_rbs_down = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 7)).setObjects(('HUAWEI-AAA-MIB', 'hwRbsName'), ('HUAWEI-AAA-MIB', 'hwRbsDownReason'))
if mibBuilder.loadTexts:
hwRbsDown.setStatus('current')
hw_rbs_up = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 8)).setObjects(('HUAWEI-AAA-MIB', 'hwRbsName'))
if mibBuilder.loadTexts:
hwRbsUp.setStatus('current')
hw_user_i_pv6_address_alloc_alarm = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 9)).setObjects(('HUAWEI-AAA-MIB', 'hwDomainIndex'), ('HUAWEI-AAA-MIB', 'hwDomainName'), ('HUAWEI-AAA-MIB', 'hwIPv6PoolWarningThreshold'))
if mibBuilder.loadTexts:
hwUserIPv6AddressAllocAlarm.setStatus('current')
hw_user_ndra_prefix_alloc_alarm = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 10)).setObjects(('HUAWEI-AAA-MIB', 'hwDomainIndex'), ('HUAWEI-AAA-MIB', 'hwDomainName'), ('HUAWEI-AAA-MIB', 'hwIPv6PoolWarningThreshold'))
if mibBuilder.loadTexts:
hwUserNDRAPrefixAllocAlarm.setStatus('current')
hw_user_delegation_prefix_alloc_alarm = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 11)).setObjects(('HUAWEI-AAA-MIB', 'hwDomainIndex'), ('HUAWEI-AAA-MIB', 'hwDomainName'), ('HUAWEI-AAA-MIB', 'hwIPv6PoolWarningThreshold'))
if mibBuilder.loadTexts:
hwUserDelegationPrefixAllocAlarm.setStatus('current')
hw_user_ip_alloc_alarm_resume = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 12)).setObjects(('HUAWEI-AAA-MIB', 'hwDomainIndex'), ('HUAWEI-AAA-MIB', 'hwDomainName'), ('HUAWEI-AAA-MIB', 'hwPoolWarningThreshold'))
if mibBuilder.loadTexts:
hwUserIPAllocAlarmResume.setStatus('current')
hw_user_i_pv6_address_alloc_alarm_resume = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 13)).setObjects(('HUAWEI-AAA-MIB', 'hwDomainIndex'), ('HUAWEI-AAA-MIB', 'hwDomainName'), ('HUAWEI-AAA-MIB', 'hwIPv6PoolWarningThreshold'))
if mibBuilder.loadTexts:
hwUserIPv6AddressAllocAlarmResume.setStatus('current')
hw_user_ndra_prefix_alloc_alarm_resume = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 14)).setObjects(('HUAWEI-AAA-MIB', 'hwDomainIndex'), ('HUAWEI-AAA-MIB', 'hwDomainName'), ('HUAWEI-AAA-MIB', 'hwIPv6PoolWarningThreshold'))
if mibBuilder.loadTexts:
hwUserNDRAPrefixAllocAlarmResume.setStatus('current')
hw_user_delegation_prefix_alloc_alarm_resume = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 15)).setObjects(('HUAWEI-AAA-MIB', 'hwDomainIndex'), ('HUAWEI-AAA-MIB', 'hwDomainName'), ('HUAWEI-AAA-MIB', 'hwIPv6PoolWarningThreshold'))
if mibBuilder.loadTexts:
hwUserDelegationPrefixAllocAlarmResume.setStatus('current')
hw_online_user_num_upper_limit_alarm = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 16)).setObjects(('HUAWEI-AAA-MIB', 'hwOnlineUserNumUpperLimitThreshold'))
if mibBuilder.loadTexts:
hwOnlineUserNumUpperLimitAlarm.setStatus('current')
hw_online_user_num_upper_limit_resume = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 17)).setObjects(('HUAWEI-AAA-MIB', 'hwOnlineUserNumUpperLimitThreshold'))
if mibBuilder.loadTexts:
hwOnlineUserNumUpperLimitResume.setStatus('current')
hw_online_user_num_lower_limit_alarm = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 18)).setObjects(('HUAWEI-AAA-MIB', 'hwOnlineUserNumLowerLimitThreshold'))
if mibBuilder.loadTexts:
hwOnlineUserNumLowerLimitAlarm.setStatus('current')
hw_online_user_num_lower_limit_resume = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 19)).setObjects(('HUAWEI-AAA-MIB', 'hwOnlineUserNumLowerLimitThreshold'))
if mibBuilder.loadTexts:
hwOnlineUserNumLowerLimitResume.setStatus('current')
hw_ip_lowerlimit_warning_alarm = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 20)).setObjects(('HUAWEI-AAA-MIB', 'hwDomainIndex'), ('HUAWEI-AAA-MIB', 'hwDomainName'), ('HUAWEI-AAA-MIB', 'hwPoolLowerLimitWarningThreshold'))
if mibBuilder.loadTexts:
hwIPLowerlimitWarningAlarm.setStatus('current')
hw_ip_lowerlimit_warning_resume = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 21)).setObjects(('HUAWEI-AAA-MIB', 'hwDomainIndex'), ('HUAWEI-AAA-MIB', 'hwDomainName'), ('HUAWEI-AAA-MIB', 'hwPoolLowerLimitWarningThreshold'))
if mibBuilder.loadTexts:
hwIPLowerlimitWarningResume.setStatus('current')
hw_i_pv6_address_lowerlimit_warning_alarm = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 22)).setObjects(('HUAWEI-AAA-MIB', 'hwDomainIndex'), ('HUAWEI-AAA-MIB', 'hwDomainName'), ('HUAWEI-AAA-MIB', 'hwIPv6PoolLowerLimitWarningThreshold'))
if mibBuilder.loadTexts:
hwIPv6AddressLowerlimitWarningAlarm.setStatus('current')
hw_i_pv6_address_lowerlimit_warning_resume = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 23)).setObjects(('HUAWEI-AAA-MIB', 'hwDomainIndex'), ('HUAWEI-AAA-MIB', 'hwDomainName'), ('HUAWEI-AAA-MIB', 'hwIPv6PoolLowerLimitWarningThreshold'))
if mibBuilder.loadTexts:
hwIPv6AddressLowerlimitWarningResume.setStatus('current')
hw_i_pv6_ndra_prefix_lowerlimit_warning_alarm = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 24)).setObjects(('HUAWEI-AAA-MIB', 'hwDomainIndex'), ('HUAWEI-AAA-MIB', 'hwDomainName'), ('HUAWEI-AAA-MIB', 'hwIPv6PoolLowerLimitWarningThreshold'))
if mibBuilder.loadTexts:
hwIPv6NDRAPrefixLowerlimitWarningAlarm.setStatus('current')
hw_i_pv6_ndra_prefix_lowerlimit_warning_resume = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 25)).setObjects(('HUAWEI-AAA-MIB', 'hwDomainIndex'), ('HUAWEI-AAA-MIB', 'hwDomainName'), ('HUAWEI-AAA-MIB', 'hwIPv6PoolLowerLimitWarningThreshold'))
if mibBuilder.loadTexts:
hwIPv6NDRAPrefixLowerlimitWarningResume.setStatus('current')
hw_i_pv6_pd_prefix_lowerlimit_warning_alarm = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 26)).setObjects(('HUAWEI-AAA-MIB', 'hwDomainIndex'), ('HUAWEI-AAA-MIB', 'hwDomainName'), ('HUAWEI-AAA-MIB', 'hwIPv6PoolLowerLimitWarningThreshold'))
if mibBuilder.loadTexts:
hwIPv6PDPrefixLowerlimitWarningAlarm.setStatus('current')
hw_i_pv6_pd_prefix_lowerlimit_warning_resume = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 27)).setObjects(('HUAWEI-AAA-MIB', 'hwDomainIndex'), ('HUAWEI-AAA-MIB', 'hwDomainName'), ('HUAWEI-AAA-MIB', 'hwIPv6PoolLowerLimitWarningThreshold'))
if mibBuilder.loadTexts:
hwIPv6PDPrefixLowerlimitWarningResume.setStatus('current')
hw_policy_route_slot_max_num = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 28)).setObjects(('HUAWEI-AAA-MIB', 'hwAccessSlotNo'), ('HUAWEI-AAA-MIB', 'hwPolicyRouteThreshold'), ('HUAWEI-AAA-MIB', 'hwAccessIndex'), ('HUAWEI-AAA-MIB', 'hwPolicyRoute'))
if mibBuilder.loadTexts:
hwPolicyRouteSlotMaxNum.setStatus('current')
hw_remote_download_acl_threshold_alarm = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 29)).setObjects(('HUAWEI-AAA-MIB', 'hwRemoteDownloadAclUsedValue'), ('HUAWEI-AAA-MIB', 'hwRemoteDownloadAclThresholdValue'))
if mibBuilder.loadTexts:
hwRemoteDownloadAclThresholdAlarm.setStatus('current')
hw_remote_download_acl_threshold_resume = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 30)).setObjects(('HUAWEI-AAA-MIB', 'hwRemoteDownloadAclUsedValue'), ('HUAWEI-AAA-MIB', 'hwRemoteDownloadAclThresholdValue'))
if mibBuilder.loadTexts:
hwRemoteDownloadAclThresholdResume.setStatus('current')
hw_admin_login_failed = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 31)).setObjects(('HUAWEI-AAA-MIB', 'hwLoginFailedTimes'), ('HUAWEI-AAA-MIB', 'hwStatisticPeriod'))
if mibBuilder.loadTexts:
hwAdminLoginFailed.setStatus('current')
hw_admin_login_failed_clear = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 32)).setObjects(('HUAWEI-AAA-MIB', 'hwLoginFailedTimes'), ('HUAWEI-AAA-MIB', 'hwStatisticPeriod'))
if mibBuilder.loadTexts:
hwAdminLoginFailedClear.setStatus('current')
hw_user_group_threshold_alarm = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 33)).setObjects(('HUAWEI-AAA-MIB', 'hwUserGroupNumThreshold'), ('HUAWEI-AAA-MIB', 'hwUserGroupUsedNum'))
if mibBuilder.loadTexts:
hwUserGroupThresholdAlarm.setStatus('current')
hw_user_group_threshold_resume = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 34)).setObjects(('HUAWEI-AAA-MIB', 'hwUserGroupNumThreshold'), ('HUAWEI-AAA-MIB', 'hwUserGroupUsedNum'))
if mibBuilder.loadTexts:
hwUserGroupThresholdResume.setStatus('current')
hw_edsg_license_expire_alarm = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 35))
if mibBuilder.loadTexts:
hwEDSGLicenseExpireAlarm.setStatus('current')
hw_edsg_license_expire_resume = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 36))
if mibBuilder.loadTexts:
hwEDSGLicenseExpireResume.setStatus('current')
hw_aaa_access_user_resource_or_cpu_alarm = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 37)).setObjects(('HUAWEI-AAA-MIB', 'hwUserSlot'), ('HUAWEI-AAA-MIB', 'hwAAACpuUsage'), ('HUAWEI-AAA-MIB', 'hwAAAUserResourceUsage'))
if mibBuilder.loadTexts:
hwAAAAccessUserResourceOrCpuAlarm.setStatus('current')
hw_aaa_access_user_resource_or_cpu_resume = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 38)).setObjects(('HUAWEI-AAA-MIB', 'hwUserSlot'), ('HUAWEI-AAA-MIB', 'hwAAACpuUsage'), ('HUAWEI-AAA-MIB', 'hwAAAUserResourceUsage'))
if mibBuilder.loadTexts:
hwAAAAccessUserResourceOrCpuResume.setStatus('current')
hw_aaa_session_group_upper_limit_alarm = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 39)).setObjects(('HUAWEI-AAA-MIB', 'hwAAASessionGroupUpperLimitThreshold'))
if mibBuilder.loadTexts:
hwAAASessionGroupUpperLimitAlarm.setStatus('current')
hw_aaa_session_group_upper_limit_resume = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 40)).setObjects(('HUAWEI-AAA-MIB', 'hwAAASessionGroupUpperLimitThreshold'))
if mibBuilder.loadTexts:
hwAAASessionGroupUpperLimitResume.setStatus('current')
hw_aaa_session_group_lower_limit_alarm = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 41)).setObjects(('HUAWEI-AAA-MIB', 'hwAAASessionGroupLowerLimitThreshold'))
if mibBuilder.loadTexts:
hwAAASessionGroupLowerLimitAlarm.setStatus('current')
hw_aaa_session_group_lower_limit_resume = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 42)).setObjects(('HUAWEI-AAA-MIB', 'hwAAASessionGroupLowerLimitThreshold'))
if mibBuilder.loadTexts:
hwAAASessionGroupLowerLimitResume.setStatus('current')
hw_aaa_online_sessoin_upper_limit_alarm = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 43)).setObjects(('HUAWEI-AAA-MIB', 'hwAAASessionUpperLimitThreshold'))
if mibBuilder.loadTexts:
hwAAAOnlineSessoinUpperLimitAlarm.setStatus('current')
hw_aaa_online_sessoin_upper_limit_resume = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 44)).setObjects(('HUAWEI-AAA-MIB', 'hwAAASessionUpperLimitThreshold'))
if mibBuilder.loadTexts:
hwAAAOnlineSessoinUpperLimitResume.setStatus('current')
hw_aaa_online_sessoin_lower_limit_alarm = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 45)).setObjects(('HUAWEI-AAA-MIB', 'hwAAASessionLowerLimitThreshold'))
if mibBuilder.loadTexts:
hwAAAOnlineSessoinLowerLimitAlarm.setStatus('current')
hw_aaa_online_sessoin_lower_limit_resume = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 46)).setObjects(('HUAWEI-AAA-MIB', 'hwAAASessionLowerLimitThreshold'))
if mibBuilder.loadTexts:
hwAAAOnlineSessoinLowerLimitResume.setStatus('current')
hw_aaa_slot_online_user_num_alarm = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 47)).setObjects(('HUAWEI-AAA-MIB', 'hwUserSlot'), ('HUAWEI-AAA-MIB', 'hwUserSlotMaxNumThreshold'))
if mibBuilder.loadTexts:
hwAAASlotOnlineUserNumAlarm.setStatus('current')
hw_aaa_slot_online_user_num_resume = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 48)).setObjects(('HUAWEI-AAA-MIB', 'hwUserSlot'), ('HUAWEI-AAA-MIB', 'hwUserSlotMaxNumThreshold'))
if mibBuilder.loadTexts:
hwAAASlotOnlineUserNumResume.setStatus('current')
hw_aaa_timer_expire_major_level_alarm = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 49)).setObjects(('HUAWEI-AAA-MIB', 'hwAAATimerExpireMajorLevelThreshold'))
if mibBuilder.loadTexts:
hwAAATimerExpireMajorLevelAlarm.setStatus('current')
hw_aaa_timer_expire_major_level_resume = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 50)).setObjects(('HUAWEI-AAA-MIB', 'hwAAATimerExpireMajorLevelResumeThreshold'))
if mibBuilder.loadTexts:
hwAAATimerExpireMajorLevelResume.setStatus('current')
hw_aaa_timer_expire_critical_level_alarm = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 51)).setObjects(('HUAWEI-AAA-MIB', 'hwAAATimerExpireCriticalLevelThreshold'))
if mibBuilder.loadTexts:
hwAAATimerExpireCriticalLevelAlarm.setStatus('current')
hw_aaa_timer_expire_critical_level_resume = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 52)).setObjects(('HUAWEI-AAA-MIB', 'hwAAATimerExpireCriticalLevelResumeThreshold'))
if mibBuilder.loadTexts:
hwAAATimerExpireCriticalLevelResume.setStatus('current')
hw_mac_moved_quiet_max_user_alarm = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 53)).setObjects(('HUAWEI-AAA-MIB', 'hwMacMovedQuietUserSpec'), ('HUAWEI-AAA-MIB', 'hwMacMovedUserPercentage'), ('HUAWEI-AAA-MIB', 'hwLowerMacMovedUserPercentage'), ('HUAWEI-AAA-MIB', 'hwUpperMacMovedUserPercentage'))
if mibBuilder.loadTexts:
hwMacMovedQuietMaxUserAlarm.setStatus('current')
hw_mac_moved_quiet_user_clear_alarm = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 54)).setObjects(('HUAWEI-AAA-MIB', 'hwMacMovedQuietUserSpec'), ('HUAWEI-AAA-MIB', 'hwMacMovedUserPercentage'), ('HUAWEI-AAA-MIB', 'hwLowerMacMovedUserPercentage'), ('HUAWEI-AAA-MIB', 'hwUpperMacMovedUserPercentage'))
if mibBuilder.loadTexts:
hwMacMovedQuietUserClearAlarm.setStatus('current')
hw_aaa_chasis_i_pv6_address_threshold_alarm = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 55)).setObjects(('HUAWEI-AAA-MIB', 'hwAAAChasisIPv6AddressThreshold'))
if mibBuilder.loadTexts:
hwAAAChasisIPv6AddressThresholdAlarm.setStatus('current')
hw_aaa_chasis_i_pv6_address_threshold_resume = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 56)).setObjects(('HUAWEI-AAA-MIB', 'hwAAAChasisIPv6AddressThreshold'))
if mibBuilder.loadTexts:
hwAAAChasisIPv6AddressThresholdResume.setStatus('current')
hw_aaa_slot_i_pv6_address_threshold_alarm = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 57)).setObjects(('HUAWEI-AAA-MIB', 'hwUserSlot'), ('HUAWEI-AAA-MIB', 'hwAAASlotIPv6AddressThreshold'))
if mibBuilder.loadTexts:
hwAAASlotIPv6AddressThresholdAlarm.setStatus('current')
hw_aaa_slot_i_pv6_address_threshold_resume = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 2, 0, 58)).setObjects(('HUAWEI-AAA-MIB', 'hwUserSlot'), ('HUAWEI-AAA-MIB', 'hwAAASlotIPv6AddressThreshold'))
if mibBuilder.loadTexts:
hwAAASlotIPv6AddressThresholdResume.setStatus('current')
hw_lam_traps_define = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 3))
hw_lam_traps = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 3, 0))
hw_harddiskoverflow = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 3, 0, 1)).setObjects(('HUAWEI-AAA-MIB', 'hwHdFreeamount'), ('HUAWEI-AAA-MIB', 'hwHdWarningThreshold'))
if mibBuilder.loadTexts:
hwHarddiskoverflow.setStatus('current')
hw_harddisk_reach_threshold = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 3, 0, 2)).setObjects(('HUAWEI-AAA-MIB', 'hwHdFreeamount'), ('HUAWEI-AAA-MIB', 'hwHdWarningThreshold'))
if mibBuilder.loadTexts:
hwHarddiskReachThreshold.setStatus('current')
hw_harddisk_ok = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 3, 0, 3)).setObjects(('HUAWEI-AAA-MIB', 'hwHdFreeamount'), ('HUAWEI-AAA-MIB', 'hwHdWarningThreshold'))
if mibBuilder.loadTexts:
hwHarddiskOK.setStatus('current')
hw_cacheto_ftp_fail = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 3, 0, 4)).setObjects(('HUAWEI-AAA-MIB', 'hwHdFreeamount'), ('HUAWEI-AAA-MIB', 'hwHdWarningThreshold'))
if mibBuilder.loadTexts:
hwCachetoFTPFail.setStatus('current')
hw_h_dto_ftp_fail = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 2, 2, 3, 0, 5)).setObjects(('HUAWEI-AAA-MIB', 'hwHdFreeamount'), ('HUAWEI-AAA-MIB', 'hwHdWarningThreshold'))
if mibBuilder.loadTexts:
hwHDtoFTPFail.setStatus('current')
hw_cut_access_user_table = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 28))
hw_cut_start_user_id = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 28, 1), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwCutStartUserID.setStatus('current')
hw_cut_end_user_id = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 28, 2), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwCutEndUserID.setStatus('current')
hw_cut_i_paddress = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 28, 3), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwCutIPaddress.setStatus('current')
hw_cut_mac_addres = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 28, 4), mac_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwCutMacAddres.setStatus('current')
hw_cut_user_name = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 28, 5), display_string().subtype(subtypeSpec=value_size_constraint(1, 253))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwCutUserName.setStatus('current')
hw_cut_user_attri = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 28, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4))).clone(namedValues=named_values(('all', 0), ('noauth', 1), ('local', 2), ('radiusauth', 3), ('hwtacacs', 4)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwCutUserAttri.setStatus('current')
hw_cut_domain = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 28, 7), display_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwCutDomain.setStatus('current')
hw_cut_ip_pool_name = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 28, 8), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwCutIPPoolName.setStatus('current')
hw_cut_if_index = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 28, 9), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwCutIfIndex.setStatus('current')
hw_cut_vlan_id = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 28, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 268308478))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwCutVlanID.setStatus('current')
hw_cut_vpi = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 28, 11), integer32().subtype(subtypeSpec=value_range_constraint(0, 255))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwCutVPI.setStatus('current')
hw_cut_vci = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 28, 12), integer32().subtype(subtypeSpec=value_range_constraint(0, 2047))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwCutVCI.setStatus('current')
hw_cut_vrf = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 28, 13), display_string().subtype(subtypeSpec=value_size_constraint(1, 31))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwCutVRF.setStatus('current')
hw_cut_access_interface = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 28, 14), display_string().subtype(subtypeSpec=value_size_constraint(1, 63))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwCutAccessInterface.setStatus('current')
hw_cut_user_ssid = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 28, 15), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwCutUserSSID.setStatus('current')
hw_cut_access_slot = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 28, 16), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwCutAccessSlot.setStatus('current')
hw_cut_user_group = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 28, 17), display_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwCutUserGroup.setStatus('current')
hw_aaa_call_rate = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 29))
hw_aaa_user_ppp = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 29, 1))
hw_total_connect_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 29, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwTotalConnectNum.setStatus('current')
hw_total_success_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 29, 1, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwTotalSuccessNum.setStatus('current')
hw_total_lcp_fail_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 29, 1, 3), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwTotalLCPFailNum.setStatus('current')
hw_total_authen_fail_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 29, 1, 4), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwTotalAuthenFailNum.setStatus('current')
hw_total_ncp_fail_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 29, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwTotalNCPFailNum.setStatus('current')
hw_total_ip_alloc_fail_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 29, 1, 6), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwTotalIPAllocFailNum.setStatus('current')
hw_total_other_ppp_fail_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 29, 1, 7), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwTotalOtherPPPFailNum.setStatus('current')
hw_aaa_user_weband_fast = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 29, 2))
hw_total_web_connect_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 29, 2, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwTotalWebConnectNum.setStatus('current')
hw_total_success_web_connect_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 29, 2, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwTotalSuccessWebConnectNum.setStatus('current')
hw_aaa_user_dot1_x = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 29, 3))
hw_total_dot1_x_connect_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 29, 3, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwTotalDot1XConnectNum.setStatus('current')
hw_total_success_dot1_x_connect_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 29, 3, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwTotalSuccessDot1XConnectNum.setStatus('current')
hw_aaa_user_bind = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 29, 4))
hw_total_bind_connect_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 29, 4, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwTotalBindConnectNum.setStatus('current')
hw_total_success_bind_connect_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 29, 4, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwTotalSuccessBindConnectNum.setStatus('current')
hw_author_scheme_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 8))
if mibBuilder.loadTexts:
hwAuthorSchemeTable.setStatus('current')
hw_author_scheme_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 8, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwAuthorSchemeName'))
if mibBuilder.loadTexts:
hwAuthorSchemeEntry.setStatus('current')
hw_author_scheme_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 8, 1, 1), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAuthorSchemeName.setStatus('current')
hw_author_method = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 8, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=named_values(('none', 1), ('local', 2), ('hwtacacs', 3), ('ifauthenticated', 4), ('hwtacacsnone', 5), ('hwtacacslocal', 6), ('hwtacacsifauthenticated', 7), ('localnone', 8), ('localhwtacacs', 9), ('localifauthenticated', 10), ('ifauthenticatednone', 11), ('ifauthenticatedlocal', 12), ('ifauthenticatedhwtacacs', 13), ('localhwtacacsnone', 14), ('localifauthenticatednone', 15), ('hwtacacslocalnone', 16), ('hwtacacsifauthenticatednone', 17), ('ifauthenticatedlocalnone', 18), ('ifauthenticatedhwtacacsnone', 19), ('localhwtacacsifauthenticated', 20), ('localifauthenticatedhwtacacs', 21), ('hwtacaslocalifauthenticated', 22), ('hwtacacsifauthenticatedlocal', 23), ('ifauthenticatedlocalhwtacacs', 24), ('ifauthenticatedhwtacacslocal', 25), ('localhwtacacsifauthenticatednone', 26), ('localifauthenticatedhwtacacsnone', 27), ('hwtacaslocalifauthenticatednone', 28), ('hwtacacsifauthenticatedlocalnone', 29), ('ifauthenticatedlocalhwtacacsnone', 30), ('ifauthenticatedhwtacacslocalnone', 31)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwAuthorMethod.setStatus('current')
hw_author_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 8, 1, 3), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwAuthorRowStatus.setStatus('current')
hw_record_scheme_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 30))
if mibBuilder.loadTexts:
hwRecordSchemeTable.setStatus('current')
hw_record_scheme_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 30, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwRecordSchemeName'))
if mibBuilder.loadTexts:
hwRecordSchemeEntry.setStatus('current')
hw_record_scheme_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 30, 1, 1), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwRecordSchemeName.setStatus('current')
hw_record_tac_group_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 30, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwRecordTacGroupName.setStatus('current')
hw_record_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 30, 1, 3), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwRecordRowStatus.setStatus('current')
hw_mac_access_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 31))
if mibBuilder.loadTexts:
hwMACAccessTable.setStatus('current')
hw_mac_access_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 31, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwMACAccessMACAddress'))
if mibBuilder.loadTexts:
hwMACAccessEntry.setStatus('current')
hw_mac_access_mac_address = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 31, 1, 1), mac_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwMACAccessMACAddress.setStatus('current')
hw_mac_access_cid = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 31, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwMACAccessCID.setStatus('current')
hw_slot_connect_num_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 32))
if mibBuilder.loadTexts:
hwSlotConnectNumTable.setStatus('current')
hw_slot_connect_num_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 32, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwSlotConnectNumSlot'))
if mibBuilder.loadTexts:
hwSlotConnectNumEntry.setStatus('current')
hw_slot_connect_num_slot = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 32, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 16))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwSlotConnectNumSlot.setStatus('current')
hw_slot_connect_num_online_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 32, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwSlotConnectNumOnlineNum.setStatus('current')
hw_slot_connect_num_max_online_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 32, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwSlotConnectNumMaxOnlineNum.setStatus('current')
hw_slot_connect_num_max_online_acct_ready_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 32, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwSlotConnectNumMaxOnlineAcctReadyNum.setStatus('current')
hw_slot_card_connect_num_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 33))
if mibBuilder.loadTexts:
hwSlotCardConnectNumTable.setStatus('current')
hw_slot_card_connect_num_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 33, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwSlotCardConnectNumSlot'), (0, 'HUAWEI-AAA-MIB', 'hwSlotCardConnectNumCard'))
if mibBuilder.loadTexts:
hwSlotCardConnectNumEntry.setStatus('current')
hw_slot_card_connect_num_slot = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 33, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 16))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwSlotCardConnectNumSlot.setStatus('current')
hw_slot_card_connect_num_card = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 33, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwSlotCardConnectNumCard.setStatus('current')
hw_slot_card_connect_num_online_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 33, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwSlotCardConnectNumOnlineNum.setStatus('current')
hw_slot_card_connect_num_i_pv4_online_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 33, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwSlotCardConnectNumIPv4OnlineNum.setStatus('current')
hw_slot_card_connect_num_i_pv6_online_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 33, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwSlotCardConnectNumIPv6OnlineNum.setStatus('current')
hw_slot_card_connect_num_dual_online_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 33, 1, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwSlotCardConnectNumDualOnlineNum.setStatus('current')
hw_slot_card_connect_num_no_auth_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 33, 1, 7), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwSlotCardConnectNumNoAuthNum.setStatus('current')
hw_slot_card_connect_num_ppp_auth_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 33, 1, 8), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwSlotCardConnectNumPPPAuthNum.setStatus('current')
hw_slot_card_connect_num8021x_auth_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 33, 1, 9), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwSlotCardConnectNum8021xAuthNum.setStatus('current')
hw_slot_card_connect_num_web_auth_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 33, 1, 10), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwSlotCardConnectNumWebAuthNum.setStatus('current')
hw_slot_card_connect_num_bind_auth_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 33, 1, 11), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwSlotCardConnectNumBindAuthNum.setStatus('current')
hw_slot_card_connect_num_fast_auth_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 33, 1, 12), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwSlotCardConnectNumFastAuthNum.setStatus('current')
hw_slot_card_connect_num_wlan_auth_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 33, 1, 13), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwSlotCardConnectNumWlanAuthNum.setStatus('current')
hw_slot_card_connect_num_admin_auth_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 33, 1, 14), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwSlotCardConnectNumAdminAuthNum.setStatus('current')
hw_slot_card_connect_num_tunnel_auth_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 33, 1, 15), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwSlotCardConnectNumTunnelAuthNum.setStatus('current')
hw_slot_card_connect_num_mip_auth_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 33, 1, 16), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwSlotCardConnectNumMIPAuthNum.setStatus('current')
hw_offline_reason_stat_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 34))
if mibBuilder.loadTexts:
hwOfflineReasonStatTable.setStatus('current')
hw_offline_reason_stat_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 34, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwOfflineReason'))
if mibBuilder.loadTexts:
hwOfflineReasonStatEntry.setStatus('current')
hw_offline_reason = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 34, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 600))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwOfflineReason.setStatus('current')
hw_offline_reason_statistic = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 34, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwOfflineReasonStatistic.setStatus('current')
hw_online_fail_reason_statistic = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 34, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwOnlineFailReasonStatistic.setStatus('current')
hw_multicast_list_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 35))
if mibBuilder.loadTexts:
hwMulticastListTable.setStatus('current')
hw_multicast_list_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 35, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwMulticastListIndex'))
if mibBuilder.loadTexts:
hwMulticastListEntry.setStatus('current')
hw_multicast_list_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 35, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 8191))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwMulticastListIndex.setStatus('current')
hw_multicast_list_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 35, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwMulticastListName.setStatus('current')
hw_multicast_list_source_ip = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 35, 1, 3), ip_address()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwMulticastListSourceIp.setStatus('current')
hw_multicast_list_source_ip_mask = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 35, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwMulticastListSourceIpMask.setStatus('current')
hw_multicast_list_group_ip = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 35, 1, 5), ip_address()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwMulticastListGroupIp.setStatus('current')
hw_multicast_list_group_ip_mask = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 35, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwMulticastListGroupIpMask.setStatus('current')
hw_multicast_list_vpn_instance = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 35, 1, 7), display_string().subtype(subtypeSpec=value_size_constraint(1, 31))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwMulticastListVpnInstance.setStatus('current')
hw_multicast_list_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 35, 1, 8), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwMulticastListRowStatus.setStatus('current')
hw_multicast_profile_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 36))
if mibBuilder.loadTexts:
hwMulticastProfileTable.setStatus('current')
hw_multicast_profile_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 36, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwMulticastProfileIndex'))
if mibBuilder.loadTexts:
hwMulticastProfileEntry.setStatus('current')
hw_multicast_profile_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 36, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 1023))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwMulticastProfileIndex.setStatus('current')
hw_multicast_profile_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 36, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwMulticastProfileName.setStatus('current')
hw_multicast_profile_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 36, 1, 3), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwMulticastProfileRowStatus.setStatus('current')
hw_multicast_profile_ext_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 37))
if mibBuilder.loadTexts:
hwMulticastProfileExtTable.setStatus('current')
hw_multicast_profile_ext_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 37, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwMulticastProfileIndex'), (0, 'HUAWEI-AAA-MIB', 'hwMulticastListIndex'))
if mibBuilder.loadTexts:
hwMulticastProfileExtEntry.setStatus('current')
hw_multicast_list_bind_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 37, 1, 1), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwMulticastListBindName.setStatus('current')
hw_multicast_profile_ext_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 37, 1, 2), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwMulticastProfileExtRowStatus.setStatus('current')
hw_service_scheme_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 38))
if mibBuilder.loadTexts:
hwServiceSchemeTable.setStatus('current')
hw_service_scheme_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 38, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwServiceSchemeName'))
if mibBuilder.loadTexts:
hwServiceSchemeEntry.setStatus('current')
hw_service_scheme_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 38, 1, 1), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwServiceSchemeName.setStatus('current')
hw_service_scheme_next_hop_ip = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 38, 1, 11), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwServiceSchemeNextHopIp.setStatus('current')
hw_service_scheme_user_priority = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 38, 1, 12), integer32().subtype(subtypeSpec=value_range_constraint(0, 255))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwServiceSchemeUserPriority.setStatus('current')
hw_service_scheme_idle_cut_time = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 38, 1, 13), integer32().subtype(subtypeSpec=value_range_constraint(0, 120))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwServiceSchemeIdleCutTime.setStatus('current')
hw_service_scheme_idle_cut_flow = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 38, 1, 14), integer32().subtype(subtypeSpec=value_range_constraint(0, 768000))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwServiceSchemeIdleCutFlow.setStatus('current')
hw_service_scheme_dns_first = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 38, 1, 15), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwServiceSchemeDnsFirst.setStatus('current')
hw_service_scheme_dns_second = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 38, 1, 16), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwServiceSchemeDnsSecond.setStatus('current')
hw_srv_scheme_admin_user_priority = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 38, 1, 17), integer32().subtype(subtypeSpec=value_range_constraint(-1, 15))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwSrvSchemeAdminUserPriority.setStatus('current')
hw_srv_scheme_ip_pool_one_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 38, 1, 18), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwSrvSchemeIpPoolOneName.setStatus('current')
hw_srv_scheme_ip_pool_two_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 38, 1, 19), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwSrvSchemeIpPoolTwoName.setStatus('current')
hw_srv_scheme_ip_pool_three_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 38, 1, 20), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwSrvSchemeIpPoolThreeName.setStatus('current')
hw_service_scheme_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 38, 1, 51), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwServiceSchemeRowStatus.setStatus('current')
hw_service_scheme_idle_cut_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 38, 1, 52), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('inbound', 1), ('outbound', 2), ('both', 3), ('none', 4)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwServiceSchemeIdleCutType.setStatus('current')
hw_service_scheme_idle_cut_flow_value = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 38, 1, 53), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 4294967295))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwServiceSchemeIdleCutFlowValue.setStatus('current')
hw_local_authorize = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 38, 1, 54), display_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwLocalAuthorize.setStatus('current')
hw_remote_authorize = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 38, 1, 55), display_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwRemoteAuthorize.setStatus('current')
hw_dhcp_opt121_route_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 39))
if mibBuilder.loadTexts:
hwDhcpOpt121RouteTable.setStatus('current')
hw_dhcp_opt121_route_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 39, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwDomainName'), (0, 'HUAWEI-AAA-MIB', 'hwDhcpOpt121RouteDestIp'), (0, 'HUAWEI-AAA-MIB', 'hwDhcpOpt121RouteMask'), (0, 'HUAWEI-AAA-MIB', 'hwDhcpOpt121RouteNextHop'))
if mibBuilder.loadTexts:
hwDhcpOpt121RouteEntry.setStatus('current')
hw_dhcp_opt121_route_dest_ip = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 39, 1, 1), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDhcpOpt121RouteDestIp.setStatus('current')
hw_dhcp_opt121_route_mask = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 39, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 32))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDhcpOpt121RouteMask.setStatus('current')
hw_dhcp_opt121_route_next_hop = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 39, 1, 3), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDhcpOpt121RouteNextHop.setStatus('current')
hw_dhcp_opt121_route_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 39, 1, 4), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDhcpOpt121RouteRowStatus.setStatus('current')
hw_access_delay_per_slot_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 40))
if mibBuilder.loadTexts:
hwAccessDelayPerSlotTable.setStatus('current')
hw_access_delay_per_slot_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 40, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwAccessDelayPerSlotSlot'))
if mibBuilder.loadTexts:
hwAccessDelayPerSlotEntry.setStatus('current')
hw_access_delay_per_slot_slot = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 40, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 16))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAccessDelayPerSlotSlot.setStatus('current')
hw_access_delay_per_slot_transition_step = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 40, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 262144))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwAccessDelayPerSlotTransitionStep.setStatus('current')
hw_access_delay_per_slot_max_time = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 40, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 2550))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwAccessDelayPerSlotMaxTime.setStatus('current')
hw_access_delay_per_slot_min_time = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 40, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 2550))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwAccessDelayPerSlotMinTime.setStatus('current')
hw_access_delay_per_slot_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 40, 1, 5), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwAccessDelayPerSlotRowStatus.setStatus('current')
hw_vpn_access_user_stat_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 41))
if mibBuilder.loadTexts:
hwVpnAccessUserStatTable.setStatus('current')
hw_vpn_access_user_stat_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 41, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwUserType'), (0, 'HUAWEI-AAA-MIB', 'hwVpnAccessUserStatVpnName'))
if mibBuilder.loadTexts:
hwVpnAccessUserStatEntry.setStatus('current')
hw_user_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 41, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=named_values(('pppoe', 1), ('pppoa', 2), ('dhcp', 3), ('lns', 4), ('lac', 5), ('ipv4', 6), ('ipv6', 7), ('dualStack', 8), ('all', 9)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwUserType.setStatus('current')
hw_vpn_access_user_stat_vpn_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 41, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwVpnAccessUserStatVpnName.setStatus('current')
hw_vpn_access_user_stat_user_stat = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 41, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 256000))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwVpnAccessUserStatUserStat.setStatus('current')
hw_interface_access_user_stat_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 42))
if mibBuilder.loadTexts:
hwInterfaceAccessUserStatTable.setStatus('current')
hw_interface_access_user_stat_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 42, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwUserType'), (0, 'HUAWEI-AAA-MIB', 'hwInterfaceAccessUserStatInterfaceIndex'))
if mibBuilder.loadTexts:
hwInterfaceAccessUserStatEntry.setStatus('current')
hw_interface_access_user_stat_interface_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 42, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwInterfaceAccessUserStatInterfaceIndex.setStatus('current')
hw_interface_access_user_stat_user_stat = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 42, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 256000))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwInterfaceAccessUserStatUserStat.setStatus('current')
hw_domain_access_user_stat_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 43))
if mibBuilder.loadTexts:
hwDomainAccessUserStatTable.setStatus('current')
hw_domain_access_user_stat_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 43, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwUserType'), (0, 'HUAWEI-AAA-MIB', 'hwDomainName'))
if mibBuilder.loadTexts:
hwDomainAccessUserStatEntry.setStatus('current')
hw_domain_access_user_stat_user_stat = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 43, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 256000))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainAccessUserStatUserStat.setStatus('current')
hw_slot_access_user_stat_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 44))
if mibBuilder.loadTexts:
hwSlotAccessUserStatTable.setStatus('current')
hw_slot_access_user_stat_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 44, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwUserType'), (0, 'HUAWEI-AAA-MIB', 'hwSlotAccessUserStatSlot'))
if mibBuilder.loadTexts:
hwSlotAccessUserStatEntry.setStatus('current')
hw_slot_access_user_stat_slot = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 44, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 16))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwSlotAccessUserStatSlot.setStatus('current')
hw_slot_access_user_stat_user_stat = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 44, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 256000))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwSlotAccessUserStatUserStat.setStatus('current')
hw_domain_include_pool_group_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 45))
if mibBuilder.loadTexts:
hwDomainIncludePoolGroupTable.setStatus('current')
hw_domain_include_pool_group_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 45, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwDomainName'), (0, 'HUAWEI-AAA-MIB', 'hwDomainIncludeIPPoolGroupName'))
if mibBuilder.loadTexts:
hwDomainIncludePoolGroupEntry.setStatus('current')
hw_domain_include_ip_pool_group_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 45, 1, 1), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainIncludeIPPoolGroupName.setStatus('current')
hw_domain_include_ip_pool_group_row_states = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 45, 1, 2), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDomainIncludeIPPoolGroupRowStates.setStatus('current')
hw_domain_ip_pool_move_to_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 46))
if mibBuilder.loadTexts:
hwDomainIPPoolMoveToTable.setStatus('current')
hw_domain_ip_pool_move_to_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 46, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwDomainName'), (0, 'HUAWEI-AAA-MIB', 'hwDomainIncludeIPPoolName'))
if mibBuilder.loadTexts:
hwDomainIPPoolMoveToEntry.setStatus('current')
hw_domain_include_ip_pool_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 46, 1, 1), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDomainIncludeIPPoolName.setStatus('current')
hw_domain_include_ip_pool_moveto = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 46, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 1024))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwDomainIncludeIPPoolMoveto.setStatus('current')
hw_domain_ext2_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 47))
if mibBuilder.loadTexts:
hwDomainExt2Table.setStatus('current')
hw_domain_ext2_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 47, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwDomainName'))
if mibBuilder.loadTexts:
hwDomainExt2Entry.setStatus('current')
hw_red_key_user_mac = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 47, 1, 1), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwRedKeyUserMac.setStatus('current')
hw_if_user_mac_simple = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 47, 1, 2), truth_value().clone('true')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwIfUserMacSimple.setStatus('current')
hw_pool_lower_limit_warning_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 47, 1, 3), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 99), value_range_constraint(255, 255))).clone(255)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwPoolLowerLimitWarningThreshold.setStatus('current')
hw_i_pv6_pool_lower_limit_warning_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 47, 1, 4), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 99), value_range_constraint(255, 255))).clone(255)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwIPv6PoolLowerLimitWarningThreshold.setStatus('current')
hw_aaa_domain_inbound_qo_s_profile = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 47, 1, 5), display_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwAAADomainInboundQoSProfile.setStatus('current')
hw_aaa_domain_outbound_qo_s_profile = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 47, 1, 6), display_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwAAADomainOutboundQoSProfile.setStatus('current')
hw_aaa_domain_inbound_vpn_instance = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 47, 1, 7), display_string().subtype(subtypeSpec=value_size_constraint(1, 31))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwAAADomainInboundVPNInstance.setStatus('current')
hw_aaa_online_fail_record_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48))
if mibBuilder.loadTexts:
hwAAAOnlineFailRecordTable.setStatus('current')
hw_aaa_online_fail_record_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwAAAOnlineFailIndex'))
if mibBuilder.loadTexts:
hwAAAOnlineFailRecordEntry.setStatus('current')
hw_aaa_online_fail_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAAAOnlineFailIndex.setStatus('current')
hw_user_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(1, 253))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwUserName.setStatus('current')
hw_user_domain_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwUserDomainName.setStatus('current')
hw_user_mac = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 4), mac_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwUserMAC.setStatus('current')
hw_user_access_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 5), display_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwUserAccessType.setStatus('current')
hw_user_interface = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 6), display_string().subtype(subtypeSpec=value_size_constraint(1, 63))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwUserInterface.setStatus('current')
hw_user_access_pvc = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 7), display_string().subtype(subtypeSpec=value_size_constraint(1, 63))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwUserAccessPVC.setStatus('current')
hw_user_access_pe_vlan = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 8), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwUserAccessPeVlan.setStatus('current')
hw_user_access_ce_vlan = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 9), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwUserAccessCeVlan.setStatus('current')
hw_user_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 10), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwUserIPAddress.setStatus('current')
hw_user_i_pv6_ndra_prefix = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 11), ipv6_address_prefix()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwUserIPv6NDRAPrefix.setStatus('current')
hw_user_i_pv6_address = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 12), ipv6_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwUserIPv6Address.setStatus('current')
hw_user_i_pv6_pd_prefix = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 13), ipv6_address_prefix()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwUserIPv6PDPrefix.setStatus('current')
hw_user_i_pv6_pd_prefix_length = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 14), integer32().subtype(subtypeSpec=value_range_constraint(0, 128))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwUserIPv6PDPrefixLength.setStatus('current')
hw_user_id = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 15), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwUserID.setStatus('current')
hw_user_authen_state = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 16), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 255))).clone(namedValues=named_values(('authIdle', 0), ('authWait', 1), ('authed', 2), ('unknown', 255)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwUserAuthenState.setStatus('current')
hw_user_acct_state = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 17), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(3, 4, 5, 6, 7, 8, 12, 255))).clone(namedValues=named_values(('acctIdle', 3), ('acctReady', 4), ('acctStartWait', 5), ('acctAccting', 6), ('acctLeavingFlowQuery', 7), ('acctStopWait', 8), ('acctSendForceStopWait', 12), ('unknown', 255)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwUserAcctState.setStatus('current')
hw_user_author_state = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 18), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(9, 10, 11, 255))).clone(namedValues=named_values(('authorIdle', 9), ('authorUserAckWait', 10), ('authorServerAckWait', 11), ('unknown', 255)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwUserAuthorState.setStatus('current')
hw_user_login_time = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 19), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwUserLoginTime.setStatus('current')
hw_online_fail_reason = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 20), display_string().subtype(subtypeSpec=value_size_constraint(1, 80))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwOnlineFailReason.setStatus('current')
hw_reply_message = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 48, 1, 21), display_string().subtype(subtypeSpec=value_size_constraint(1, 63))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwReplyMessage.setStatus('current')
hw_user_log_table = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 49))
hw_user_log_entry = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 49, 1))
hw_user_log_access = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 49, 1, 1), truth_value()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwUserLogAccess.setStatus('current')
hw_user_log_ip_address = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 49, 1, 2), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwUserLogIPAddress.setStatus('current')
hw_user_log_port = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 49, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwUserLogPort.setStatus('current')
hw_user_log_version = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 49, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(1, 2))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwUserLogVersion.setStatus('current')
hw_show_user_log_statistic = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 49, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwShowUserLogStatistic.setStatus('current')
hw_reset_user_log_statistic = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 49, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0))).clone(namedValues=named_values(('reset', 0)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwResetUserLogStatistic.setStatus('current')
hw_reauthorize_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 50))
if mibBuilder.loadTexts:
hwReauthorizeTable.setStatus('current')
hw_reauthorize_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 50, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwReauthorizeUsername'))
if mibBuilder.loadTexts:
hwReauthorizeEntry.setStatus('current')
hw_reauthorize_username = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 50, 1, 1), display_string().subtype(subtypeSpec=value_size_constraint(1, 253))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwReauthorizeUsername.setStatus('current')
hw_reauthorize_usergroup = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 50, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwReauthorizeUsergroup.setStatus('current')
hw_user_group_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51))
if mibBuilder.loadTexts:
hwUserGroupTable.setStatus('current')
hw_user_group_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwUserGroupIndex'))
if mibBuilder.loadTexts:
hwUserGroupEntry.setStatus('current')
hw_user_group_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 128))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwUserGroupIndex.setStatus('current')
hw_user_group_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwUserGroupName.setStatus('current')
hw_acl_id = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwAclId.setStatus('current')
hw_qo_s_profile_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 4), display_string().subtype(subtypeSpec=value_size_constraint(1, 31))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwQoSProfileName.setStatus('current')
hw_inter_isolate_flag = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('true', 1), ('false', 2)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwInterIsolateFlag.setStatus('current')
hw_inner_isolate_flag = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('true', 1), ('false', 2)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwInnerIsolateFlag.setStatus('current')
hw_user_group_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 7), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwUserGroupRowStatus.setStatus('current')
hw_user_vlan = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 8), integer32().subtype(subtypeSpec=value_range_constraint(0, 4094))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwUserVlan.setStatus('current')
hw8021p_remark = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 9), integer32().subtype(subtypeSpec=value_range_constraint(-1, 7))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hw8021pRemark.setStatus('current')
hw_dscp_remark = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(-1, 63))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDscpRemark.setStatus('current')
hw_exp_remark = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 11), integer32().subtype(subtypeSpec=value_range_constraint(-1, 7))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwExpRemark.setStatus('current')
hw_lp_remark = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 12), integer32().subtype(subtypeSpec=value_range_constraint(-1, 7))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwLpRemark.setStatus('current')
hw_user_group_car_cir = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 13), unsigned32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwUserGroupCarCir.setStatus('current')
hw_user_group_car_pir = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 14), unsigned32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwUserGroupCarPir.setStatus('current')
hw_user_group_car_cbs = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 15), unsigned32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwUserGroupCarCbs.setStatus('current')
hw_user_group_car_pbs = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 16), unsigned32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwUserGroupCarPbs.setStatus('current')
hw_user_group_enable = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 17), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwUserGroupEnable.setStatus('current')
hw_user_group_car_in_bound_cir = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 18), unsigned32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwUserGroupCarInBoundCir.setStatus('current')
hw_user_group_car_in_bound_pir = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 19), unsigned32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwUserGroupCarInBoundPir.setStatus('current')
hw_user_group_car_in_bound_cbs = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 20), unsigned32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwUserGroupCarInBoundCbs.setStatus('current')
hw_user_group_car_in_bound_pbs = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 21), unsigned32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwUserGroupCarInBoundPbs.setStatus('current')
hw_user_group_user_vlan_pool = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 51, 1, 22), display_string().subtype(subtypeSpec=value_size_constraint(1, 31))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwUserGroupUserVlanPool.setStatus('current')
hw_aaa_offline_record_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 52))
if mibBuilder.loadTexts:
hwAAAOfflineRecordTable.setStatus('current')
hw_aaa_offline_record_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 52, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwAAAOfflineIndex'))
if mibBuilder.loadTexts:
hwAAAOfflineRecordEntry.setStatus('current')
hw_aaa_offline_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 52, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAAAOfflineIndex.setStatus('current')
hw_offline_record_user_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 52, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(1, 253))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwOfflineRecordUserName.setStatus('current')
hw_offline_record_domain_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 52, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwOfflineRecordDomainName.setStatus('current')
hw_offline_record_user_mac = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 52, 1, 4), mac_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwOfflineRecordUserMAC.setStatus('current')
hw_offline_record_access_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 52, 1, 5), display_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwOfflineRecordAccessType.setStatus('current')
hw_offline_record_interface = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 52, 1, 6), display_string().subtype(subtypeSpec=value_size_constraint(1, 63))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwOfflineRecordInterface.setStatus('current')
hw_offline_record_access_pe_vlan = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 52, 1, 7), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwOfflineRecordAccessPeVlan.setStatus('current')
hw_offline_record_access_ce_vlan = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 52, 1, 8), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwOfflineRecordAccessCeVlan.setStatus('current')
hw_offline_record_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 52, 1, 9), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwOfflineRecordIPAddress.setStatus('current')
hw_offline_record_user_id = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 52, 1, 10), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwOfflineRecordUserID.setStatus('current')
hw_offline_record_user_login_time = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 52, 1, 11), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwOfflineRecordUserLoginTime.setStatus('current')
hw_offline_record_user_logout_time = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 52, 1, 12), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwOfflineRecordUserLogoutTime.setStatus('current')
hw_offline_record_offline_reason = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 52, 1, 13), display_string().subtype(subtypeSpec=value_size_constraint(1, 63))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwOfflineRecordOfflineReason.setStatus('current')
hw_global_dhcp_opt64_sep_and_seg = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 53), display_string().subtype(subtypeSpec=value_size_constraint(1, 5))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwGlobalDhcpOpt64SepAndSeg.setStatus('current')
hw_global_dhcp_server_ack = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 54), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwGlobalDhcpServerAck.setStatus('current')
hw_auth_event_cfg_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 55))
if mibBuilder.loadTexts:
hwAuthEventCfgTable.setStatus('current')
hw_auth_event_cfg_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 55, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwAuthEventPortIndex'))
if mibBuilder.loadTexts:
hwAuthEventCfgEntry.setStatus('current')
hw_auth_event_port_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 55, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAuthEventPortIndex.setStatus('current')
hw_auth_event_auth_fail_response_fail = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 55, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disabel', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwAuthEventAuthFailResponseFail.setStatus('current')
hw_auth_event_auth_fail_vlan = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 55, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 4094))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwAuthEventAuthFailVlan.setStatus('current')
hw_auth_event_authen_server_down_response_fail = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 55, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwAuthEventAuthenServerDownResponseFail.setStatus('current')
hw_auth_event_authen_server_down_vlan = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 55, 1, 5), integer32().subtype(subtypeSpec=value_range_constraint(0, 4094))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwAuthEventAuthenServerDownVlan.setStatus('current')
hw_auth_event_client_no_response_vlan = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 55, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 4094))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwAuthEventClientNoResponseVlan.setStatus('current')
hw_auth_event_pre_auth_vlan = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 55, 1, 7), integer32().subtype(subtypeSpec=value_range_constraint(0, 4094))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwAuthEventPreAuthVlan.setStatus('current')
hw_auth_event_auth_fail_user_group = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 55, 1, 8), octet_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwAuthEventAuthFailUserGroup.setStatus('current')
hw_auth_event_authen_server_down_user_group = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 55, 1, 9), octet_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwAuthEventAuthenServerDownUserGroup.setStatus('current')
hw_auth_event_client_no_response_user_group = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 55, 1, 10), octet_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwAuthEventClientNoResponseUserGroup.setStatus('current')
hw_auth_event_pre_auth_user_group = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 55, 1, 11), octet_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwAuthEventPreAuthUserGroup.setStatus('current')
hw_wlan_interface_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 56))
if mibBuilder.loadTexts:
hwWlanInterfaceTable.setStatus('current')
hw_wlan_interface_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 56, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwWlanInterfaceIndex'))
if mibBuilder.loadTexts:
hwWlanInterfaceEntry.setStatus('current')
hw_wlan_interface_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 56, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwWlanInterfaceIndex.setStatus('current')
hw_wlan_interface_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 56, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwWlanInterfaceName.setStatus('current')
hw_wlan_interface_domain_name_delimiter = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 56, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwWlanInterfaceDomainNameDelimiter.setStatus('current')
hw_wlan_interface_domain_name_security_delimiter = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 56, 1, 4), display_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwWlanInterfaceDomainNameSecurityDelimiter.setStatus('current')
hw_wlan_interface_domain_name_parse_direction = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 56, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('lefttoright', 0), ('righttoleft', 1), ('invalid', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwWlanInterfaceDomainNameParseDirection.setStatus('current')
hw_wlan_interface_domain_name_location = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 56, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('beforedelimiter', 0), ('afterdelimiter', 1), ('invalid', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwWlanInterfaceDomainNameLocation.setStatus('current')
hw_author_cmd_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 57))
if mibBuilder.loadTexts:
hwAuthorCmdTable.setStatus('current')
hw_author_cmd_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 57, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwAuthorSchemeName'), (0, 'HUAWEI-AAA-MIB', 'hwAuthorCmdLevel'))
if mibBuilder.loadTexts:
hwAuthorCmdEntry.setStatus('current')
hw_author_cmd_level = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 57, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 15))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAuthorCmdLevel.setStatus('current')
hw_author_cmd_mode = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 57, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('hwtacacs', 0), ('hwtacacsnone', 1), ('hwtacacslocal', 2), ('hwtacacslocalnone', 3)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwAuthorCmdMode.setStatus('current')
hw_author_cmd_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 57, 1, 3), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwAuthorCmdRowStatus.setStatus('current')
hw_aaa_rate_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 58))
if mibBuilder.loadTexts:
hwAAARateTable.setStatus('current')
hw_aaa_rate_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 58, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwAAARateDirection'), (0, 'HUAWEI-AAA-MIB', 'hwAAARateType'))
if mibBuilder.loadTexts:
hwAAARateEntry.setStatus('current')
hw_aaa_rate_direction = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 58, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('inbound', 1), ('outbound', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAAARateDirection.setStatus('current')
hw_aaa_rate_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 58, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAAARateType.setStatus('current')
hw_aaa_rate_real_peak = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 58, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAAARateRealPeak.setStatus('current')
hw_aaa_rate_real_average = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 58, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAAARateRealAverage.setStatus('current')
hw_aaa_rate_real_used_count = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 58, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAAARateRealUsedCount.setStatus('current')
hw_aaa_rate_real_percent = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 58, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAAARateRealPercent.setStatus('current')
hw_local_user_pw_policy_admin = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 59))
hw_local_user_pw_policy_admin_entry = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 59, 1))
hw_admin_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 59, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disable', 0), ('enable', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwAdminEnable.setStatus('current')
hw_admin_expire = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 59, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 999))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwAdminExpire.setStatus('current')
hw_admin_pw_histroy_record_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 59, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 12))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwAdminPwHistroyRecordNum.setStatus('current')
hw_admin_alert_before = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 59, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 999))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwAdminAlertBefore.setStatus('current')
hw_admin_alert_orginal = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 59, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disable', 0), ('enable', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwAdminAlertOrginal.setStatus('current')
hw_local_user_pw_policy_acc = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 60))
hw_local_user_pw_policy_acc_entry = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 60, 1))
hw_acc_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 60, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disable', 0), ('enable', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwAccEnable.setStatus('current')
hw_acc_pw_histroy_record_num = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 60, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 12))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwAccPwHistroyRecordNum.setStatus('current')
hw_aaa_domain_ip_pool_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 61))
if mibBuilder.loadTexts:
hwAAADomainIPPoolTable.setStatus('current')
hw_aaa_domain_ip_pool_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 61, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwDomainName'), (0, 'HUAWEI-AAA-MIB', 'hwAAADomainIPPoolName'))
if mibBuilder.loadTexts:
hwAAADomainIPPoolEntry.setStatus('current')
hw_aaa_domain_ip_pool_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 61, 1, 1), octet_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAAADomainIPPoolName.setStatus('current')
hw_aaa_domain_ip_pool_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 61, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAAADomainIPPoolIndex.setStatus('current')
hw_aaa_domain_ip_pool_constant_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 61, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 4095))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAAADomainIPPoolConstantIndex.setStatus('current')
hw_aaa_domain_ip_pool_position = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 61, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(1, 1024))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwAAADomainIPPoolPosition.setStatus('current')
hw_aaa_domain_ip_pool_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 61, 1, 50), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwAAADomainIPPoolRowStatus.setStatus('current')
user_authen_profile_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62))
if mibBuilder.loadTexts:
userAuthenProfileTable.setStatus('current')
user_authen_profile_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'userAuthenProfileName'))
if mibBuilder.loadTexts:
userAuthenProfileEntry.setStatus('current')
user_authen_profile_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 1), octet_string().subtype(subtypeSpec=value_size_constraint(1, 31))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
userAuthenProfileName.setStatus('current')
user_authen_profile_dot1x_access_profile_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 2), octet_string().subtype(subtypeSpec=value_size_constraint(1, 31))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileDot1xAccessProfileName.setStatus('current')
user_authen_profile_mac_authen_access_profile_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 3), octet_string().subtype(subtypeSpec=value_size_constraint(1, 31))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileMacAuthenAccessProfileName.setStatus('current')
user_authen_profile_portal_access_profile_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 4), octet_string().subtype(subtypeSpec=value_size_constraint(1, 31))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfilePortalAccessProfileName.setStatus('current')
user_authen_profile_single_access = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 5), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileSingleAccess.setStatus('current')
user_authen_profile_pre_authen_service_scheme_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 6), octet_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfilePreAuthenServiceSchemeName.setStatus('current')
user_authen_profile_pre_authen_user_group_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 7), octet_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfilePreAuthenUserGroupName.setStatus('current')
user_authen_profile_pre_authen_vlan = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 8), integer32().subtype(subtypeSpec=value_range_constraint(0, 4094))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfilePreAuthenVLAN.setStatus('current')
user_authen_profile_authen_fail_author_service_scheme_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 9), octet_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileAuthenFailAuthorServiceSchemeName.setStatus('current')
user_authen_profile_authen_fail_author_user_group_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 10), octet_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileAuthenFailAuthorUserGroupName.setStatus('current')
user_authen_profile_authen_fail_author_vlan = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 11), integer32().subtype(subtypeSpec=value_range_constraint(0, 4094))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileAuthenFailAuthorVLAN.setStatus('current')
user_authen_profile_authen_server_down_service_scheme_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 12), octet_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileAuthenServerDownServiceSchemeName.setStatus('current')
user_authen_profile_authen_server_down_user_group_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 13), octet_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileAuthenServerDownUserGroupName.setStatus('current')
user_authen_profile_authen_server_down_vlan = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 14), integer32().subtype(subtypeSpec=value_range_constraint(0, 4094))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileAuthenServerDownVLAN.setStatus('current')
user_authen_profile_authen_server_down_response_success = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 15), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileAuthenServerDownResponseSuccess.setStatus('current')
user_authen_profile_authen_server_up_reauthen = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 16), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileAuthenServerUpReauthen.setStatus('current')
user_authen_profile_mac_authen_first = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 17), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileMacAuthenFirst.setStatus('current')
user_authen_profile_mac_bypass = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 18), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileMACBypass.setStatus('current')
user_authen_profile_dot1x_force_domain = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 19), octet_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileDot1xForceDomain.setStatus('current')
user_authen_profile_mac_authen_force_domain = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 20), octet_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileMACAuthenForceDomain.setStatus('current')
user_authen_profile_portal_force_domain = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 21), octet_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfilePortalForceDomain.setStatus('current')
user_authen_profile_dot1x_default_domain = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 22), octet_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileDot1xDefaultDomain.setStatus('current')
user_authen_profile_mac_authen_default_domain = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 23), octet_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileMACAuthenDefaultDomain.setStatus('current')
user_authen_profile_portal_default_domain = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 24), octet_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfilePortalDefaultDomain.setStatus('current')
user_authen_profile_default_domain = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 25), octet_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileDefaultDomain.setStatus('current')
user_authen_profile_force_domain = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 26), octet_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileForceDomain.setStatus('current')
user_authen_profile_domain_name_delimiter = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 27), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileDomainNameDelimiter.setStatus('current')
user_authen_profile_domain_name_location = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 28), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('domainnamepositionahead', 0), ('domainnamepositionbehind', 1), ('domainnamepositioninvalid', 2)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileDomainNameLocation.setStatus('current')
user_authen_profile_domain_name_parse_direction = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 29), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('domainparselefttoright', 0), ('domainparserighttoleft', 1), ('domainparseinvalid', 2)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileDomainNameParseDirection.setStatus('current')
user_authen_profile_security_name_delimiter = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 30), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileSecurityNameDelimiter.setStatus('current')
user_authen_profile_pre_authen_re_authen_timer = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 31), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(30, 7200)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfilePreAuthenReAuthenTimer.setStatus('current')
user_authen_profile_authen_fail_re_authen_timer = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 32), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(30, 7200)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileAuthenFailReAuthenTimer.setStatus('current')
user_authen_profile_pre_authen_aging_time = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 33), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(60, 4294860)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfilePreAuthenAgingTime.setStatus('current')
user_authen_profile_authen_fail_aging_time = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 34), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(60, 4294860)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileAuthenFailAgingTime.setStatus('current')
user_authen_profile_free_rule_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 35), octet_string().subtype(subtypeSpec=value_size_constraint(1, 31))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileFreeRuleName.setStatus('current')
user_authen_profile_authen_scheme_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 36), octet_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileAuthenSchemeName.setStatus('current')
user_authen_profile_author_scheme_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 37), octet_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileAuthorSchemeName.setStatus('current')
user_authen_profile_acct_scheme_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 38), octet_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileAcctSchemeName.setStatus('current')
user_authen_profile_service_scheme_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 39), octet_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileServiceSchemeName.setStatus('current')
user_authen_profile_user_group_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 40), octet_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileUserGroupName.setStatus('current')
user_authen_profile_radius_server_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 41), octet_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileRadiusServerName.setStatus('current')
user_authen_profile_hwtacacs_server_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 42), octet_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileHwtacacsServerName.setStatus('current')
user_authen_profile_authentication_mode = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 43), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('singleterminal', 0), ('singlevoicewithdata', 1), ('multishare', 2), ('multiterminal', 3)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileAuthenticationMode.setStatus('current')
user_authen_profile_max_user = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 44), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileMaxUser.setStatus('current')
user_authen_profile_arp_detect = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 45), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileArpDetect.setStatus('current')
user_authen_profile_arp_detect_timer = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 46), integer32().subtype(subtypeSpec=value_range_constraint(5, 7200))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileArpDetectTimer.setStatus('current')
user_authen_profile_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 47), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileRowStatus.setStatus('current')
user_authen_profile_permit_domain = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 48), octet_string().subtype(subtypeSpec=value_size_constraint(1, 259))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfilePermitDomain.setStatus('current')
user_authen_profile_authentication_max_user = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 49), integer32().subtype(subtypeSpec=value_range_constraint(1, 128))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileAuthenticationMaxUser.setStatus('current')
user_authen_profile_authen_fail_author_response_success = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 62, 1, 50), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenProfileAuthenFailAuthorResponseSuccess.setStatus('current')
user_authentication_free_rule_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 63))
if mibBuilder.loadTexts:
userAuthenticationFreeRuleTable.setStatus('current')
user_authentication_free_rule_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 63, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'userAuthenticationFreeRuleName'))
if mibBuilder.loadTexts:
userAuthenticationFreeRuleEntry.setStatus('current')
user_authentication_free_rule_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 63, 1, 1), display_string().subtype(subtypeSpec=value_size_constraint(1, 31))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
userAuthenticationFreeRuleName.setStatus('current')
user_authentication_free_rule_acl_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 63, 1, 2), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(6000, 6031)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenticationFreeRuleACLNumber.setStatus('current')
user_authentication_free_rule_i_pv6_acl_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 63, 1, 3), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(3000, 3031)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenticationFreeRuleIPv6ACLNumber.setStatus('current')
user_authentication_free_rule_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 63, 1, 4), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
userAuthenticationFreeRuleRowStatus.setStatus('current')
hw_dot1x_access_profile_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64))
if mibBuilder.loadTexts:
hwDot1xAccessProfileTable.setStatus('current')
hw_dot1x_access_profile_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwDot1xAccessProfileName'))
if mibBuilder.loadTexts:
hwDot1xAccessProfileEntry.setStatus('current')
hw_dot1x_access_profile_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 1), display_string().subtype(subtypeSpec=value_size_constraint(1, 31))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDot1xAccessProfileName.setStatus('current')
hw_dot1x_access_profile_guest_author_service_scheme_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDot1xAccessProfileGuestAuthorServiceSchemeName.setStatus('current')
hw_dot1x_access_profile_guest_author_user_group_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDot1xAccessProfileGuestAuthorUserGroupName.setStatus('current')
hw_dot1x_access_profile_guest_author_vlan = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 4094))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDot1xAccessProfileGuestAuthorVLAN.setStatus('current')
hw_dot1x_access_profile_handshake_switch = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 5), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDot1xAccessProfileHandshakeSwitch.setStatus('current')
hw_dot1x_access_profile_hand_shake_pkt_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 20))).clone(namedValues=named_values(('default', 1), ('srpsha1', 20)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDot1xAccessProfileHandShakePktType.setStatus('current')
hw_dot1x_access_profile_handshake_interval = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 7), integer32().subtype(subtypeSpec=value_range_constraint(5, 7200))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDot1xAccessProfileHandshakeInterval.setStatus('current')
hw_dot1x_access_profile_if_eap_end = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 8), truth_value()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwDot1xAccessProfileIfEAPEnd.setStatus('current')
hw_dot1x_access_profile_eap_end_method = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('chap', 1), ('pap', 2), ('eap', 3)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDot1xAccessProfileEAPEndMethod.setStatus('current')
hw_dot1x_access_profile_eap_notify_pkt_eap_code = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(5, 255))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDot1xAccessProfileEAPNotifyPktEAPCode.setStatus('current')
hw_dot1x_access_profile_eap_notify_pkt_eap_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 11), integer32().subtype(subtypeSpec=value_range_constraint(1, 255))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDot1xAccessProfileEAPNotifyPktEAPType.setStatus('current')
hw_dot1x_access_profile_re_authen_enable = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 12), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDot1xAccessProfileReAuthenEnable.setStatus('current')
hw_dot1x_access_profile_reauthentication_timeout = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 13), integer32().subtype(subtypeSpec=value_range_constraint(60, 7200))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDot1xAccessProfileReauthenticationTimeout.setStatus('current')
hw_dot1x_access_profile_client_timeout = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 14), integer32().subtype(subtypeSpec=value_range_constraint(1, 120))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDot1xAccessProfileClientTimeout.setStatus('current')
hw_dot1x_access_profile_server_timeout = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 15), integer32().subtype(subtypeSpec=value_range_constraint(1, 120))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDot1xAccessProfileServerTimeout.setStatus('current')
hw_dot1x_access_profile_tx_period = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 16), integer32().subtype(subtypeSpec=value_range_constraint(1, 120))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDot1xAccessProfileTxPeriod.setStatus('current')
hw_dot1x_access_profile_max_retry_value = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 17), integer32().subtype(subtypeSpec=value_range_constraint(1, 10))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDot1xAccessProfileMaxRetryValue.setStatus('current')
hw_dot1x_access_profile_speed_limit_auto = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 18), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDot1xAccessProfileSpeedLimitAuto.setStatus('current')
hw_dot1x_access_profile_trigger_pkt_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 19), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('default', 0), ('arp', 1), ('dhcp', 2)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDot1xAccessProfileTriggerPktType.setStatus('current')
hw_dot1x_access_profile_unicast_trigger = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 20), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDot1xAccessProfileUnicastTrigger.setStatus('current')
hw_dot1x_access_profile_url = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 21), display_string().subtype(subtypeSpec=value_size_constraint(1, 200))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDot1xAccessProfileURL.setStatus('current')
hw_dot1x_access_profile_eth_trunk_hand_shake_period = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 22), integer32().subtype(subtypeSpec=value_range_constraint(30, 7200))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDot1xAccessProfileEthTrunkHandShakePeriod.setStatus('current')
hw_dot1x_access_profile_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 64, 1, 23), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwDot1xAccessProfileRowStatus.setStatus('current')
hw_mac_authen_access_profile_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65))
if mibBuilder.loadTexts:
hwMACAuthenAccessProfileTable.setStatus('current')
hw_mac_authen_access_profile_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwMACAuthenAccessProfileName'))
if mibBuilder.loadTexts:
hwMACAuthenAccessProfileEntry.setStatus('current')
hw_mac_authen_access_profile_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65, 1, 1), display_string().subtype(subtypeSpec=value_size_constraint(1, 31))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwMACAuthenAccessProfileName.setStatus('current')
hw_mac_authen_access_profile_re_authen_enable = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65, 1, 2), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwMACAuthenAccessProfileReAuthenEnable.setStatus('current')
hw_mac_authen_access_profile_reauthentication_timeout = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(60, 7200))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwMACAuthenAccessProfileReauthenticationTimeout.setStatus('current')
hw_mac_authen_access_profile_server_timeout = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(1, 120))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwMACAuthenAccessProfileServerTimeout.setStatus('current')
hw_mac_authen_access_profile_user_name_fixed_user_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65, 1, 5), octet_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwMACAuthenAccessProfileUserNameFixedUserName.setStatus('current')
hw_mac_authen_access_profile_fixed_password = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65, 1, 6), octet_string().subtype(subtypeSpec=value_size_constraint(1, 128))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwMACAuthenAccessProfileFixedPassword.setStatus('current')
hw_mac_authen_access_profile_mac_address_format = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4))).clone(namedValues=named_values(('invalid', 0), ('macAddressWithoutHyphen', 1), ('macAddressWithHyphen', 2), ('fixed', 3), ('option', 4)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwMACAuthenAccessProfileMACAddressFormat.setStatus('current')
hw_mac_authen_access_profile_mac_address_password = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65, 1, 8), octet_string().subtype(subtypeSpec=value_size_constraint(1, 128))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwMACAuthenAccessProfileMACAddressPassword.setStatus('current')
hw_mac_authen_access_profile_user_name_dhcp_option = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 82))).clone(namedValues=named_values(('default', 0), ('dhcpoption', 82)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwMACAuthenAccessProfileUserNameDHCPOption.setStatus('current')
hw_mac_authen_access_profile_user_name_dhcpo_sub_option = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('optionsubinvalid', 0), ('optionsubcircuitid', 1), ('optionremoteid', 2)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwMACAuthenAccessProfileUserNameDHCPOSubOption.setStatus('current')
hw_mac_authen_access_profile_trigger_pkt_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65, 1, 11), integer32().subtype(subtypeSpec=value_range_constraint(1, 255))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwMACAuthenAccessProfileTriggerPktType.setStatus('current')
hw_mac_authen_access_profile_trigger_dhcp_option_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65, 1, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 82))).clone(namedValues=named_values(('default', 0), ('optioncode', 82)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwMACAuthenAccessProfileTriggerDHCPOptionType.setStatus('current')
hw_mac_authen_access_profile_dhcp_relase_offline = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65, 1, 13), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwMACAuthenAccessProfileDHCPRelaseOffline.setStatus('current')
hw_mac_authen_access_profile_dhcp_renew_re_authen = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65, 1, 14), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwMACAuthenAccessProfileDHCPRenewReAuthen.setStatus('current')
hw_mac_authen_access_profile_permit_authen_mac = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65, 1, 15), mac_address()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwMACAuthenAccessProfilePermitAuthenMAC.setStatus('current')
hw_mac_authen_access_profile_permit_authen_mac_mask = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65, 1, 16), mac_address()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwMACAuthenAccessProfilePermitAuthenMACMask.setStatus('current')
hw_mac_authen_access_profile_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 65, 1, 17), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwMACAuthenAccessProfileRowStatus.setStatus('current')
hw_portal_access_profile_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 66))
if mibBuilder.loadTexts:
hwPortalAccessProfileTable.setStatus('current')
hw_portal_access_profile_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 66, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwPortalAccessProfileName'))
if mibBuilder.loadTexts:
hwPortalAccessProfileEntry.setStatus('current')
hw_portal_access_profile_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 66, 1, 1), display_string().subtype(subtypeSpec=value_size_constraint(1, 31))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwPortalAccessProfileName.setStatus('current')
hw_portal_access_profile_detect_period = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 66, 1, 2), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(30, 7200)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwPortalAccessProfileDetectPeriod.setStatus('current')
hw_portal_access_profile_portal_server_down_service_scheme_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 66, 1, 3), octet_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwPortalAccessProfilePortalServerDownServiceSchemeName.setStatus('current')
hw_portal_access_profile_portal_server_down_user_group_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 66, 1, 4), octet_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwPortalAccessProfilePortalServerDownUserGroupName.setStatus('current')
hw_portal_access_profile_portal_server_up_re_authen = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 66, 1, 5), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwPortalAccessProfilePortalServerUpReAuthen.setStatus('current')
hw_portal_access_profile_alarm_user_low_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 66, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(1, 100))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwPortalAccessProfileAlarmUserLowNum.setStatus('current')
hw_portal_access_profile_alarm_user_high_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 66, 1, 7), integer32().subtype(subtypeSpec=value_range_constraint(1, 100))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwPortalAccessProfileAlarmUserHighNum.setStatus('current')
hw_portal_access_profile_authen_net_work = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 66, 1, 8), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1024))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwPortalAccessProfileAuthenNetWork.setStatus('current')
hw_portal_access_profile_authen_net_work_mask = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 66, 1, 9), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1024))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwPortalAccessProfileAuthenNetWorkMask.setStatus('current')
hw_portal_access_profile_portal_server_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 66, 1, 10), display_string().subtype(subtypeSpec=value_size_constraint(1, 31))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwPortalAccessProfilePortalServerName.setStatus('current')
hw_portal_access_profile_portal_access_direct = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 66, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 2, 3))).clone(namedValues=named_values(('invalid', 0), ('direct', 2), ('layer3', 3)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwPortalAccessProfilePortalAccessDirect.setStatus('current')
hw_portal_access_profile_local_server_enable = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 66, 1, 12), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwPortalAccessProfileLocalServerEnable.setStatus('current')
hw_portal_access_profile_local_server_anonymous = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 66, 1, 13), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwPortalAccessProfileLocalServerAnonymous.setStatus('current')
hw_portal_access_profile_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 66, 1, 14), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwPortalAccessProfileRowStatus.setStatus('current')
hw_portal_access_profile_portal_backup_server_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 66, 1, 15), display_string().subtype(subtypeSpec=value_size_constraint(1, 31))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hwPortalAccessProfilePortalBackupServerName.setStatus('current')
hw_aaa_inbound_vpn_access_user_stat_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 67))
if mibBuilder.loadTexts:
hwAAAInboundVPNAccessUserStatTable.setStatus('current')
hw_aaa_inbound_vpn_access_user_stat_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 67, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'hwAAAInboundVPNUserType'), (0, 'HUAWEI-AAA-MIB', 'hwAAAInboundVPNName'))
if mibBuilder.loadTexts:
hwAAAInboundVPNAccessUserStatEntry.setStatus('current')
hw_aaa_inbound_vpn_user_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 67, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=named_values(('pppoe', 1), ('pppoa', 2), ('dhcp', 3), ('lns', 4), ('lac', 5), ('ipv4', 6), ('ipv6', 7), ('dualStack', 8), ('all', 9)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAAAInboundVPNUserType.setStatus('current')
hw_aaa_inbound_vpn_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 67, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(1, 31))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAAAInboundVPNName.setStatus('current')
hw_aaa_inbound_vpn_access_user_stat = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 67, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 256000))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwAAAInboundVPNAccessUserStat.setStatus('current')
user_authentication_free_rule_ext_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 68))
if mibBuilder.loadTexts:
userAuthenticationFreeRuleExtTable.setStatus('current')
user_authentication_free_rule_ext_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 68, 1)).setIndexNames((0, 'HUAWEI-AAA-MIB', 'userAuthenticationFreeRuleName'), (0, 'HUAWEI-AAA-MIB', 'userAuthenticationFreeRuleNumber'))
if mibBuilder.loadTexts:
userAuthenticationFreeRuleExtEntry.setStatus('current')
user_authentication_free_rule_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 68, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 129))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
userAuthenticationFreeRuleNumber.setStatus('current')
user_authentication_free_rule_source_mode = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 68, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 3))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
userAuthenticationFreeRuleSourceMode.setStatus('current')
user_authentication_free_rule_source_vlan = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 68, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 4094))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
userAuthenticationFreeRuleSourceVlan.setStatus('current')
user_authentication_free_rule_source_interface = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 68, 1, 4), octet_string().subtype(subtypeSpec=value_size_constraint(1, 63))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
userAuthenticationFreeRuleSourceInterface.setStatus('current')
user_authentication_free_rule_source_ip = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 68, 1, 5), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
userAuthenticationFreeRuleSourceIP.setStatus('current')
user_authentication_free_rule_source_ip_mask = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 68, 1, 6), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
userAuthenticationFreeRuleSourceIPMask.setStatus('current')
user_authentication_free_rule_source_mac = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 68, 1, 7), mac_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
userAuthenticationFreeRuleSourceMac.setStatus('current')
user_authentication_free_rule_destination_mode = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 68, 1, 8), integer32().subtype(subtypeSpec=value_range_constraint(0, 3))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
userAuthenticationFreeRuleDestinationMode.setStatus('current')
user_authentication_free_rule_destination_ip = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 68, 1, 9), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
userAuthenticationFreeRuleDestinationIP.setStatus('current')
user_authentication_free_rule_destination_ip_mask = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 68, 1, 10), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
userAuthenticationFreeRuleDestinationIPMask.setStatus('current')
user_authentication_free_rule_destination_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 68, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('tcp', 1), ('udp', 2), ('none', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
userAuthenticationFreeRuleDestinationProtocol.setStatus('current')
user_authentication_free_rule_destination_port = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 68, 1, 12), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
userAuthenticationFreeRuleDestinationPort.setStatus('current')
user_authentication_free_rule_destination_user_group = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 68, 1, 13), octet_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
userAuthenticationFreeRuleDestinationUserGroup.setStatus('current')
user_authentication_free_rule_ext_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 2, 1, 68, 1, 14), row_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
userAuthenticationFreeRuleExtRowStatus.setStatus('current')
hw_aaa_conformance = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5))
hw_aaa_compliances = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 1))
hw_aaa_compliance = module_compliance((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 1, 1)).setObjects(('HUAWEI-AAA-MIB', 'hwAuthenSchemeGroup'), ('HUAWEI-AAA-MIB', 'hwAcctSchemeGroup'), ('HUAWEI-AAA-MIB', 'hwDomainGroup'), ('HUAWEI-AAA-MIB', 'hwDomainExtGroup'), ('HUAWEI-AAA-MIB', 'hwDomainStatGroup'), ('HUAWEI-AAA-MIB', 'hwAuthorSchemeGroup'), ('HUAWEI-AAA-MIB', 'hwLocalUserGroup'), ('HUAWEI-AAA-MIB', 'hwLocalUserExtGroup'), ('HUAWEI-AAA-MIB', 'hwAaaSettingGroup'), ('HUAWEI-AAA-MIB', 'hwAaaStatGroup'), ('HUAWEI-AAA-MIB', 'hwAccessGroup'), ('HUAWEI-AAA-MIB', 'hwAccessExtGroup'), ('HUAWEI-AAA-MIB', 'hwAcctSchemeExtGroup'), ('HUAWEI-AAA-MIB', 'hwBillPoolGroup'), ('HUAWEI-AAA-MIB', 'hwBillTFTPGroup'), ('HUAWEI-AAA-MIB', 'hwUclGrpGroup'), ('HUAWEI-AAA-MIB', 'hwIpAccessGroup'), ('HUAWEI-AAA-MIB', 'hwCutAccessUserGroup'), ('HUAWEI-AAA-MIB', 'hwAaaUserPppGroup'), ('HUAWEI-AAA-MIB', 'hwAaaUserWebandFastGroup'), ('HUAWEI-AAA-MIB', 'hwAaaUserDot1XGroup'), ('HUAWEI-AAA-MIB', 'hwAaaUserBindGroup'), ('HUAWEI-AAA-MIB', 'hwRecordSchemeGroup'), ('HUAWEI-AAA-MIB', 'hwMACAccessGroup'), ('HUAWEI-AAA-MIB', 'hwSlotConnectNumGroup'), ('HUAWEI-AAA-MIB', 'hwOfflineReasonStatGroup'), ('HUAWEI-AAA-MIB', 'hwMulticastListGroup'), ('HUAWEI-AAA-MIB', 'hwMulticastProfileGroup'), ('HUAWEI-AAA-MIB', 'hwMulticastProfileExtGroup'), ('HUAWEI-AAA-MIB', 'hwAaaTrapOidGroup'), ('HUAWEI-AAA-MIB', 'hwAaaTrapsNotificationsGroup'), ('HUAWEI-AAA-MIB', 'hwLamTrapsNotificationsGroup'), ('HUAWEI-AAA-MIB', 'hwObsoleteGroup'), ('HUAWEI-AAA-MIB', 'hwServiceSchemeGroup'), ('HUAWEI-AAA-MIB', 'hwDhcpOpt121RouteGroup'), ('HUAWEI-AAA-MIB', 'hwAccessDelayPerSlotGroup'), ('HUAWEI-AAA-MIB', 'hwVpnAccessUserStatGroup'), ('HUAWEI-AAA-MIB', 'hwInterfaceAccessUserStatGroup'), ('HUAWEI-AAA-MIB', 'hwDomainAccessUserStatGroup'), ('HUAWEI-AAA-MIB', 'hwSlotAccessUserStatGroup'), ('HUAWEI-AAA-MIB', 'hwReauthorizeGroup'), ('HUAWEI-AAA-MIB', 'hwUserLogGroup'), ('HUAWEI-AAA-MIB', 'hwGlobalDhcpOpt64SepAndSegGroup'), ('HUAWEI-AAA-MIB', 'hwGlobalDhcpServerAckGroup'), ('HUAWEI-AAA-MIB', 'hwWlanInterfaceGroup'), ('HUAWEI-AAA-MIB', 'hwAuthorCmdGroup'), ('HUAWEI-AAA-MIB', 'hwAAARateGroup'), ('HUAWEI-AAA-MIB', 'hwLocalUserPwPolicyAdminGroup'), ('HUAWEI-AAA-MIB', 'hwLocalUserPwPolicyAccGroup'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_aaa_compliance = hwAaaCompliance.setStatus('current')
hw_aaa_object_groups = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2))
hw_authen_scheme_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 1)).setObjects(('HUAWEI-AAA-MIB', 'hwAuthenSchemeName'), ('HUAWEI-AAA-MIB', 'hwAuthenMethod'), ('HUAWEI-AAA-MIB', 'hwAuthenRowStatus'), ('HUAWEI-AAA-MIB', 'hwAuthenFailPolicy'), ('HUAWEI-AAA-MIB', 'hwAuthenFailDomain'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_authen_scheme_group = hwAuthenSchemeGroup.setStatus('current')
hw_acct_scheme_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 2)).setObjects(('HUAWEI-AAA-MIB', 'hwAcctSchemeName'), ('HUAWEI-AAA-MIB', 'hwAccMethod'), ('HUAWEI-AAA-MIB', 'hwAcctStartFail'), ('HUAWEI-AAA-MIB', 'hwAcctOnlineFail'), ('HUAWEI-AAA-MIB', 'hwAccRealTimeInter'), ('HUAWEI-AAA-MIB', 'hwAcctRowStatus'), ('HUAWEI-AAA-MIB', 'hwAcctRealTimeIntervalUnit'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_acct_scheme_group = hwAcctSchemeGroup.setStatus('current')
hw_domain_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 3)).setObjects(('HUAWEI-AAA-MIB', 'hwDomainName'), ('HUAWEI-AAA-MIB', 'hwDomainAuthenSchemeName'), ('HUAWEI-AAA-MIB', 'hwDomainAcctSchemeName'), ('HUAWEI-AAA-MIB', 'hwDomainRadiusGroupName'), ('HUAWEI-AAA-MIB', 'hwDomainAccessLimitNum'), ('HUAWEI-AAA-MIB', 'hwDomainIfSrcRoute'), ('HUAWEI-AAA-MIB', 'hwDomainNextHopIP'), ('HUAWEI-AAA-MIB', 'hwDomainIdleCutTime'), ('HUAWEI-AAA-MIB', 'hwDomainIdleCutFlow'), ('HUAWEI-AAA-MIB', 'hwDomainRowStatus'), ('HUAWEI-AAA-MIB', 'hwDomainType'), ('HUAWEI-AAA-MIB', 'hwDomainServiceSchemeName'), ('HUAWEI-AAA-MIB', 'hwDomainIdleCutType'), ('HUAWEI-AAA-MIB', 'hwDomainForcePushUrl'), ('HUAWEI-AAA-MIB', 'hwDomainForcePushUrlTemplate'), ('HUAWEI-AAA-MIB', 'hwStateBlockFirstTimeRangeName'), ('HUAWEI-AAA-MIB', 'hwStateBlockSecondTimeRangeName'), ('HUAWEI-AAA-MIB', 'hwStateBlockThirdTimeRangeName'), ('HUAWEI-AAA-MIB', 'hwStateBlockForthTimeRangeName'), ('HUAWEI-AAA-MIB', 'hwDomainFlowStatistic'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_domain_group = hwDomainGroup.setStatus('current')
hw_domain_ext_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 4)).setObjects(('HUAWEI-AAA-MIB', 'hwDomainPPPURL'), ('HUAWEI-AAA-MIB', 'hwIfDomainActive'), ('HUAWEI-AAA-MIB', 'hwPriority'), ('HUAWEI-AAA-MIB', 'hwWebServerURL'), ('HUAWEI-AAA-MIB', 'hwIPPoolOneName'), ('HUAWEI-AAA-MIB', 'hwIPPoolTwoName'), ('HUAWEI-AAA-MIB', 'hwIPPoolThreeName'), ('HUAWEI-AAA-MIB', 'hwTwoLevelAcctRadiusGroupName'), ('HUAWEI-AAA-MIB', 'hwVPDNGroupIndex'), ('HUAWEI-AAA-MIB', 'hwUclIndex'), ('HUAWEI-AAA-MIB', 'hwIfPPPoeURL'), ('HUAWEI-AAA-MIB', 'hwUclGroupName'), ('HUAWEI-AAA-MIB', 'hwVpdnGroupName'), ('HUAWEI-AAA-MIB', 'hwDomainVrf'), ('HUAWEI-AAA-MIB', 'hwDomainGre'), ('HUAWEI-AAA-MIB', 'hwDomainRenewIPTag'), ('HUAWEI-AAA-MIB', 'hwPortalURL'), ('HUAWEI-AAA-MIB', 'hwPortalServerIP'), ('HUAWEI-AAA-MIB', 'hwRedirectTimesLimit'), ('HUAWEI-AAA-MIB', 'hwDot1xTemplate'), ('HUAWEI-AAA-MIB', 'hwWebServerIP'), ('HUAWEI-AAA-MIB', 'hwWebServerMode'), ('HUAWEI-AAA-MIB', 'hwPoolWarningThreshold'), ('HUAWEI-AAA-MIB', 'hwTacGroupName'), ('HUAWEI-AAA-MIB', 'hwServicePolicyName'), ('HUAWEI-AAA-MIB', 'hwCopsGroupSSGType'), ('HUAWEI-AAA-MIB', 'hwDomainAuthorSchemeName'), ('HUAWEI-AAA-MIB', 'hwDomainQoSProfile'), ('HUAWEI-AAA-MIB', 'hwDomainZone'), ('HUAWEI-AAA-MIB', 'hwIfL2tpRadiusForce'), ('HUAWEI-AAA-MIB', 'hwDownPriority'), ('HUAWEI-AAA-MIB', 'hwPPPForceAuthtype'), ('HUAWEI-AAA-MIB', 'hwDnsIPAddress'), ('HUAWEI-AAA-MIB', 'hwAdminUserPriority'), ('HUAWEI-AAA-MIB', 'hwShapingTemplate'), ('HUAWEI-AAA-MIB', 'hwDomainDPIPolicyName'), ('HUAWEI-AAA-MIB', 'hwCopsGroupSIGType'), ('HUAWEI-AAA-MIB', 'hwCopsGroupCIPNType'), ('HUAWEI-AAA-MIB', 'hwPCReduceCir'), ('HUAWEI-AAA-MIB', 'hwValAcctType'), ('HUAWEI-AAA-MIB', 'hwValRadiusServer'), ('HUAWEI-AAA-MIB', 'hwValCopsServer'), ('HUAWEI-AAA-MIB', 'hwPCReducePir'), ('HUAWEI-AAA-MIB', 'hwDomainInboundL2tpQoSProfile'), ('HUAWEI-AAA-MIB', 'hwDomainOutboundL2tpQoSProfile'), ('HUAWEI-AAA-MIB', 'hwIfMulticastForward'), ('HUAWEI-AAA-MIB', 'hwMulticastVirtualSchedulRezCir'), ('HUAWEI-AAA-MIB', 'hwMulticastVirtualSchedulRezPir'), ('HUAWEI-AAA-MIB', 'hwMaxMulticastListNum'), ('HUAWEI-AAA-MIB', 'hwMultiProfile'), ('HUAWEI-AAA-MIB', 'hwDomainServiceType'), ('HUAWEI-AAA-MIB', 'hwWebServerUrlParameter'), ('HUAWEI-AAA-MIB', 'hwWebServerRedirectKeyMscgName'), ('HUAWEI-AAA-MIB', 'hwPoratalServerUrlParameter'), ('HUAWEI-AAA-MIB', 'hwPoratalServerFirstUrlKeyName'), ('HUAWEI-AAA-MIB', 'hwPoratalServerFirstUrlKeyDefaultName'), ('HUAWEI-AAA-MIB', 'hwDnsSecondIPAddress'), ('HUAWEI-AAA-MIB', 'hwIPv6PoolName'), ('HUAWEI-AAA-MIB', 'hwIPv6PrefixshareFlag'), ('HUAWEI-AAA-MIB', 'hwUserBasicServiceIPType'), ('HUAWEI-AAA-MIB', 'hwPriDnsIPv6Address'), ('HUAWEI-AAA-MIB', 'hwSecDnsIPv6Address'), ('HUAWEI-AAA-MIB', 'hwDualStackAccountingType'), ('HUAWEI-AAA-MIB', 'hwIPv6PoolWarningThreshold'), ('HUAWEI-AAA-MIB', 'hwIPv6CPWaitDHCPv6Delay'), ('HUAWEI-AAA-MIB', 'hwIPv6ManagedAddressFlag'), ('HUAWEI-AAA-MIB', 'hwIPv6CPIFIDAvailable'), ('HUAWEI-AAA-MIB', 'hwIPv6OtherFlag'), ('HUAWEI-AAA-MIB', 'hwIPv6CPAssignIFID'), ('HUAWEI-AAA-MIB', 'hwMultiIPv6ProfileName'), ('HUAWEI-AAA-MIB', 'hwWebServerURLSlave'), ('HUAWEI-AAA-MIB', 'hwWebServerIPSlave'), ('HUAWEI-AAA-MIB', 'hwBindAuthWebIP'), ('HUAWEI-AAA-MIB', 'hwBindAuthWebVrf'), ('HUAWEI-AAA-MIB', 'hwBindAuthWebIPSlave'), ('HUAWEI-AAA-MIB', 'hwBindAuthWebVrfSlave'), ('HUAWEI-AAA-MIB', 'hwExtVpdnGroupName'), ('HUAWEI-AAA-MIB', 'hwDomainUserGroupName'), ('HUAWEI-AAA-MIB', 'hwAFTRName'), ('HUAWEI-AAA-MIB', 'hwDomainDhcpOpt64SepAndSeg'), ('HUAWEI-AAA-MIB', 'hwDomainDhcpServerAck'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_domain_ext_group = hwDomainExtGroup.setStatus('current')
hw_domain_stat_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 5)).setObjects(('HUAWEI-AAA-MIB', 'hwDomainAccessedNum'), ('HUAWEI-AAA-MIB', 'hwDomainOnlineNum'), ('HUAWEI-AAA-MIB', 'hwDomainOnlinePPPUser'), ('HUAWEI-AAA-MIB', 'hwDomainFlowDnByte'), ('HUAWEI-AAA-MIB', 'hwDomainFlowDnPkt'), ('HUAWEI-AAA-MIB', 'hwDomainFlowUpByte'), ('HUAWEI-AAA-MIB', 'hwDomainFlowUpPkt'), ('HUAWEI-AAA-MIB', 'hwDomainIPTotalNum'), ('HUAWEI-AAA-MIB', 'hwDomainIPUsedNum'), ('HUAWEI-AAA-MIB', 'hwDomainIPConflictNum'), ('HUAWEI-AAA-MIB', 'hwDomainIPExcludeNum'), ('HUAWEI-AAA-MIB', 'hwDomainIPIdleNum'), ('HUAWEI-AAA-MIB', 'hwDomainIPUsedPercent'), ('HUAWEI-AAA-MIB', 'hwDomainPPPoENum'), ('HUAWEI-AAA-MIB', 'hwDomainIPv6AddressTotalNum'), ('HUAWEI-AAA-MIB', 'hwDomainIPv6AddressUsedNum'), ('HUAWEI-AAA-MIB', 'hwDomainIPv6AddressFreeNum'), ('HUAWEI-AAA-MIB', 'hwDomainIPv6AddressConflictNum'), ('HUAWEI-AAA-MIB', 'hwDomainIPv6AddressExcludeNum'), ('HUAWEI-AAA-MIB', 'hwDomainIPv6AddressUsedPercent'), ('HUAWEI-AAA-MIB', 'hwDomainNDRAPrefixTotalNum'), ('HUAWEI-AAA-MIB', 'hwDomainNDRAPrefixUsedNum'), ('HUAWEI-AAA-MIB', 'hwDomainNDRAPrefixFreeNum'), ('HUAWEI-AAA-MIB', 'hwDomainNDRAPrefixConflictNum'), ('HUAWEI-AAA-MIB', 'hwDomainNDRAPrefixExcludeNum'), ('HUAWEI-AAA-MIB', 'hwDomainNDRAPrefixUsedPercent'), ('HUAWEI-AAA-MIB', 'hwDomainPDPrefixTotalNum'), ('HUAWEI-AAA-MIB', 'hwDomainPDPrefixUsedNum'), ('HUAWEI-AAA-MIB', 'hwDomainPDPrefixFreeNum'), ('HUAWEI-AAA-MIB', 'hwDomainPDPrefixConflictNum'), ('HUAWEI-AAA-MIB', 'hwDomainPDPrefixExcludeNum'), ('HUAWEI-AAA-MIB', 'hwDomainPDPrefixUsedPercent'), ('HUAWEI-AAA-MIB', 'hwDomainIPv6FlowDnByte'), ('HUAWEI-AAA-MIB', 'hwDomainIPv6FlowDnPkt'), ('HUAWEI-AAA-MIB', 'hwDomainIPv6FlowUpByte'), ('HUAWEI-AAA-MIB', 'hwDomainIPv6FlowUpPkt'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_domain_stat_group = hwDomainStatGroup.setStatus('current')
hw_author_scheme_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 6)).setObjects(('HUAWEI-AAA-MIB', 'hwAuthorSchemeName'), ('HUAWEI-AAA-MIB', 'hwAuthorMethod'), ('HUAWEI-AAA-MIB', 'hwAuthorRowStatus'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_author_scheme_group = hwAuthorSchemeGroup.setStatus('current')
hw_local_user_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 7)).setObjects(('HUAWEI-AAA-MIB', 'hwLocalUserName'), ('HUAWEI-AAA-MIB', 'hwLocalUserPassword'), ('HUAWEI-AAA-MIB', 'hwLocalUserAccessType'), ('HUAWEI-AAA-MIB', 'hwLocalUserPriority'), ('HUAWEI-AAA-MIB', 'hwftpdirction'), ('HUAWEI-AAA-MIB', 'hwQosProfileName'), ('HUAWEI-AAA-MIB', 'hwLocalUserRowStatus'), ('HUAWEI-AAA-MIB', 'hwLocalUserIpAddress'), ('HUAWEI-AAA-MIB', 'hwLocalUserVpnInstance'), ('HUAWEI-AAA-MIB', 'hwLocalUserAccessLimitNum'), ('HUAWEI-AAA-MIB', 'hwLocalUserPasswordLifetimeMin'), ('HUAWEI-AAA-MIB', 'hwLocalUserPasswordLifetimeMax'), ('HUAWEI-AAA-MIB', 'hwLocalUserIfAllowWeakPassword'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_local_user_group = hwLocalUserGroup.setStatus('current')
hw_local_user_ext_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 8)).setObjects(('HUAWEI-AAA-MIB', 'hwLocalUserState'), ('HUAWEI-AAA-MIB', 'hwLocalUserNoCallBackVerify'), ('HUAWEI-AAA-MIB', 'hwLocalUserCallBackDialStr'), ('HUAWEI-AAA-MIB', 'hwLocalUserBlockFailTimes'), ('HUAWEI-AAA-MIB', 'hwLocalUserBlockInterval'), ('HUAWEI-AAA-MIB', 'hwLocalUserUserGroup'), ('HUAWEI-AAA-MIB', 'hwLocalUserDeviceType'), ('HUAWEI-AAA-MIB', 'hwLocalUserExpireDate'), ('HUAWEI-AAA-MIB', 'hwLocalUserIdleTimeoutSecond'), ('HUAWEI-AAA-MIB', 'hwLocalUserTimeRange'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_local_user_ext_group = hwLocalUserExtGroup.setStatus('current')
hw_aaa_setting_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 9)).setObjects(('HUAWEI-AAA-MIB', 'hwRoamChar'), ('HUAWEI-AAA-MIB', 'hwGlobalControl'), ('HUAWEI-AAA-MIB', 'hwSystemRecord'), ('HUAWEI-AAA-MIB', 'hwOutboundRecord'), ('HUAWEI-AAA-MIB', 'hwCmdRecord'), ('HUAWEI-AAA-MIB', 'hwPPPUserOfflineStandardize'), ('HUAWEI-AAA-MIB', 'hwDomainNameParseDirection'), ('HUAWEI-AAA-MIB', 'hwDomainNameLocation'), ('HUAWEI-AAA-MIB', 'hwAccessSpeedNumber'), ('HUAWEI-AAA-MIB', 'hwAccessSpeedPeriod'), ('HUAWEI-AAA-MIB', 'hwRealmNameChar'), ('HUAWEI-AAA-MIB', 'hwRealmParseDirection'), ('HUAWEI-AAA-MIB', 'hwIPOXpassword'), ('HUAWEI-AAA-MIB', 'hwAccessDelayTransitionStep'), ('HUAWEI-AAA-MIB', 'hwAccessDelayTime'), ('HUAWEI-AAA-MIB', 'hwAccessDelayMinTime'), ('HUAWEI-AAA-MIB', 'hwParsePriority'), ('HUAWEI-AAA-MIB', 'hwRealmNameLocation'), ('HUAWEI-AAA-MIB', 'hwIPOXUsernameOption82'), ('HUAWEI-AAA-MIB', 'hwIPOXUsernameIP'), ('HUAWEI-AAA-MIB', 'hwIPOXUsernameSysname'), ('HUAWEI-AAA-MIB', 'hwIPOXUsernameMAC'), ('HUAWEI-AAA-MIB', 'hwDefaultUserName'), ('HUAWEI-AAA-MIB', 'hwNasSerial'), ('HUAWEI-AAA-MIB', 'hwAAAPasswordRepeatNumber'), ('HUAWEI-AAA-MIB', 'hwAAAPasswordRemindDay'), ('HUAWEI-AAA-MIB', 'hwOnlineUserNumLowerLimitThreshold'), ('HUAWEI-AAA-MIB', 'hwOnlineUserNumUpperLimitThreshold'), ('HUAWEI-AAA-MIB', 'hwIPOXpasswordKeyType'), ('HUAWEI-AAA-MIB', 'hwReauthorizeEnable'), ('HUAWEI-AAA-MIB', 'hwDomainNameDelimiter'), ('HUAWEI-AAA-MIB', 'hwDomainNameSecurityDelimiter'), ('HUAWEI-AAA-MIB', 'hwGlobalAuthEventAuthFailResponseFail'), ('HUAWEI-AAA-MIB', 'hwGlobalAuthEventAuthFailVlan'), ('HUAWEI-AAA-MIB', 'hwGlobalAuthEventAuthenServerDownResponseFail'), ('HUAWEI-AAA-MIB', 'hwGlobalAuthEventAuthenServerDownVlan'), ('HUAWEI-AAA-MIB', 'hwGlobalAuthEventClientNoResponseVlan'), ('HUAWEI-AAA-MIB', 'hwGlobalAuthEventPreAuthVlan'), ('HUAWEI-AAA-MIB', 'hwGlobalAuthEventAuthFailUserGroup'), ('HUAWEI-AAA-MIB', 'hwGlobalAuthEventAuthenServerDownUserGroup'), ('HUAWEI-AAA-MIB', 'hwGlobalAuthEventClientNoResponseUserGroup'), ('HUAWEI-AAA-MIB', 'hwGlobalAuthEventPreAuthUserGroup'), ('HUAWEI-AAA-MIB', 'hwTriggerLoose'), ('HUAWEI-AAA-MIB', 'hwOfflineSpeedNumber'), ('HUAWEI-AAA-MIB', 'hwAuthorModifyMode'), ('HUAWEI-AAA-MIB', 'hwLocalRetryInterval'), ('HUAWEI-AAA-MIB', 'hwLocalRetryTime'), ('HUAWEI-AAA-MIB', 'hwLocalBlockTime'), ('HUAWEI-AAA-MIB', 'hwRemoteRetryInterval'), ('HUAWEI-AAA-MIB', 'hwRemoteRetryTime'), ('HUAWEI-AAA-MIB', 'hwRemoteBlockTime'), ('HUAWEI-AAA-MIB', 'hwBlockDisable'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_aaa_setting_group = hwAaaSettingGroup.setStatus('current')
hw_aaa_stat_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 10)).setObjects(('HUAWEI-AAA-MIB', 'hwTotalOnlineNum'), ('HUAWEI-AAA-MIB', 'hwTotalPPPoeOnlineNum'), ('HUAWEI-AAA-MIB', 'hwTotalPPPoAOnlineNum'), ('HUAWEI-AAA-MIB', 'hwTotalftpOnlineNum'), ('HUAWEI-AAA-MIB', 'hwTotalsshOnlineNum'), ('HUAWEI-AAA-MIB', 'hwTotaltelnetOnlineNum'), ('HUAWEI-AAA-MIB', 'hwTotalVLANOnlineNum'), ('HUAWEI-AAA-MIB', 'hwHistoricMaxOnlineNum'), ('HUAWEI-AAA-MIB', 'hwResetHistoricMaxOnlineNum'), ('HUAWEI-AAA-MIB', 'hwResetOfflineReasonStatistic'), ('HUAWEI-AAA-MIB', 'hwResetOnlineFailReasonStatistic'), ('HUAWEI-AAA-MIB', 'hwMaxPPPoeOnlineNum'), ('HUAWEI-AAA-MIB', 'hwTotalPortalServerUserNum'), ('HUAWEI-AAA-MIB', 'hwMaxPortalServerUserNum'), ('HUAWEI-AAA-MIB', 'hwTotalIPv4OnlineNum'), ('HUAWEI-AAA-MIB', 'hwTotalIPv6OnlineNum'), ('HUAWEI-AAA-MIB', 'hwTotalDualStackOnlineNum'), ('HUAWEI-AAA-MIB', 'hwTotalIPv4FlowDnByte'), ('HUAWEI-AAA-MIB', 'hwTotalIPv4FlowDnPkt'), ('HUAWEI-AAA-MIB', 'hwTotalIPv4FlowUpByte'), ('HUAWEI-AAA-MIB', 'hwTotalIPv4FlowUpPkt'), ('HUAWEI-AAA-MIB', 'hwTotalIPv6FlowDnByte'), ('HUAWEI-AAA-MIB', 'hwTotalIPv6FlowDnPkt'), ('HUAWEI-AAA-MIB', 'hwTotalIPv6FlowUpByte'), ('HUAWEI-AAA-MIB', 'hwTotalIPv6FlowUpPkt'), ('HUAWEI-AAA-MIB', 'hwHistoricMaxOnlineAcctReadyNum'), ('HUAWEI-AAA-MIB', 'hwPubicLacUserNum'), ('HUAWEI-AAA-MIB', 'hwHistoricMaxOnlineLocalNum'), ('HUAWEI-AAA-MIB', 'hwHistoricMaxOnlineRemoteNum'), ('HUAWEI-AAA-MIB', 'hwTotalLacOnlineNum'), ('HUAWEI-AAA-MIB', 'hwTotalLnsOnlineNum'), ('HUAWEI-AAA-MIB', 'hwTotalWlsOnlineNum'), ('HUAWEI-AAA-MIB', 'hwTotalWrdOnlineNum'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_aaa_stat_group = hwAaaStatGroup.setStatus('current')
hw_access_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 11)).setObjects(('HUAWEI-AAA-MIB', 'hwAccessIndex'), ('HUAWEI-AAA-MIB', 'hwAccessUserName'), ('HUAWEI-AAA-MIB', 'hwAccessPortType'), ('HUAWEI-AAA-MIB', 'hwAccessPriority'), ('HUAWEI-AAA-MIB', 'hwAccessSlotNo'), ('HUAWEI-AAA-MIB', 'hwAccessSubSlotNo'), ('HUAWEI-AAA-MIB', 'hwAccessPortNo'), ('HUAWEI-AAA-MIB', 'hwAccessVLANID'), ('HUAWEI-AAA-MIB', 'hwAccessPVC'), ('HUAWEI-AAA-MIB', 'hwAccessAuthenMethod'), ('HUAWEI-AAA-MIB', 'hwAccessAcctMethod'), ('HUAWEI-AAA-MIB', 'hwAccessIPAddress'), ('HUAWEI-AAA-MIB', 'hwAccessVRF'), ('HUAWEI-AAA-MIB', 'hwAccessMACAddress'), ('HUAWEI-AAA-MIB', 'hwAccessIfIdleCut'), ('HUAWEI-AAA-MIB', 'hwAccessIdleCutTime'), ('HUAWEI-AAA-MIB', 'hwAccessIdleCutFlow'), ('HUAWEI-AAA-MIB', 'hwAccessTimeLimit'), ('HUAWEI-AAA-MIB', 'hwAccessTotalFlow64Limit'), ('HUAWEI-AAA-MIB', 'hwAccessStartTime'), ('HUAWEI-AAA-MIB', 'hwAccessCARIfUpActive'), ('HUAWEI-AAA-MIB', 'hwAccessCARIfDnActive'), ('HUAWEI-AAA-MIB', 'hwAccessUpFlow64'), ('HUAWEI-AAA-MIB', 'hwAccessDnFlow64'), ('HUAWEI-AAA-MIB', 'hwAccessUpPacket64'), ('HUAWEI-AAA-MIB', 'hwAccessDnPacket64'), ('HUAWEI-AAA-MIB', 'hwAccessCARUpCIR'), ('HUAWEI-AAA-MIB', 'hwAccessCARUpPIR'), ('HUAWEI-AAA-MIB', 'hwAccessCARUpCBS'), ('HUAWEI-AAA-MIB', 'hwAccessCARUpPBS'), ('HUAWEI-AAA-MIB', 'hwAccessCARDnCIR'), ('HUAWEI-AAA-MIB', 'hwAccessCARDnPIR'), ('HUAWEI-AAA-MIB', 'hwAccessCARDnCBS'), ('HUAWEI-AAA-MIB', 'hwAccessCARDnPBS'), ('HUAWEI-AAA-MIB', 'hwAccessDownPriority'), ('HUAWEI-AAA-MIB', 'hwAccessQosProfile'), ('HUAWEI-AAA-MIB', 'hwAccessInterface'), ('HUAWEI-AAA-MIB', 'hwAccessIPv6IFID'), ('HUAWEI-AAA-MIB', 'hwAccessIPv6WanAddress'), ('HUAWEI-AAA-MIB', 'hwAccessIPv6WanPrefix'), ('HUAWEI-AAA-MIB', 'hwAccessIPv6LanPrefix'), ('HUAWEI-AAA-MIB', 'hwAccessIPv6LanPrefixLen'), ('HUAWEI-AAA-MIB', 'hwAccessBasicIPType'), ('HUAWEI-AAA-MIB', 'hwAccessIPv6WaitDelay'), ('HUAWEI-AAA-MIB', 'hwAccessIPv6ManagedAddressFlag'), ('HUAWEI-AAA-MIB', 'hwAccessIPv6CPIFIDAvailable'), ('HUAWEI-AAA-MIB', 'hwAccessIPv6OtherFlag'), ('HUAWEI-AAA-MIB', 'hwAccessIPv6CPAssignIFID'), ('HUAWEI-AAA-MIB', 'hwAccessLineID'), ('HUAWEI-AAA-MIB', 'hwAccessIPv6UpFlow64'), ('HUAWEI-AAA-MIB', 'hwAccessIPv6DnFlow64'), ('HUAWEI-AAA-MIB', 'hwAccessIPv6UpPacket64'), ('HUAWEI-AAA-MIB', 'hwAccessIPv6DnPacket64'), ('HUAWEI-AAA-MIB', 'hwAccessDeviceName'), ('HUAWEI-AAA-MIB', 'hwAccessDeviceMACAddress'), ('HUAWEI-AAA-MIB', 'hwAccessDevicePortName'), ('HUAWEI-AAA-MIB', 'hwAccessAPID'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_access_group = hwAccessGroup.setStatus('current')
hw_access_ext_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 12)).setObjects(('HUAWEI-AAA-MIB', 'hwAccessUCLGroup'), ('HUAWEI-AAA-MIB', 'hwAuthenticationState'), ('HUAWEI-AAA-MIB', 'hwAuthorizationState'), ('HUAWEI-AAA-MIB', 'hwAccountingState'), ('HUAWEI-AAA-MIB', 'hwAccessDomainName'), ('HUAWEI-AAA-MIB', 'hwIdleTimeLength'), ('HUAWEI-AAA-MIB', 'hwAcctSessionID'), ('HUAWEI-AAA-MIB', 'hwAccessStartAcctTime'), ('HUAWEI-AAA-MIB', 'hwAccessNormalServerGroup'), ('HUAWEI-AAA-MIB', 'hwAccessDomainAcctCopySeverGroup'), ('HUAWEI-AAA-MIB', 'hwAccessPVlanAcctCopyServerGroup'), ('HUAWEI-AAA-MIB', 'hwAccessCurAuthenPlace'), ('HUAWEI-AAA-MIB', 'hwAccessActionFlag'), ('HUAWEI-AAA-MIB', 'hwAccessAuthtype'), ('HUAWEI-AAA-MIB', 'hwAccessType'), ('HUAWEI-AAA-MIB', 'hwAccessOnlineTime'), ('HUAWEI-AAA-MIB', 'hwAccessGateway'), ('HUAWEI-AAA-MIB', 'hwAccessSSID'), ('HUAWEI-AAA-MIB', 'hwAccessAPMAC'), ('HUAWEI-AAA-MIB', 'hwAccessDomain'), ('HUAWEI-AAA-MIB', 'hwAccessCurAccountingPlace'), ('HUAWEI-AAA-MIB', 'hwAccessCurAuthorPlace'), ('HUAWEI-AAA-MIB', 'hwAccessUserGroup'), ('HUAWEI-AAA-MIB', 'hwAccessResourceInsufficientInbound'), ('HUAWEI-AAA-MIB', 'hwAccessResourceInsufficientOutbound'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_access_ext_group = hwAccessExtGroup.setStatus('current')
hw_acct_scheme_ext_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 13)).setObjects(('HUAWEI-AAA-MIB', 'hwIfRealtimeAcct'), ('HUAWEI-AAA-MIB', 'hwRealtimeFailMaxnum'), ('HUAWEI-AAA-MIB', 'hwStartFailOnlineIfSendInterim'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_acct_scheme_ext_group = hwAcctSchemeExtGroup.setStatus('current')
hw_bill_pool_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 14)).setObjects(('HUAWEI-AAA-MIB', 'hwBillsPoolVolume'), ('HUAWEI-AAA-MIB', 'hwBillsPoolNum'), ('HUAWEI-AAA-MIB', 'hwBillsPoolAlarmThreshold'), ('HUAWEI-AAA-MIB', 'hwBillsPoolBackupMode'), ('HUAWEI-AAA-MIB', 'hwBillsPoolBackupInterval'), ('HUAWEI-AAA-MIB', 'hwBillsPoolBackupNow'), ('HUAWEI-AAA-MIB', 'hwBillsPoolReset'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_bill_pool_group = hwBillPoolGroup.setStatus('current')
hw_bill_tftp_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 15)).setObjects(('HUAWEI-AAA-MIB', 'hwBillsTFTPSrvIP'), ('HUAWEI-AAA-MIB', 'hwBillsTFTPMainFileName'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_bill_tftp_group = hwBillTFTPGroup.setStatus('current')
hw_ucl_grp_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 16)).setObjects(('HUAWEI-AAA-MIB', 'hwUclGrpName'), ('HUAWEI-AAA-MIB', 'hwUclGrpRowStatus'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_ucl_grp_group = hwUclGrpGroup.setStatus('current')
hw_ip_access_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 17)).setObjects(('HUAWEI-AAA-MIB', 'hwIPAccessIPaddress'), ('HUAWEI-AAA-MIB', 'hwIPAccessCID'), ('HUAWEI-AAA-MIB', 'hwIPAccessVRF'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_ip_access_group = hwIpAccessGroup.setStatus('current')
hw_cut_access_user_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 18)).setObjects(('HUAWEI-AAA-MIB', 'hwCutStartUserID'), ('HUAWEI-AAA-MIB', 'hwCutEndUserID'), ('HUAWEI-AAA-MIB', 'hwCutIPaddress'), ('HUAWEI-AAA-MIB', 'hwCutMacAddres'), ('HUAWEI-AAA-MIB', 'hwCutUserName'), ('HUAWEI-AAA-MIB', 'hwCutUserAttri'), ('HUAWEI-AAA-MIB', 'hwCutDomain'), ('HUAWEI-AAA-MIB', 'hwCutIPPoolName'), ('HUAWEI-AAA-MIB', 'hwCutIfIndex'), ('HUAWEI-AAA-MIB', 'hwCutVlanID'), ('HUAWEI-AAA-MIB', 'hwCutVPI'), ('HUAWEI-AAA-MIB', 'hwCutVCI'), ('HUAWEI-AAA-MIB', 'hwCutVRF'), ('HUAWEI-AAA-MIB', 'hwCutAccessInterface'), ('HUAWEI-AAA-MIB', 'hwCutUserSSID'), ('HUAWEI-AAA-MIB', 'hwCutAccessSlot'), ('HUAWEI-AAA-MIB', 'hwCutUserGroup'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_cut_access_user_group = hwCutAccessUserGroup.setStatus('current')
hw_aaa_user_ppp_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 19)).setObjects(('HUAWEI-AAA-MIB', 'hwTotalConnectNum'), ('HUAWEI-AAA-MIB', 'hwTotalSuccessNum'), ('HUAWEI-AAA-MIB', 'hwTotalLCPFailNum'), ('HUAWEI-AAA-MIB', 'hwTotalAuthenFailNum'), ('HUAWEI-AAA-MIB', 'hwTotalNCPFailNum'), ('HUAWEI-AAA-MIB', 'hwTotalIPAllocFailNum'), ('HUAWEI-AAA-MIB', 'hwTotalOtherPPPFailNum'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_aaa_user_ppp_group = hwAaaUserPppGroup.setStatus('current')
hw_aaa_user_weband_fast_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 20)).setObjects(('HUAWEI-AAA-MIB', 'hwTotalWebConnectNum'), ('HUAWEI-AAA-MIB', 'hwTotalSuccessWebConnectNum'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_aaa_user_weband_fast_group = hwAaaUserWebandFastGroup.setStatus('current')
hw_aaa_user_dot1_x_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 21)).setObjects(('HUAWEI-AAA-MIB', 'hwTotalDot1XConnectNum'), ('HUAWEI-AAA-MIB', 'hwTotalSuccessDot1XConnectNum'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_aaa_user_dot1_x_group = hwAaaUserDot1XGroup.setStatus('current')
hw_aaa_user_bind_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 22)).setObjects(('HUAWEI-AAA-MIB', 'hwTotalBindConnectNum'), ('HUAWEI-AAA-MIB', 'hwTotalSuccessBindConnectNum'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_aaa_user_bind_group = hwAaaUserBindGroup.setStatus('current')
hw_record_scheme_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 23)).setObjects(('HUAWEI-AAA-MIB', 'hwRecordSchemeName'), ('HUAWEI-AAA-MIB', 'hwRecordTacGroupName'), ('HUAWEI-AAA-MIB', 'hwRecordRowStatus'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_record_scheme_group = hwRecordSchemeGroup.setStatus('current')
hw_mac_access_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 24)).setObjects(('HUAWEI-AAA-MIB', 'hwMACAccessMACAddress'), ('HUAWEI-AAA-MIB', 'hwMACAccessCID'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_mac_access_group = hwMACAccessGroup.setStatus('current')
hw_slot_connect_num_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 25)).setObjects(('HUAWEI-AAA-MIB', 'hwSlotConnectNumSlot'), ('HUAWEI-AAA-MIB', 'hwSlotConnectNumOnlineNum'), ('HUAWEI-AAA-MIB', 'hwSlotConnectNumMaxOnlineNum'), ('HUAWEI-AAA-MIB', 'hwSlotConnectNumMaxOnlineAcctReadyNum'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_slot_connect_num_group = hwSlotConnectNumGroup.setStatus('current')
hw_offline_reason_stat_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 26)).setObjects(('HUAWEI-AAA-MIB', 'hwOfflineReason'), ('HUAWEI-AAA-MIB', 'hwOfflineReasonStatistic'), ('HUAWEI-AAA-MIB', 'hwOnlineFailReasonStatistic'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_offline_reason_stat_group = hwOfflineReasonStatGroup.setStatus('current')
hw_multicast_list_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 27)).setObjects(('HUAWEI-AAA-MIB', 'hwMulticastListIndex'), ('HUAWEI-AAA-MIB', 'hwMulticastListName'), ('HUAWEI-AAA-MIB', 'hwMulticastListSourceIp'), ('HUAWEI-AAA-MIB', 'hwMulticastListSourceIpMask'), ('HUAWEI-AAA-MIB', 'hwMulticastListGroupIp'), ('HUAWEI-AAA-MIB', 'hwMulticastListGroupIpMask'), ('HUAWEI-AAA-MIB', 'hwMulticastListVpnInstance'), ('HUAWEI-AAA-MIB', 'hwMulticastListRowStatus'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_multicast_list_group = hwMulticastListGroup.setStatus('current')
hw_multicast_profile_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 28)).setObjects(('HUAWEI-AAA-MIB', 'hwMulticastProfileIndex'), ('HUAWEI-AAA-MIB', 'hwMulticastProfileName'), ('HUAWEI-AAA-MIB', 'hwMulticastProfileRowStatus'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_multicast_profile_group = hwMulticastProfileGroup.setStatus('current')
hw_multicast_profile_ext_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 29)).setObjects(('HUAWEI-AAA-MIB', 'hwMulticastListBindName'), ('HUAWEI-AAA-MIB', 'hwMulticastProfileExtRowStatus'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_multicast_profile_ext_group = hwMulticastProfileExtGroup.setStatus('current')
hw_aaa_trap_oid_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 30)).setObjects(('HUAWEI-AAA-MIB', 'hwDomainIndex'), ('HUAWEI-AAA-MIB', 'hwHdFreeamount'), ('HUAWEI-AAA-MIB', 'hwHdWarningThreshold'), ('HUAWEI-AAA-MIB', 'hwUserSlot'), ('HUAWEI-AAA-MIB', 'hwUserSlotMaxNumThreshold'), ('HUAWEI-AAA-MIB', 'hwOnlineUserNumThreshold'), ('HUAWEI-AAA-MIB', 'hwPolicyRoute'), ('HUAWEI-AAA-MIB', 'hwPolicyRouteThreshold'), ('HUAWEI-AAA-MIB', 'hwRbsDownReason'), ('HUAWEI-AAA-MIB', 'hwRbpOldState'), ('HUAWEI-AAA-MIB', 'hwRbpChangeName'), ('HUAWEI-AAA-MIB', 'hwMaxUserThresholdType'), ('HUAWEI-AAA-MIB', 'hwRbpNewState'), ('HUAWEI-AAA-MIB', 'hwRbsName'), ('HUAWEI-AAA-MIB', 'hwRbpChangeReason'), ('HUAWEI-AAA-MIB', 'hwRemoteDownloadAclUsedValue'), ('HUAWEI-AAA-MIB', 'hwRemoteDownloadAclThresholdValue'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_aaa_trap_oid_group = hwAaaTrapOidGroup.setStatus('current')
hw_aaa_traps_notifications_group = notification_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 31)).setObjects(('HUAWEI-AAA-MIB', 'hwUserIPAllocAlarm'), ('HUAWEI-AAA-MIB', 'hwUserIPv6AddressAllocAlarm'), ('HUAWEI-AAA-MIB', 'hwUserNDRAPrefixAllocAlarm'), ('HUAWEI-AAA-MIB', 'hwUserDelegationPrefixAllocAlarm'), ('HUAWEI-AAA-MIB', 'hwUserSlotMaxNum'), ('HUAWEI-AAA-MIB', 'hwOnlineUserNumAlarm'), ('HUAWEI-AAA-MIB', 'hwSetUserQosProfileFail'), ('HUAWEI-AAA-MIB', 'hwUserMaxNum'), ('HUAWEI-AAA-MIB', 'hwRbpStateChange'), ('HUAWEI-AAA-MIB', 'hwRbsDown'), ('HUAWEI-AAA-MIB', 'hwRbsUp'), ('HUAWEI-AAA-MIB', 'hwUserIPAllocAlarmResume'), ('HUAWEI-AAA-MIB', 'hwUserIPv6AddressAllocAlarmResume'), ('HUAWEI-AAA-MIB', 'hwUserNDRAPrefixAllocAlarmResume'), ('HUAWEI-AAA-MIB', 'hwUserDelegationPrefixAllocAlarmResume'), ('HUAWEI-AAA-MIB', 'hwOnlineUserNumUpperLimitAlarm'), ('HUAWEI-AAA-MIB', 'hwOnlineUserNumUpperLimitResume'), ('HUAWEI-AAA-MIB', 'hwOnlineUserNumLowerLimitAlarm'), ('HUAWEI-AAA-MIB', 'hwOnlineUserNumLowerLimitResume'), ('HUAWEI-AAA-MIB', 'hwIPLowerlimitWarningAlarm'), ('HUAWEI-AAA-MIB', 'hwIPLowerlimitWarningResume'), ('HUAWEI-AAA-MIB', 'hwIPv6AddressLowerlimitWarningAlarm'), ('HUAWEI-AAA-MIB', 'hwIPv6AddressLowerlimitWarningResume'), ('HUAWEI-AAA-MIB', 'hwIPv6NDRAPrefixLowerlimitWarningAlarm'), ('HUAWEI-AAA-MIB', 'hwIPv6NDRAPrefixLowerlimitWarningResume'), ('HUAWEI-AAA-MIB', 'hwIPv6PDPrefixLowerlimitWarningAlarm'), ('HUAWEI-AAA-MIB', 'hwIPv6PDPrefixLowerlimitWarningResume'), ('HUAWEI-AAA-MIB', 'hwPolicyRouteSlotMaxNum'), ('HUAWEI-AAA-MIB', 'hwRemoteDownloadAclThresholdAlarm'), ('HUAWEI-AAA-MIB', 'hwRemoteDownloadAclThresholdResume'), ('HUAWEI-AAA-MIB', 'hwAdminLoginFailed'), ('HUAWEI-AAA-MIB', 'hwAdminLoginFailedClear'), ('HUAWEI-AAA-MIB', 'hwUserGroupThresholdAlarm'), ('HUAWEI-AAA-MIB', 'hwUserGroupThresholdResume'), ('HUAWEI-AAA-MIB', 'hwEDSGLicenseExpireAlarm'), ('HUAWEI-AAA-MIB', 'hwEDSGLicenseExpireResume'), ('HUAWEI-AAA-MIB', 'hwAAAAccessUserResourceOrCpuAlarm'), ('HUAWEI-AAA-MIB', 'hwAAAAccessUserResourceOrCpuResume'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_aaa_traps_notifications_group = hwAaaTrapsNotificationsGroup.setStatus('current')
hw_lam_traps_notifications_group = notification_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 32)).setObjects(('HUAWEI-AAA-MIB', 'hwHarddiskoverflow'), ('HUAWEI-AAA-MIB', 'hwHarddiskReachThreshold'), ('HUAWEI-AAA-MIB', 'hwHarddiskOK'), ('HUAWEI-AAA-MIB', 'hwCachetoFTPFail'), ('HUAWEI-AAA-MIB', 'hwHDtoFTPFail'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_lam_traps_notifications_group = hwLamTrapsNotificationsGroup.setStatus('current')
hw_obsolete_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 33)).setObjects(('HUAWEI-AAA-MIB', 'hwNtvUserProfileName'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_obsolete_group = hwObsoleteGroup.setStatus('obsolete')
hw_service_scheme_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 34)).setObjects(('HUAWEI-AAA-MIB', 'hwServiceSchemeNextHopIp'), ('HUAWEI-AAA-MIB', 'hwServiceSchemeUserPriority'), ('HUAWEI-AAA-MIB', 'hwServiceSchemeIdleCutTime'), ('HUAWEI-AAA-MIB', 'hwServiceSchemeIdleCutFlow'), ('HUAWEI-AAA-MIB', 'hwServiceSchemeDnsFirst'), ('HUAWEI-AAA-MIB', 'hwServiceSchemeDnsSecond'), ('HUAWEI-AAA-MIB', 'hwSrvSchemeAdminUserPriority'), ('HUAWEI-AAA-MIB', 'hwSrvSchemeIpPoolOneName'), ('HUAWEI-AAA-MIB', 'hwSrvSchemeIpPoolTwoName'), ('HUAWEI-AAA-MIB', 'hwSrvSchemeIpPoolThreeName'), ('HUAWEI-AAA-MIB', 'hwServiceSchemeRowStatus'), ('HUAWEI-AAA-MIB', 'hwServiceSchemeIdleCutType'), ('HUAWEI-AAA-MIB', 'hwServiceSchemeIdleCutFlowValue'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_service_scheme_group = hwServiceSchemeGroup.setStatus('current')
hw_dhcp_opt121_route_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 35)).setObjects(('HUAWEI-AAA-MIB', 'hwDhcpOpt121RouteDestIp'), ('HUAWEI-AAA-MIB', 'hwDhcpOpt121RouteMask'), ('HUAWEI-AAA-MIB', 'hwDhcpOpt121RouteNextHop'), ('HUAWEI-AAA-MIB', 'hwDhcpOpt121RouteRowStatus'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_dhcp_opt121_route_group = hwDhcpOpt121RouteGroup.setStatus('current')
hw_access_delay_per_slot_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 36)).setObjects(('HUAWEI-AAA-MIB', 'hwAccessDelayPerSlotSlot'), ('HUAWEI-AAA-MIB', 'hwAccessDelayPerSlotTransitionStep'), ('HUAWEI-AAA-MIB', 'hwAccessDelayPerSlotMaxTime'), ('HUAWEI-AAA-MIB', 'hwAccessDelayPerSlotMinTime'), ('HUAWEI-AAA-MIB', 'hwAccessDelayPerSlotRowStatus'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_access_delay_per_slot_group = hwAccessDelayPerSlotGroup.setStatus('current')
hw_vpn_access_user_stat_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 37)).setObjects(('HUAWEI-AAA-MIB', 'hwUserType'), ('HUAWEI-AAA-MIB', 'hwVpnAccessUserStatVpnName'), ('HUAWEI-AAA-MIB', 'hwVpnAccessUserStatUserStat'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_vpn_access_user_stat_group = hwVpnAccessUserStatGroup.setStatus('current')
hw_interface_access_user_stat_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 38)).setObjects(('HUAWEI-AAA-MIB', 'hwInterfaceAccessUserStatInterfaceIndex'), ('HUAWEI-AAA-MIB', 'hwInterfaceAccessUserStatUserStat'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_interface_access_user_stat_group = hwInterfaceAccessUserStatGroup.setStatus('current')
hw_domain_access_user_stat_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 39)).setObjects(('HUAWEI-AAA-MIB', 'hwDomainAccessUserStatUserStat'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_domain_access_user_stat_group = hwDomainAccessUserStatGroup.setStatus('current')
hw_slot_access_user_stat_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 40)).setObjects(('HUAWEI-AAA-MIB', 'hwSlotAccessUserStatSlot'), ('HUAWEI-AAA-MIB', 'hwSlotAccessUserStatUserStat'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_slot_access_user_stat_group = hwSlotAccessUserStatGroup.setStatus('current')
hw_domain_include_pool_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 45)).setObjects(('HUAWEI-AAA-MIB', 'hwDomainIncludeIPPoolGroupName'), ('HUAWEI-AAA-MIB', 'hwDomainIncludeIPPoolGroupRowStates'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_domain_include_pool_group = hwDomainIncludePoolGroup.setStatus('current')
hw_domain_ip_pool_move_to = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 46)).setObjects(('HUAWEI-AAA-MIB', 'hwDomainIncludeIPPoolName'), ('HUAWEI-AAA-MIB', 'hwDomainIncludeIPPoolMoveto'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_domain_ip_pool_move_to = hwDomainIPPoolMoveTo.setStatus('current')
hw_user_log_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 47)).setObjects(('HUAWEI-AAA-MIB', 'hwUserLogAccess'), ('HUAWEI-AAA-MIB', 'hwUserLogIPAddress'), ('HUAWEI-AAA-MIB', 'hwUserLogPort'), ('HUAWEI-AAA-MIB', 'hwUserLogVersion'), ('HUAWEI-AAA-MIB', 'hwShowUserLogStatistic'), ('HUAWEI-AAA-MIB', 'hwResetUserLogStatistic'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_user_log_group = hwUserLogGroup.setStatus('current')
hw_global_dhcp_opt64_sep_and_seg_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 48)).setObjects(('HUAWEI-AAA-MIB', 'hwGlobalDhcpOpt64SepAndSeg'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_global_dhcp_opt64_sep_and_seg_group = hwGlobalDhcpOpt64SepAndSegGroup.setStatus('current')
hw_global_dhcp_server_ack_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 49)).setObjects(('HUAWEI-AAA-MIB', 'hwGlobalDhcpServerAck'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_global_dhcp_server_ack_group = hwGlobalDhcpServerAckGroup.setStatus('current')
hw_reauthorize_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 50)).setObjects(('HUAWEI-AAA-MIB', 'hwReauthorizeUsername'), ('HUAWEI-AAA-MIB', 'hwReauthorizeUsergroup'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_reauthorize_group = hwReauthorizeGroup.setStatus('current')
hw_wlan_interface_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 56)).setObjects(('HUAWEI-AAA-MIB', 'hwWlanInterfaceIndex'), ('HUAWEI-AAA-MIB', 'hwWlanInterfaceName'), ('HUAWEI-AAA-MIB', 'hwWlanInterfaceDomainNameDelimiter'), ('HUAWEI-AAA-MIB', 'hwWlanInterfaceDomainNameSecurityDelimiter'), ('HUAWEI-AAA-MIB', 'hwWlanInterfaceDomainNameParseDirection'), ('HUAWEI-AAA-MIB', 'hwWlanInterfaceDomainNameLocation'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_wlan_interface_group = hwWlanInterfaceGroup.setStatus('current')
hw_author_cmd_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 57)).setObjects(('HUAWEI-AAA-MIB', 'hwAuthorCmdLevel'), ('HUAWEI-AAA-MIB', 'hwAuthorCmdMode'), ('HUAWEI-AAA-MIB', 'hwAuthorCmdRowStatus'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_author_cmd_group = hwAuthorCmdGroup.setStatus('current')
hw_aaa_rate_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 58)).setObjects(('HUAWEI-AAA-MIB', 'hwAAARateDirection'), ('HUAWEI-AAA-MIB', 'hwAAARateType'), ('HUAWEI-AAA-MIB', 'hwAAARateRealPeak'), ('HUAWEI-AAA-MIB', 'hwAAARateRealAverage'), ('HUAWEI-AAA-MIB', 'hwAAARateRealUsedCount'), ('HUAWEI-AAA-MIB', 'hwAAARateRealPercent'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_aaa_rate_group = hwAAARateGroup.setStatus('current')
hw_local_user_pw_policy_admin_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 59)).setObjects(('HUAWEI-AAA-MIB', 'hwAdminEnable'), ('HUAWEI-AAA-MIB', 'hwAdminExpire'), ('HUAWEI-AAA-MIB', 'hwAdminPwHistroyRecordNum'), ('HUAWEI-AAA-MIB', 'hwAdminAlertBefore'), ('HUAWEI-AAA-MIB', 'hwAdminAlertOrginal'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_local_user_pw_policy_admin_group = hwLocalUserPwPolicyAdminGroup.setStatus('current')
hw_local_user_pw_policy_acc_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 60)).setObjects(('HUAWEI-AAA-MIB', 'hwAccEnable'), ('HUAWEI-AAA-MIB', 'hwAccPwHistroyRecordNum'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_local_user_pw_policy_acc_group = hwLocalUserPwPolicyAccGroup.setStatus('current')
hw_aaa_domain_ip_pool_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 61)).setObjects(('HUAWEI-AAA-MIB', 'hwAAADomainIPPoolName'), ('HUAWEI-AAA-MIB', 'hwAAADomainIPPoolIndex'), ('HUAWEI-AAA-MIB', 'hwAAADomainIPPoolConstantIndex'), ('HUAWEI-AAA-MIB', 'hwAAADomainIPPoolPosition'), ('HUAWEI-AAA-MIB', 'hwAAADomainIPPoolRowStatus'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_aaa_domain_ip_pool_group = hwAAADomainIPPoolGroup.setStatus('current')
user_authen_profile_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 62)).setObjects(('HUAWEI-AAA-MIB', 'userAuthenProfileName'), ('HUAWEI-AAA-MIB', 'userAuthenProfileDot1xAccessProfileName'), ('HUAWEI-AAA-MIB', 'userAuthenProfileMacAuthenAccessProfileName'), ('HUAWEI-AAA-MIB', 'userAuthenProfilePortalAccessProfileName'), ('HUAWEI-AAA-MIB', 'userAuthenProfileSingleAccess'), ('HUAWEI-AAA-MIB', 'userAuthenProfilePreAuthenServiceSchemeName'), ('HUAWEI-AAA-MIB', 'userAuthenProfilePreAuthenUserGroupName'), ('HUAWEI-AAA-MIB', 'userAuthenProfilePreAuthenVLAN'), ('HUAWEI-AAA-MIB', 'userAuthenProfileAuthenFailAuthorServiceSchemeName'), ('HUAWEI-AAA-MIB', 'userAuthenProfileAuthenFailAuthorUserGroupName'), ('HUAWEI-AAA-MIB', 'userAuthenProfileAuthenFailAuthorVLAN'), ('HUAWEI-AAA-MIB', 'userAuthenProfileAuthenServerDownServiceSchemeName'), ('HUAWEI-AAA-MIB', 'userAuthenProfileAuthenServerDownUserGroupName'), ('HUAWEI-AAA-MIB', 'userAuthenProfileAuthenServerDownVLAN'), ('HUAWEI-AAA-MIB', 'userAuthenProfileAuthenServerDownResponseSuccess'), ('HUAWEI-AAA-MIB', 'userAuthenProfileAuthenServerUpReauthen'), ('HUAWEI-AAA-MIB', 'userAuthenProfileMacAuthenFirst'), ('HUAWEI-AAA-MIB', 'userAuthenProfileMACBypass'), ('HUAWEI-AAA-MIB', 'userAuthenProfileDot1xForceDomain'), ('HUAWEI-AAA-MIB', 'userAuthenProfileMACAuthenForceDomain'), ('HUAWEI-AAA-MIB', 'userAuthenProfilePortalForceDomain'), ('HUAWEI-AAA-MIB', 'userAuthenProfileDot1xDefaultDomain'), ('HUAWEI-AAA-MIB', 'userAuthenProfileMACAuthenDefaultDomain'), ('HUAWEI-AAA-MIB', 'userAuthenProfilePortalDefaultDomain'), ('HUAWEI-AAA-MIB', 'userAuthenProfileSecurityNameDelimiter'), ('HUAWEI-AAA-MIB', 'userAuthenProfilePreAuthenReAuthenTimer'), ('HUAWEI-AAA-MIB', 'userAuthenProfileAuthenFailReAuthenTimer'), ('HUAWEI-AAA-MIB', 'userAuthenProfilePreAuthenAgingTime'), ('HUAWEI-AAA-MIB', 'userAuthenProfileAuthenFailAgingTime'), ('HUAWEI-AAA-MIB', 'userAuthenProfileFreeRuleName'), ('HUAWEI-AAA-MIB', 'userAuthenProfileAuthenSchemeName'), ('HUAWEI-AAA-MIB', 'userAuthenProfileAuthorSchemeName'), ('HUAWEI-AAA-MIB', 'userAuthenProfileAcctSchemeName'), ('HUAWEI-AAA-MIB', 'userAuthenProfileServiceSchemeName'), ('HUAWEI-AAA-MIB', 'userAuthenProfileUserGroupName'), ('HUAWEI-AAA-MIB', 'userAuthenProfileRadiusServerName'), ('HUAWEI-AAA-MIB', 'userAuthenProfileHwtacacsServerName'), ('HUAWEI-AAA-MIB', 'userAuthenProfileAuthenticationMode'), ('HUAWEI-AAA-MIB', 'userAuthenProfileMaxUser'), ('HUAWEI-AAA-MIB', 'userAuthenProfileAuthenFailAuthorResponseSuccess'), ('HUAWEI-AAA-MIB', 'userAuthenProfileArpDetect'), ('HUAWEI-AAA-MIB', 'userAuthenProfileArpDetectTimer'), ('HUAWEI-AAA-MIB', 'userAuthenProfileRowStatus'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
user_authen_profile_group = userAuthenProfileGroup.setStatus('current')
user_authentication_free_rule_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 63)).setObjects(('HUAWEI-AAA-MIB', 'userAuthenticationFreeRuleName'), ('HUAWEI-AAA-MIB', 'userAuthenticationFreeRuleACLNumber'), ('HUAWEI-AAA-MIB', 'userAuthenticationFreeRuleIPv6ACLNumber'), ('HUAWEI-AAA-MIB', 'userAuthenticationFreeRuleNumber'), ('HUAWEI-AAA-MIB', 'userAuthenticationFreeRuleSourceMode'), ('HUAWEI-AAA-MIB', 'userAuthenticationFreeRuleSourceVlan'), ('HUAWEI-AAA-MIB', 'userAuthenticationFreeRuleSourceInterface'), ('HUAWEI-AAA-MIB', 'userAuthenticationFreeRuleSourceIP'), ('HUAWEI-AAA-MIB', 'userAuthenticationFreeRuleSourceIPMask'), ('HUAWEI-AAA-MIB', 'userAuthenticationFreeRuleSourceMac'), ('HUAWEI-AAA-MIB', 'userAuthenticationFreeRuleDestinationMode'), ('HUAWEI-AAA-MIB', 'userAuthenticationFreeRuleDestinationIP'), ('HUAWEI-AAA-MIB', 'userAuthenticationFreeRuleDestinationIPMask'), ('HUAWEI-AAA-MIB', 'userAuthenticationFreeRuleDestinationProtocol'), ('HUAWEI-AAA-MIB', 'userAuthenticationFreeRuleDestinationPort'), ('HUAWEI-AAA-MIB', 'userAuthenticationFreeRuleDestinationUserGroup'), ('HUAWEI-AAA-MIB', 'userAuthenticationFreeRuleRowStatus'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
user_authentication_free_rule_group = userAuthenticationFreeRuleGroup.setStatus('current')
hw_dot1x_access_profile_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 64)).setObjects(('HUAWEI-AAA-MIB', 'hwDot1xAccessProfileName'), ('HUAWEI-AAA-MIB', 'hwDot1xAccessProfileGuestAuthorServiceSchemeName'), ('HUAWEI-AAA-MIB', 'hwDot1xAccessProfileGuestAuthorUserGroupName'), ('HUAWEI-AAA-MIB', 'hwDot1xAccessProfileGuestAuthorVLAN'), ('HUAWEI-AAA-MIB', 'hwDot1xAccessProfileHandshakeSwitch'), ('HUAWEI-AAA-MIB', 'hwDot1xAccessProfileHandShakePktType'), ('HUAWEI-AAA-MIB', 'hwDot1xAccessProfileHandshakeInterval'), ('HUAWEI-AAA-MIB', 'hwDot1xAccessProfileIfEAPEnd'), ('HUAWEI-AAA-MIB', 'hwDot1xAccessProfileEAPEndMethod'), ('HUAWEI-AAA-MIB', 'hwDot1xAccessProfileEAPNotifyPktEAPCode'), ('HUAWEI-AAA-MIB', 'hwDot1xAccessProfileEAPNotifyPktEAPType'), ('HUAWEI-AAA-MIB', 'hwDot1xAccessProfileReAuthenEnable'), ('HUAWEI-AAA-MIB', 'hwDot1xAccessProfileReauthenticationTimeout'), ('HUAWEI-AAA-MIB', 'hwDot1xAccessProfileClientTimeout'), ('HUAWEI-AAA-MIB', 'hwDot1xAccessProfileServerTimeout'), ('HUAWEI-AAA-MIB', 'hwDot1xAccessProfileTxPeriod'), ('HUAWEI-AAA-MIB', 'hwDot1xAccessProfileMaxRetryValue'), ('HUAWEI-AAA-MIB', 'hwDot1xAccessProfileSpeedLimitAuto'), ('HUAWEI-AAA-MIB', 'hwDot1xAccessProfileTriggerPktType'), ('HUAWEI-AAA-MIB', 'hwDot1xAccessProfileUnicastTrigger'), ('HUAWEI-AAA-MIB', 'hwDot1xAccessProfileURL'), ('HUAWEI-AAA-MIB', 'hwDot1xAccessProfileEthTrunkHandShakePeriod'), ('HUAWEI-AAA-MIB', 'hwDot1xAccessProfileRowStatus'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_dot1x_access_profile_group = hwDot1xAccessProfileGroup.setStatus('current')
hw_mac_authen_access_profile_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 65)).setObjects(('HUAWEI-AAA-MIB', 'hwMACAuthenAccessProfileName'), ('HUAWEI-AAA-MIB', 'hwMACAuthenAccessProfileReAuthenEnable'), ('HUAWEI-AAA-MIB', 'hwMACAuthenAccessProfileReauthenticationTimeout'), ('HUAWEI-AAA-MIB', 'hwMACAuthenAccessProfileServerTimeout'), ('HUAWEI-AAA-MIB', 'hwMACAuthenAccessProfileUserNameFixedUserName'), ('HUAWEI-AAA-MIB', 'hwMACAuthenAccessProfileFixedPassword'), ('HUAWEI-AAA-MIB', 'hwMACAuthenAccessProfileMACAddressFormat'), ('HUAWEI-AAA-MIB', 'hwMACAuthenAccessProfileMACAddressPassword'), ('HUAWEI-AAA-MIB', 'hwMACAuthenAccessProfileUserNameDHCPOption'), ('HUAWEI-AAA-MIB', 'hwMACAuthenAccessProfileUserNameDHCPOSubOption'), ('HUAWEI-AAA-MIB', 'hwMACAuthenAccessProfileTriggerPktType'), ('HUAWEI-AAA-MIB', 'hwMACAuthenAccessProfileTriggerDHCPOptionType'), ('HUAWEI-AAA-MIB', 'hwMACAuthenAccessProfileDHCPRelaseOffline'), ('HUAWEI-AAA-MIB', 'hwMACAuthenAccessProfileDHCPRenewReAuthen'), ('HUAWEI-AAA-MIB', 'hwMACAuthenAccessProfilePermitAuthenMAC'), ('HUAWEI-AAA-MIB', 'hwMACAuthenAccessProfilePermitAuthenMACMask'), ('HUAWEI-AAA-MIB', 'hwMACAuthenAccessProfileRowStatus'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_mac_authen_access_profile_group = hwMACAuthenAccessProfileGroup.setStatus('current')
hw_portal_access_profile_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 2, 5, 2, 66)).setObjects(('HUAWEI-AAA-MIB', 'hwPortalAccessProfileName'), ('HUAWEI-AAA-MIB', 'hwPortalAccessProfileDetectPeriod'), ('HUAWEI-AAA-MIB', 'hwPortalAccessProfilePortalServerDownServiceSchemeName'), ('HUAWEI-AAA-MIB', 'hwPortalAccessProfilePortalServerDownUserGroupName'), ('HUAWEI-AAA-MIB', 'hwPortalAccessProfilePortalServerUpReAuthen'), ('HUAWEI-AAA-MIB', 'hwPortalAccessProfileAlarmUserLowNum'), ('HUAWEI-AAA-MIB', 'hwPortalAccessProfileAlarmUserHighNum'), ('HUAWEI-AAA-MIB', 'hwPortalAccessProfileAuthenNetWork'), ('HUAWEI-AAA-MIB', 'hwPortalAccessProfileAuthenNetWorkMask'), ('HUAWEI-AAA-MIB', 'hwPortalAccessProfilePortalServerName'), ('HUAWEI-AAA-MIB', 'hwPortalAccessProfilePortalAccessDirect'), ('HUAWEI-AAA-MIB', 'hwPortalAccessProfileLocalServerEnable'), ('HUAWEI-AAA-MIB', 'hwPortalAccessProfileRowStatus'), ('HUAWEI-AAA-MIB', 'hwPortalAccessProfilePortalBackupServerName'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_portal_access_profile_group = hwPortalAccessProfileGroup.setStatus('current')
mibBuilder.exportSymbols('HUAWEI-AAA-MIB', hwAAASlotIPv6AddressThresholdAlarm=hwAAASlotIPv6AddressThresholdAlarm, hwAccessCARDnPIR=hwAccessCARDnPIR, hwVPDNGroupIndex=hwVPDNGroupIndex, hwDomainNDRAPrefixFreeNum=hwDomainNDRAPrefixFreeNum, hwDot1xAccessProfileSpeedLimitAuto=hwDot1xAccessProfileSpeedLimitAuto, hwMultiIPv6ProfileName=hwMultiIPv6ProfileName, hwAaaObjectGroups=hwAaaObjectGroups, hwMulticastListIndex=hwMulticastListIndex, hwMulticastProfileTable=hwMulticastProfileTable, userAuthenticationFreeRuleIPv6ACLNumber=userAuthenticationFreeRuleIPv6ACLNumber, hwDomainPDPrefixExcludeNum=hwDomainPDPrefixExcludeNum, hwAccessEntry=hwAccessEntry, hwExtVpdnGroupName=hwExtVpdnGroupName, hwDomainIdleCutType=hwDomainIdleCutType, hwDomainFlowDnPkt=hwDomainFlowDnPkt, hwLocalUserTable=hwLocalUserTable, hwHistoricMaxOnlineAcctReadyNum=hwHistoricMaxOnlineAcctReadyNum, hwAccessDownPriority=hwAccessDownPriority, hwAAASlotOnlineUserNumAlarm=hwAAASlotOnlineUserNumAlarm, hwAccRealTimeInter=hwAccRealTimeInter, hwSlotConnectNumSlot=hwSlotConnectNumSlot, hwPolicyRoute=hwPolicyRoute, hwAccessOnlineTime=hwAccessOnlineTime, hwMACAuthenAccessProfilePermitAuthenMACMask=hwMACAuthenAccessProfilePermitAuthenMACMask, hwAccessQosProfile=hwAccessQosProfile, userAuthenticationFreeRuleDestinationMode=userAuthenticationFreeRuleDestinationMode, userAuthenticationFreeRuleGroup=userAuthenticationFreeRuleGroup, hwIPAccessEntry=hwIPAccessEntry, hwAAATimerExpireCriticalLevelResumeThreshold=hwAAATimerExpireCriticalLevelResumeThreshold, hwMACAccessEntry=hwMACAccessEntry, hwTotalDot1XConnectNum=hwTotalDot1XConnectNum, hwSlotAccessUserStatSlot=hwSlotAccessUserStatSlot, hwCutVPI=hwCutVPI, userAuthenticationFreeRuleSourceInterface=userAuthenticationFreeRuleSourceInterface, hwAccessCurAccountingPlace=hwAccessCurAccountingPlace, hwLocalUserPwPolicyAdmin=hwLocalUserPwPolicyAdmin, userAuthenticationFreeRuleDestinationPort=userAuthenticationFreeRuleDestinationPort, hwObsoleteGroup=hwObsoleteGroup, hwAccessCARUpPBS=hwAccessCARUpPBS, hwAccessDelayPerSlotEntry=hwAccessDelayPerSlotEntry, hwLocalUserExpireDate=hwLocalUserExpireDate, hwPubicLacUserNum=hwPubicLacUserNum, hwAuthorMethod=hwAuthorMethod, userAuthenProfileMACAuthenForceDomain=userAuthenProfileMACAuthenForceDomain, hwOfflineRecordAccessCeVlan=hwOfflineRecordAccessCeVlan, hwAAAOnlineSessoinUpperLimitResume=hwAAAOnlineSessoinUpperLimitResume, hwSlotConnectNumOnlineNum=hwSlotConnectNumOnlineNum, hwAccessCARDnPBS=hwAccessCARDnPBS, hwLocalRetryTime=hwLocalRetryTime, hwIPv6PDPrefixLowerlimitWarningResume=hwIPv6PDPrefixLowerlimitWarningResume, hwAAAOnlineSessoinUpperLimitAlarm=hwAAAOnlineSessoinUpperLimitAlarm, hwAuthenMethod=hwAuthenMethod, hwAaa=hwAaa, hwPortalAccessProfileAuthenNetWorkMask=hwPortalAccessProfileAuthenNetWorkMask, hwAccessResourceInsufficientInbound=hwAccessResourceInsufficientInbound, hwDomainRowStatus=hwDomainRowStatus, hwAAASessionGroupLowerLimitAlarm=hwAAASessionGroupLowerLimitAlarm, hwTotalWlsOnlineNum=hwTotalWlsOnlineNum, hwPolicyRouteSlotMaxNum=hwPolicyRouteSlotMaxNum, hwUserGroupRowStatus=hwUserGroupRowStatus, hwAccessCARUpCIR=hwAccessCARUpCIR, hwServiceSchemeIdleCutType=hwServiceSchemeIdleCutType, hwUserGroupCarInBoundCir=hwUserGroupCarInBoundCir, hwWlanInterfaceIndex=hwWlanInterfaceIndex, hwIPv6NDRAPrefixLowerlimitWarningAlarm=hwIPv6NDRAPrefixLowerlimitWarningAlarm, hwAAAStatEntry=hwAAAStatEntry, hwAaaSettingGroup=hwAaaSettingGroup, userAuthenticationFreeRuleDestinationUserGroup=userAuthenticationFreeRuleDestinationUserGroup, hwGlobalDhcpOpt64SepAndSegGroup=hwGlobalDhcpOpt64SepAndSegGroup, hwDot1xAccessProfileGuestAuthorUserGroupName=hwDot1xAccessProfileGuestAuthorUserGroupName, hwAuthenSchemeName=hwAuthenSchemeName, hwAccessUserName=hwAccessUserName, hwAccessUpPacket64=hwAccessUpPacket64, hwAAATraps=hwAAATraps, hwAccessIdleCutFlow=hwAccessIdleCutFlow, hwAccessAPMAC=hwAccessAPMAC, hwDomainFlowUpPkt=hwDomainFlowUpPkt, hwSlotCardConnectNumDualOnlineNum=hwSlotCardConnectNumDualOnlineNum, userAuthenProfileGroup=userAuthenProfileGroup, hwUserSlotMaxNum=hwUserSlotMaxNum, hwTotalSuccessBindConnectNum=hwTotalSuccessBindConnectNum, hwAuthEventPreAuthVlan=hwAuthEventPreAuthVlan, hwLocalUserPriority=hwLocalUserPriority, hwAccessDelayPerSlotSlot=hwAccessDelayPerSlotSlot, hwGlobalAuthEventAuthenServerDownResponseFail=hwGlobalAuthEventAuthenServerDownResponseFail, hwDomainIPConflictNum=hwDomainIPConflictNum, hwCutDomain=hwCutDomain, hwAccessDelayPerSlotMinTime=hwAccessDelayPerSlotMinTime, hwMACAuthenAccessProfilePermitAuthenMAC=hwMACAuthenAccessProfilePermitAuthenMAC, hwGlobalAuthEventPreAuthVlan=hwGlobalAuthEventPreAuthVlan, hwSlotCardConnectNumWebAuthNum=hwSlotCardConnectNumWebAuthNum, hwUserIPAllocAlarmResume=hwUserIPAllocAlarmResume, hwAuthorRowStatus=hwAuthorRowStatus, hwDomainAccessUserStatTable=hwDomainAccessUserStatTable, hwResetUserLogStatistic=hwResetUserLogStatistic, hwAuthEventAuthenServerDownVlan=hwAuthEventAuthenServerDownVlan, userAuthenProfilePreAuthenAgingTime=userAuthenProfilePreAuthenAgingTime, hwRbsName=hwRbsName, hwPortalAccessProfilePortalServerDownServiceSchemeName=hwPortalAccessProfilePortalServerDownServiceSchemeName, hwMACAuthenAccessProfileTriggerDHCPOptionType=hwMACAuthenAccessProfileTriggerDHCPOptionType, hwIPOXUsernameOption82=hwIPOXUsernameOption82, hwOfflineRecordInterface=hwOfflineRecordInterface, hwDot1xAccessProfileGuestAuthorServiceSchemeName=hwDot1xAccessProfileGuestAuthorServiceSchemeName, hwAuthorizationState=hwAuthorizationState, hwUserAccessPVC=hwUserAccessPVC, hwDomainAuthenSchemeName=hwDomainAuthenSchemeName, hwPriDnsIPv6Address=hwPriDnsIPv6Address, hwLocalUserDeviceType=hwLocalUserDeviceType, hwLocalUserExtGroup=hwLocalUserExtGroup, hwAccessPVC=hwAccessPVC, hwOfflineRecordUserName=hwOfflineRecordUserName, hwMACAccessGroup=hwMACAccessGroup, hwGlobalControl=hwGlobalControl, hwUserGroupNumThreshold=hwUserGroupNumThreshold, hwUserLogAccess=hwUserLogAccess, hwCutAccessUserGroup=hwCutAccessUserGroup, hwGlobalAuthEventClientNoResponseVlan=hwGlobalAuthEventClientNoResponseVlan, hwMulticastProfileExtTable=hwMulticastProfileExtTable, hwAccessSpeedNumber=hwAccessSpeedNumber, hwAaaCompliance=hwAaaCompliance, hwUserGroupThresholdAlarm=hwUserGroupThresholdAlarm, hwIPAccessCID=hwIPAccessCID, hwAaaTrapOidGroup=hwAaaTrapOidGroup, hwAAASessionGroupUpperLimitResume=hwAAASessionGroupUpperLimitResume, hwRealmParseDirection=hwRealmParseDirection, hwAAAInboundVPNUserType=hwAAAInboundVPNUserType, hwAuthenSchemeEntry=hwAuthenSchemeEntry, hwIPv6ManagedAddressFlag=hwIPv6ManagedAddressFlag, hwIPv6CPAssignIFID=hwIPv6CPAssignIFID, hwLocalAuthorize=hwLocalAuthorize, hwAccessPVlanAcctCopyServerGroup=hwAccessPVlanAcctCopyServerGroup, hwDomainQoSProfile=hwDomainQoSProfile, hwIPv6PoolName=hwIPv6PoolName, hwDhcpOpt121RouteDestIp=hwDhcpOpt121RouteDestIp, hwUserGroupCarInBoundCbs=hwUserGroupCarInBoundCbs, hwTotalsshOnlineNum=hwTotalsshOnlineNum, hwAccessDomainName=hwAccessDomainName, hwAuthorCmdTable=hwAuthorCmdTable, hwAccessIndex=hwAccessIndex, hwDot1xAccessProfileEAPNotifyPktEAPType=hwDot1xAccessProfileEAPNotifyPktEAPType, hwDomainIPv6AddressFreeNum=hwDomainIPv6AddressFreeNum, userAuthenProfileTable=userAuthenProfileTable, hwAAAOfflineRecordEntry=hwAAAOfflineRecordEntry, userAuthenProfilePreAuthenUserGroupName=userAuthenProfilePreAuthenUserGroupName, hwAccessIPv6ManagedAddressFlag=hwAccessIPv6ManagedAddressFlag, hwRecordSchemeGroup=hwRecordSchemeGroup, hwPortalAccessProfileLocalServerAnonymous=hwPortalAccessProfileLocalServerAnonymous, hwAaaUserDot1XGroup=hwAaaUserDot1XGroup, hwMACAuthenAccessProfileUserNameDHCPOption=hwMACAuthenAccessProfileUserNameDHCPOption, hwDomainTable=hwDomainTable, hwIPAccessVRF=hwIPAccessVRF, hwSrvSchemeIpPoolTwoName=hwSrvSchemeIpPoolTwoName, hwDomainIncludeIPPoolGroupName=hwDomainIncludeIPPoolGroupName, hwDomainExtTable=hwDomainExtTable, hwIPv6PoolWarningThreshold=hwIPv6PoolWarningThreshold, hwWlanInterfaceTable=hwWlanInterfaceTable, hwNtvUserProfileName=hwNtvUserProfileName, hwOnlineFailReasonStatistic=hwOnlineFailReasonStatistic, hwUserDomainName=hwUserDomainName, hwIPAccessTable=hwIPAccessTable, userAuthenProfileArpDetect=userAuthenProfileArpDetect, hwLocalUserGroup=hwLocalUserGroup, hwVpnAccessUserStatVpnName=hwVpnAccessUserStatVpnName, hwLocalUserTimeRange=hwLocalUserTimeRange, hwAuthEventAuthFailVlan=hwAuthEventAuthFailVlan, hwLocalUserBlockFailTimes=hwLocalUserBlockFailTimes, hwAAASlotIPv6AddressThresholdResume=hwAAASlotIPv6AddressThresholdResume, hwMACAuthenAccessProfileTable=hwMACAuthenAccessProfileTable, hwMACAuthenAccessProfileFixedPassword=hwMACAuthenAccessProfileFixedPassword, hwMACAuthenAccessProfileTriggerPktType=hwMACAuthenAccessProfileTriggerPktType, hwDhcpOpt121RouteEntry=hwDhcpOpt121RouteEntry, hwSlotCardConnectNumOnlineNum=hwSlotCardConnectNumOnlineNum, hwLAMTrapsDefine=hwLAMTrapsDefine, hwMulticastListBindName=hwMulticastListBindName, hwAAAInboundVPNName=hwAAAInboundVPNName, hwAAARateType=hwAAARateType, hwDot1xAccessProfileEAPNotifyPktEAPCode=hwDot1xAccessProfileEAPNotifyPktEAPCode, hwMulticastListGroup=hwMulticastListGroup, hwIPLowerlimitWarningAlarm=hwIPLowerlimitWarningAlarm, hwAuthorSchemeTable=hwAuthorSchemeTable, userAuthenProfileAuthenticationMode=userAuthenProfileAuthenticationMode, hwMACAuthenAccessProfileName=hwMACAuthenAccessProfileName, hwRemoteRetryTime=hwRemoteRetryTime, hwQosProfileName=hwQosProfileName, hwBillsTFTPMainFileName=hwBillsTFTPMainFileName, hwDot1xAccessProfileTable=hwDot1xAccessProfileTable, hwRecordRowStatus=hwRecordRowStatus, hwPortalAccessProfileName=hwPortalAccessProfileName, hwLocalBlockTime=hwLocalBlockTime, hwAccessVRF=hwAccessVRF, userAuthenProfileName=userAuthenProfileName, hwDomainExt2Entry=hwDomainExt2Entry, hwAcctRowStatus=hwAcctRowStatus, hwAccessIPv6UpFlow64=hwAccessIPv6UpFlow64, hwLocalUserPasswordLifetimeMax=hwLocalUserPasswordLifetimeMax, hwAccessGateway=hwAccessGateway, hwUserVlan=hwUserVlan, hwStatisticPeriod=hwStatisticPeriod, hwOfflineRecordDomainName=hwOfflineRecordDomainName, hwTotalWrdOnlineNum=hwTotalWrdOnlineNum, hwSystemRecord=hwSystemRecord, hwMulticastListRowStatus=hwMulticastListRowStatus, hwDomainAcctRequestsRcvNum=hwDomainAcctRequestsRcvNum, hwAAASessionGroupUpperLimitThreshold=hwAAASessionGroupUpperLimitThreshold, hwAAARateGroup=hwAAARateGroup, hwLocalUserAccessType=hwLocalUserAccessType, hwDomainName=hwDomainName, hwDomainServiceType=hwDomainServiceType, hwAAADomainInboundVPNInstance=hwAAADomainInboundVPNInstance, userAuthenProfileDot1xAccessProfileName=userAuthenProfileDot1xAccessProfileName, hwDomainZone=hwDomainZone, hwDomainStatGroup=hwDomainStatGroup, hwDomainIPPoolMoveTo=hwDomainIPPoolMoveTo, hwDomainNameParseDirection=hwDomainNameParseDirection, hwOnlineUserNumUpperLimitResume=hwOnlineUserNumUpperLimitResume, hwUserLogGroup=hwUserLogGroup, hwSetUserQosProfileFail=hwSetUserQosProfileFail, hwVpnAccessUserStatUserStat=hwVpnAccessUserStatUserStat, hwResetOfflineReasonStatistic=hwResetOfflineReasonStatistic, hwHarddiskOK=hwHarddiskOK, hwAccessDelayPerSlotMaxTime=hwAccessDelayPerSlotMaxTime, hwCmdRecord=hwCmdRecord, hwAuthorCmdLevel=hwAuthorCmdLevel, hwMACAuthenAccessProfileDHCPRelaseOffline=hwMACAuthenAccessProfileDHCPRelaseOffline, PYSNMP_MODULE_ID=hwAaa, hwMACAuthenAccessProfileEntry=hwMACAuthenAccessProfileEntry, hwAAARateRealPercent=hwAAARateRealPercent, hwIfL2tpRadiusForce=hwIfL2tpRadiusForce, userAuthenProfileAuthenFailReAuthenTimer=userAuthenProfileAuthenFailReAuthenTimer, hwAAACallRate=hwAAACallRate, hwAuthorSchemeGroup=hwAuthorSchemeGroup, hwDomainIPExcludeNum=hwDomainIPExcludeNum, hwAccessAPID=hwAccessAPID, hwIPAccessIPaddress=hwIPAccessIPaddress, hwIPPoolThreeName=hwIPPoolThreeName, hwUserGroupThresholdResume=hwUserGroupThresholdResume, hwLocalUserIpAddress=hwLocalUserIpAddress, hwUserInterface=hwUserInterface, hwNasSerial=hwNasSerial, hwDhcpOpt121RouteNextHop=hwDhcpOpt121RouteNextHop, hwSlotCardConnectNumSlot=hwSlotCardConnectNumSlot, hwReauthorizeUsergroup=hwReauthorizeUsergroup, hwAAADomainIPPoolTable=hwAAADomainIPPoolTable, hwDomainIPv6AddressTotalNum=hwDomainIPv6AddressTotalNum, userAuthenProfilePreAuthenVLAN=userAuthenProfilePreAuthenVLAN, hwTotalLnsOnlineNum=hwTotalLnsOnlineNum, hwAAATimerExpireCriticalLevelAlarm=hwAAATimerExpireCriticalLevelAlarm, hwMaxMulticastListNum=hwMaxMulticastListNum, hwSlotCardConnectNumTable=hwSlotCardConnectNumTable, hwUserAuthenState=hwUserAuthenState, userAuthenProfileAuthenServerDownUserGroupName=userAuthenProfileAuthenServerDownUserGroupName, hwRecordTacGroupName=hwRecordTacGroupName, hwDomainAccessUserStatEntry=hwDomainAccessUserStatEntry, hwAdminLoginFailed=hwAdminLoginFailed)
mibBuilder.exportSymbols('HUAWEI-AAA-MIB', hwDomainIncludePoolGroupEntry=hwDomainIncludePoolGroupEntry, hwUpperMacMovedUserPercentage=hwUpperMacMovedUserPercentage, hwMACAccessTable=hwMACAccessTable, hwAAAUserWebandFast=hwAAAUserWebandFast, hwAccessCurAuthorPlace=hwAccessCurAuthorPlace, hwDomainDhcpServerAck=hwDomainDhcpServerAck, hwAAAChasisIPv6AddressThresholdAlarm=hwAAAChasisIPv6AddressThresholdAlarm, hwAuthenFailPolicy=hwAuthenFailPolicy, hwDomainVrf=hwDomainVrf, hwAccessIPv6DnPacket64=hwAccessIPv6DnPacket64, hwRbpStateChange=hwRbpStateChange, hwDot1xAccessProfileReAuthenEnable=hwDot1xAccessProfileReAuthenEnable, hwAAAUserDot1X=hwAAAUserDot1X, hwTotalBindConnectNum=hwTotalBindConnectNum, hwUserType=hwUserType, hwInnerIsolateFlag=hwInnerIsolateFlag, hwPortalAccessProfileTable=hwPortalAccessProfileTable, hwAccessSSID=hwAccessSSID, hwAccessIPv6CPAssignIFID=hwAccessIPv6CPAssignIFID, hwWlanInterfaceEntry=hwWlanInterfaceEntry, hwDomainIdleCutTime=hwDomainIdleCutTime, hwAAAOnlineFailRecordTable=hwAAAOnlineFailRecordTable, hwShowUserLogStatistic=hwShowUserLogStatistic, hwOutboundRecord=hwOutboundRecord, hwGlobalAuthEventPreAuthUserGroup=hwGlobalAuthEventPreAuthUserGroup, hwGlobalAuthEventAuthFailUserGroup=hwGlobalAuthEventAuthFailUserGroup, hwMulticastListEntry=hwMulticastListEntry, hwOfflineRecordUserLoginTime=hwOfflineRecordUserLoginTime, hwAAASessionGroupLowerLimitThreshold=hwAAASessionGroupLowerLimitThreshold, userAuthenProfileRowStatus=userAuthenProfileRowStatus, hwAuthorCmdEntry=hwAuthorCmdEntry, hwUserLogPort=hwUserLogPort, hwLocalUserPwPolicyAdminEntry=hwLocalUserPwPolicyAdminEntry, userAuthenProfileDot1xDefaultDomain=userAuthenProfileDot1xDefaultDomain, hwAAATimerExpireMajorLevelResumeThreshold=hwAAATimerExpireMajorLevelResumeThreshold, hwStateBlockFirstTimeRangeName=hwStateBlockFirstTimeRangeName, hwInterfaceAccessUserStatGroup=hwInterfaceAccessUserStatGroup, hwAccessCARIfUpActive=hwAccessCARIfUpActive, hwTotalLacOnlineNum=hwTotalLacOnlineNum, hwMACAuthenAccessProfileUserNameFixedUserName=hwMACAuthenAccessProfileUserNameFixedUserName, hwAccessSlotNo=hwAccessSlotNo, hwDomainPDPrefixTotalNum=hwDomainPDPrefixTotalNum, hwAccessDelayTime=hwAccessDelayTime, hwGlobalAuthEventAuthenServerDownUserGroup=hwGlobalAuthEventAuthenServerDownUserGroup, userAuthenProfileMACAuthenDefaultDomain=userAuthenProfileMACAuthenDefaultDomain, hwBillPoolTable=hwBillPoolTable, hwAccessIPv6IFID=hwAccessIPv6IFID, hwSlotAccessUserStatTable=hwSlotAccessUserStatTable, hwAAASettingEntry=hwAAASettingEntry, hwPPPUserOfflineStandardize=hwPPPUserOfflineStandardize, hwDomainIncludeIPPoolMoveto=hwDomainIncludeIPPoolMoveto, hwDot1xAccessProfileHandShakePktType=hwDot1xAccessProfileHandShakePktType, hwRedKeyUserMac=hwRedKeyUserMac, hwAAAUserBind=hwAAAUserBind, hwMacMovedQuietMaxUserAlarm=hwMacMovedQuietMaxUserAlarm, userAuthenProfileSingleAccess=userAuthenProfileSingleAccess, hwSlotCardConnectNumCard=hwSlotCardConnectNumCard, hwUserIPAddress=hwUserIPAddress, hwLocalUserPasswordLifetimeMin=hwLocalUserPasswordLifetimeMin, hwAccessIPv6LanPrefixLen=hwAccessIPv6LanPrefixLen, hwAAAChasisIPv6AddressThresholdResume=hwAAAChasisIPv6AddressThresholdResume, hwAAASessionGroupLowerLimitResume=hwAAASessionGroupLowerLimitResume, hwAdminUserPriority=hwAdminUserPriority, userAuthenticationFreeRuleDestinationIP=userAuthenticationFreeRuleDestinationIP, hwAccessIPv6UpPacket64=hwAccessIPv6UpPacket64, userAuthenticationFreeRuleDestinationIPMask=userAuthenticationFreeRuleDestinationIPMask, hwAaaConformance=hwAaaConformance, hwDomainIPUsedNum=hwDomainIPUsedNum, hwDomainNDRAPrefixTotalNum=hwDomainNDRAPrefixTotalNum, hwAuthenSchemeGroup=hwAuthenSchemeGroup, hwIPOXUsernameIP=hwIPOXUsernameIP, userAuthenticationFreeRuleDestinationProtocol=userAuthenticationFreeRuleDestinationProtocol, hwQoSProfileName=hwQoSProfileName, hwDomainNameDelimiter=hwDomainNameDelimiter, hwTotalDualStackOnlineNum=hwTotalDualStackOnlineNum, hwAccessExtEntry=hwAccessExtEntry, hwDomainIPTotalNum=hwDomainIPTotalNum, hwAAATimerExpireMajorLevelResume=hwAAATimerExpireMajorLevelResume, hwAAARateTable=hwAAARateTable, hwAAARateDirection=hwAAARateDirection, hwDot1xAccessProfileClientTimeout=hwDot1xAccessProfileClientTimeout, hwPortalURL=hwPortalURL, hwServiceSchemeEntry=hwServiceSchemeEntry, userAuthenProfileAuthenFailAgingTime=userAuthenProfileAuthenFailAgingTime, hwAAACpuUsage=hwAAACpuUsage, hwSlotCardConnectNum8021xAuthNum=hwSlotCardConnectNum8021xAuthNum, hwUserGroupEntry=hwUserGroupEntry, hwStateBlockForthTimeRangeName=hwStateBlockForthTimeRangeName, hwTotalAuthenFailNum=hwTotalAuthenFailNum, hwTotaltelnetOnlineNum=hwTotaltelnetOnlineNum, hwMACAccessCID=hwMACAccessCID, hwAuthenFailDomain=hwAuthenFailDomain, hwCutEndUserID=hwCutEndUserID, hwDomainFlowUpByte=hwDomainFlowUpByte, userAuthenticationFreeRuleSourceIP=userAuthenticationFreeRuleSourceIP, hwDomainIPPoolMoveToEntry=hwDomainIPPoolMoveToEntry, hwIPv6AddressLowerlimitWarningResume=hwIPv6AddressLowerlimitWarningResume, userAuthenProfilePortalDefaultDomain=userAuthenProfilePortalDefaultDomain, hwDot1xAccessProfileURL=hwDot1xAccessProfileURL, hwAdminEnable=hwAdminEnable, hwDomainFlowDnByte=hwDomainFlowDnByte, hwServiceSchemeDnsSecond=hwServiceSchemeDnsSecond, hwAcctSchemeName=hwAcctSchemeName, hwAccEnable=hwAccEnable, userAuthenProfileUserGroupName=userAuthenProfileUserGroupName, hwStartFailOnlineIfSendInterim=hwStartFailOnlineIfSendInterim, hwSlotCardConnectNumNoAuthNum=hwSlotCardConnectNumNoAuthNum, userAuthenProfilePortalAccessProfileName=userAuthenProfilePortalAccessProfileName, hwAAAOnlineFailIndex=hwAAAOnlineFailIndex, hwUserMaxNum=hwUserMaxNum, hwPoratalServerUrlParameter=hwPoratalServerUrlParameter, hwLocalUserCallBackDialStr=hwLocalUserCallBackDialStr, hwdomainipv6nexthop=hwdomainipv6nexthop, hwUserIPv6PDPrefixLength=hwUserIPv6PDPrefixLength, hwAccessBasicIPType=hwAccessBasicIPType, hwWlanInterfaceDomainNameSecurityDelimiter=hwWlanInterfaceDomainNameSecurityDelimiter, hwMulticastListSourceIpMask=hwMulticastListSourceIpMask, hwCutMacAddres=hwCutMacAddres, hwAccessCurAuthenPlace=hwAccessCurAuthenPlace, hwMACAuthenAccessProfileReauthenticationTimeout=hwMACAuthenAccessProfileReauthenticationTimeout, hwDomainNDRAPrefixExcludeNum=hwDomainNDRAPrefixExcludeNum, hwDot1xAccessProfileEthTrunkHandShakePeriod=hwDot1xAccessProfileEthTrunkHandShakePeriod, hwDomainPDPrefixUsedNum=hwDomainPDPrefixUsedNum, hwTotalIPv4FlowUpByte=hwTotalIPv4FlowUpByte, hwUserName=hwUserName, hwAAASessionLowerLimitThreshold=hwAAASessionLowerLimitThreshold, hwDomainIncludeIPPoolName=hwDomainIncludeIPPoolName, hwIdleTimeLength=hwIdleTimeLength, hwAuthorSchemeName=hwAuthorSchemeName, hwOfflineRecordIPAddress=hwOfflineRecordIPAddress, userAuthenProfileAuthenFailAuthorVLAN=userAuthenProfileAuthenFailAuthorVLAN, hwSecDnsIPv6Address=hwSecDnsIPv6Address, hwAccessCARUpPIR=hwAccessCARUpPIR, hwMulticastProfileExtRowStatus=hwMulticastProfileExtRowStatus, hwLocalUserPasswordIsOrginal=hwLocalUserPasswordIsOrginal, hwAaaTrapsNotificationsGroup=hwAaaTrapsNotificationsGroup, hwUclGrpTable=hwUclGrpTable, hwTotalSuccessWebConnectNum=hwTotalSuccessWebConnectNum, hwIPPoolOneName=hwIPPoolOneName, hwUserSlotMaxNumThreshold=hwUserSlotMaxNumThreshold, hwAcctSchemeExtGroup=hwAcctSchemeExtGroup, hwIPv6CPIFIDAvailable=hwIPv6CPIFIDAvailable, hwInterIsolateFlag=hwInterIsolateFlag, hwUserLogTable=hwUserLogTable, hwWebServerUrlParameter=hwWebServerUrlParameter, hwTotalftpOnlineNum=hwTotalftpOnlineNum, hwAccessExtTable=hwAccessExtTable, hwSlotCardConnectNumPPPAuthNum=hwSlotCardConnectNumPPPAuthNum, hwUclIndex=hwUclIndex, hwDomainNDRAPrefixConflictNum=hwDomainNDRAPrefixConflictNum, userAuthenProfileAuthenServerDownServiceSchemeName=userAuthenProfileAuthenServerDownServiceSchemeName, hwAAAAccessUserResourceOrCpuResume=hwAAAAccessUserResourceOrCpuResume, hwOfflineRecordUserID=hwOfflineRecordUserID, hwAccessGroup=hwAccessGroup, hwAAADomainIPPoolName=hwAAADomainIPPoolName, hwPortalAccessProfilePortalServerName=hwPortalAccessProfilePortalServerName, hwRbpNewState=hwRbpNewState, hwUserIPv6PDPrefix=hwUserIPv6PDPrefix, hw8021pRemark=hw8021pRemark, hwLocalUserExtTable=hwLocalUserExtTable, hwServiceSchemeIdleCutFlow=hwServiceSchemeIdleCutFlow, hwAAARateRealUsedCount=hwAAARateRealUsedCount, hwSlotConnectNumEntry=hwSlotConnectNumEntry, hwDomainIPv6AddressUsedPercent=hwDomainIPv6AddressUsedPercent, hwDomainUserGroupName=hwDomainUserGroupName, hwIpAccessGroup=hwIpAccessGroup, hwCutVCI=hwCutVCI, hwAuthEventAuthenServerDownResponseFail=hwAuthEventAuthenServerDownResponseFail, hwEDSGLicenseExpireAlarm=hwEDSGLicenseExpireAlarm, hwLocalUserPasswordExpireTime=hwLocalUserPasswordExpireTime, hwAAAMibObjects=hwAAAMibObjects, hwRemoteDownloadAclThresholdValue=hwRemoteDownloadAclThresholdValue, hwAccessMACAddress=hwAccessMACAddress, hwBillsPoolReset=hwBillsPoolReset, hwAcctSessionID=hwAcctSessionID, hwDot1xAccessProfileUnicastTrigger=hwDot1xAccessProfileUnicastTrigger, hwAAAOfflineIndex=hwAAAOfflineIndex, hwAAATimerExpireCriticalLevelThreshold=hwAAATimerExpireCriticalLevelThreshold, hwLocalUserPwPolicyAccEntry=hwLocalUserPwPolicyAccEntry, hwAaaUserPppGroup=hwAaaUserPppGroup, hwLocalUserVpnInstance=hwLocalUserVpnInstance, hwTotalOtherPPPFailNum=hwTotalOtherPPPFailNum, hwDomainIdleCutFlow=hwDomainIdleCutFlow, hwDomainAuthenRequestsRcvNum=hwDomainAuthenRequestsRcvNum, hwAdminAlertOrginal=hwAdminAlertOrginal, hwOfflineReasonStatistic=hwOfflineReasonStatistic, userAuthenProfileDomainNameParseDirection=userAuthenProfileDomainNameParseDirection, hwAAAChasisIPv6AddressThreshold=hwAAAChasisIPv6AddressThreshold, hwTotalIPv4FlowDnPkt=hwTotalIPv4FlowDnPkt, hwSlotAccessUserStatGroup=hwSlotAccessUserStatGroup, hwRealmNameLocation=hwRealmNameLocation, hwDomainAccessUserStatGroup=hwDomainAccessUserStatGroup, hwOnlineUserNumUpperLimitAlarm=hwOnlineUserNumUpperLimitAlarm, hwOnlineUserNumLowerLimitThreshold=hwOnlineUserNumLowerLimitThreshold, hwLocalUserPasswordSetTime=hwLocalUserPasswordSetTime, hwAuthorModifyMode=hwAuthorModifyMode, hwSlotCardConnectNumTunnelAuthNum=hwSlotCardConnectNumTunnelAuthNum, hwMACAuthenAccessProfileRowStatus=hwMACAuthenAccessProfileRowStatus, hwUserLogEntry=hwUserLogEntry, hwAaaUserBindGroup=hwAaaUserBindGroup, hwAAAUserResourceUsage=hwAAAUserResourceUsage, hwAAASessionGroupUpperLimitAlarm=hwAAASessionGroupUpperLimitAlarm, userAuthenProfileEntry=userAuthenProfileEntry, hwLocalUserPasswordIsExpired=hwLocalUserPasswordIsExpired, hwUclGrpRowStatus=hwUclGrpRowStatus, hwDot1xAccessProfileTxPeriod=hwDot1xAccessProfileTxPeriod, hwRealtimeFailMaxnum=hwRealtimeFailMaxnum, hwTotalConnectNum=hwTotalConnectNum, hwServiceSchemeTable=hwServiceSchemeTable, hwUserIPv6Address=hwUserIPv6Address, userAuthenProfileDefaultDomain=userAuthenProfileDefaultDomain, hwOnlineUserNumLowerLimitResume=hwOnlineUserNumLowerLimitResume, hwAccessPortType=hwAccessPortType, hwIPOXpassword=hwIPOXpassword, hwValRadiusServer=hwValRadiusServer, hwDomainIndex=hwDomainIndex, hwTotalIPv6FlowDnByte=hwTotalIPv6FlowDnByte, hwRecordSchemeName=hwRecordSchemeName, hwUserGroupCarPir=hwUserGroupCarPir, userAuthenProfileDomainNameLocation=userAuthenProfileDomainNameLocation, hwLocalUserIdleTimeoutSecond=hwLocalUserIdleTimeoutSecond, hwAclId=hwAclId, hwDomainAuthenAcceptsNum=hwDomainAuthenAcceptsNum, hwLpRemark=hwLpRemark, hwAdminLoginFailedClear=hwAdminLoginFailedClear, hwMacMovedUserPercentage=hwMacMovedUserPercentage, userAuthenProfileMaxUser=userAuthenProfileMaxUser, hwDomainExtGroup=hwDomainExtGroup, hwUserMAC=hwUserMAC, hwOfflineReason=hwOfflineReason, hwReauthorizeUsername=hwReauthorizeUsername, hwValAcctType=hwValAcctType, hwDomainAcctRspSuccessNum=hwDomainAcctRspSuccessNum, hwMulticastProfileEntry=hwMulticastProfileEntry, hwCopsGroupSIGType=hwCopsGroupSIGType, hwAAADomainIPPoolRowStatus=hwAAADomainIPPoolRowStatus, hwDnsIPAddress=hwDnsIPAddress, hwTotalIPv6FlowUpByte=hwTotalIPv6FlowUpByte, hwAAAOnlineFailRecordEntry=hwAAAOnlineFailRecordEntry, userAuthenticationFreeRuleACLNumber=userAuthenticationFreeRuleACLNumber, hwValCopsServer=hwValCopsServer, hwAccessVLANID=hwAccessVLANID, hwDomainIgmpEnable=hwDomainIgmpEnable, userAuthenticationFreeRuleName=userAuthenticationFreeRuleName, hwRbsDown=hwRbsDown, hwAccessIPv6WanAddress=hwAccessIPv6WanAddress, hwUserGroupCarInBoundPbs=hwUserGroupCarInBoundPbs, userAuthenProfileDot1xForceDomain=userAuthenProfileDot1xForceDomain, hwAccessIfIdleCut=hwAccessIfIdleCut, hwMulticastVirtualSchedulRezCir=hwMulticastVirtualSchedulRezCir, hwHarddiskReachThreshold=hwHarddiskReachThreshold, hwPortalAccessProfileRowStatus=hwPortalAccessProfileRowStatus, hwDomainEntry=hwDomainEntry, hwLowerMacMovedUserPercentage=hwLowerMacMovedUserPercentage)
mibBuilder.exportSymbols('HUAWEI-AAA-MIB', hwDomainExt2Table=hwDomainExt2Table, hwAAARateRealPeak=hwAAARateRealPeak, hwWlanInterfaceGroup=hwWlanInterfaceGroup, hwReauthorizeEntry=hwReauthorizeEntry, hwOfflineRecordUserLogoutTime=hwOfflineRecordUserLogoutTime, hwDomainOutboundL2tpQoSProfile=hwDomainOutboundL2tpQoSProfile, hwLocalUserEntry=hwLocalUserEntry, hwTotalIPv6FlowUpPkt=hwTotalIPv6FlowUpPkt, hwDhcpUserOnlineFailCount=hwDhcpUserOnlineFailCount, hwAccessDomainAcctCopySeverGroup=hwAccessDomainAcctCopySeverGroup, hwOfflineRecordOfflineReason=hwOfflineRecordOfflineReason, hwTotalVLANOnlineNum=hwTotalVLANOnlineNum, hwIPv6AddressLowerlimitWarningAlarm=hwIPv6AddressLowerlimitWarningAlarm, hwStateBlockSecondTimeRangeName=hwStateBlockSecondTimeRangeName, hwAccessResourceInsufficientOutbound=hwAccessResourceInsufficientOutbound, hwPoratalServerFirstUrlKeyDefaultName=hwPoratalServerFirstUrlKeyDefaultName, hwHarddiskoverflow=hwHarddiskoverflow, hwAFTRName=hwAFTRName, hwAccessDelayPerSlotTransitionStep=hwAccessDelayPerSlotTransitionStep, hwOfflineReasonStatGroup=hwOfflineReasonStatGroup, hwDomainAcctSchemeName=hwDomainAcctSchemeName, userAuthenticationFreeRuleRowStatus=userAuthenticationFreeRuleRowStatus, hwBindAuthWebIP=hwBindAuthWebIP, hwDomainStatEntry=hwDomainStatEntry, hwTotalIPv4OnlineNum=hwTotalIPv4OnlineNum, hwVpnAccessUserStatEntry=hwVpnAccessUserStatEntry, hwRbpChangeName=hwRbpChangeName, hwAccessIPv6LanPrefix=hwAccessIPv6LanPrefix, hwSlotAccessUserStatUserStat=hwSlotAccessUserStatUserStat, hwLocalUserRowStatus=hwLocalUserRowStatus, hwAccessAcctMethod=hwAccessAcctMethod, hwAccessUserGroup=hwAccessUserGroup, hwOfflineRecordUserMAC=hwOfflineRecordUserMAC, hwOnlineUserNumLowerLimitAlarm=hwOnlineUserNumLowerLimitAlarm, hwAcctSchemeExtTable=hwAcctSchemeExtTable, hwStateBlockThirdTimeRangeName=hwStateBlockThirdTimeRangeName, hwDomainIfSrcRoute=hwDomainIfSrcRoute, hwWebServerIPSlave=hwWebServerIPSlave, hwIPv6PoolLowerLimitWarningThreshold=hwIPv6PoolLowerLimitWarningThreshold, hwAdminAlertBefore=hwAdminAlertBefore, hwMACAuthenAccessProfileDHCPRenewReAuthen=hwMACAuthenAccessProfileDHCPRenewReAuthen, hwGlobalAuthEventAuthenServerDownVlan=hwGlobalAuthEventAuthenServerDownVlan, hwAuthEventAuthFailResponseFail=hwAuthEventAuthFailResponseFail, hwPortalAccessProfileAlarmUserHighNum=hwPortalAccessProfileAlarmUserHighNum, hwAccessCARDnCIR=hwAccessCARDnCIR, hwMulticastListGroupIp=hwMulticastListGroupIp, hwRbpChangeReason=hwRbpChangeReason, hwTotalSuccessDot1XConnectNum=hwTotalSuccessDot1XConnectNum, hwEDSGLicenseExpireResume=hwEDSGLicenseExpireResume, hwDot1xAccessProfileTriggerPktType=hwDot1xAccessProfileTriggerPktType, hwUserGroupUserVlanPool=hwUserGroupUserVlanPool, hwVpdnGroupName=hwVpdnGroupName, hwDomainNextHopIP=hwDomainNextHopIP, hwAccessPortNo=hwAccessPortNo, hwDomainPDPrefixConflictNum=hwDomainPDPrefixConflictNum, userAuthenProfileAuthenFailAuthorUserGroupName=userAuthenProfileAuthenFailAuthorUserGroupName, hwDomainIPv6FlowDnPkt=hwDomainIPv6FlowDnPkt, hwUclGrpGroup=hwUclGrpGroup, userAuthenProfileDomainNameDelimiter=userAuthenProfileDomainNameDelimiter, hwAccessDelayTransitionStep=hwAccessDelayTransitionStep, hwDomainFlowStatistic=hwDomainFlowStatistic, hwDomainNameSecurityDelimiter=hwDomainNameSecurityDelimiter, hwLocalUserState=hwLocalUserState, userAuthenProfileAuthenSchemeName=userAuthenProfileAuthenSchemeName, hwUserGroupCarCbs=hwUserGroupCarCbs, hwTotalPPPoAOnlineNum=hwTotalPPPoAOnlineNum, hwSlotCardConnectNumAdminAuthNum=hwSlotCardConnectNumAdminAuthNum, hwMACAuthenAccessProfileReAuthenEnable=hwMACAuthenAccessProfileReAuthenEnable, hwShapingTemplate=hwShapingTemplate, hwRemoteDownloadAclUsedValue=hwRemoteDownloadAclUsedValue, hwReauthorizeEnable=hwReauthorizeEnable, hwRemoteDownloadAclThresholdResume=hwRemoteDownloadAclThresholdResume, hwHdWarningThreshold=hwHdWarningThreshold, hwLocalUserPwPolicyAccGroup=hwLocalUserPwPolicyAccGroup, hwDomainAccessLimitNum=hwDomainAccessLimitNum, hwDot1xAccessProfileGroup=hwDot1xAccessProfileGroup, hwBindAuthWebVrf=hwBindAuthWebVrf, hwAAARateRealAverage=hwAAARateRealAverage, hwAccessIdleCutTime=hwAccessIdleCutTime, hwSlotCardConnectNumWlanAuthNum=hwSlotCardConnectNumWlanAuthNum, hwGlobalAuthEventClientNoResponseUserGroup=hwGlobalAuthEventClientNoResponseUserGroup, hwUserLoginTime=hwUserLoginTime, hwDomainIPv6AddressConflictNum=hwDomainIPv6AddressConflictNum, hwAuthEventCfgTable=hwAuthEventCfgTable, hwServiceSchemeRowStatus=hwServiceSchemeRowStatus, hwCutUserAttri=hwCutUserAttri, hwDhcpOpt121RouteTable=hwDhcpOpt121RouteTable, hwCutAccessInterface=hwCutAccessInterface, hwMacMovedQuietUserClearAlarm=hwMacMovedQuietUserClearAlarm, hwBindAuthWebIPSlave=hwBindAuthWebIPSlave, hwMacMovedQuietUserSpec=hwMacMovedQuietUserSpec, hwBillTFTPTable=hwBillTFTPTable, hwRecordSchemeEntry=hwRecordSchemeEntry, hwUclGroupName=hwUclGroupName, hwAccessNormalServerGroup=hwAccessNormalServerGroup, hwDomainIncludePoolGroupTable=hwDomainIncludePoolGroupTable, hwAccessIPv6DnFlow64=hwAccessIPv6DnFlow64, hwDomainRadiusGroupName=hwDomainRadiusGroupName, hwIPv6CPWaitDHCPv6Delay=hwIPv6CPWaitDHCPv6Delay, hwTotalIPv4FlowDnByte=hwTotalIPv4FlowDnByte, hwSlotCardConnectNumIPv4OnlineNum=hwSlotCardConnectNumIPv4OnlineNum, hwPortalAccessProfileLocalServerEnable=hwPortalAccessProfileLocalServerEnable, hwDomainIncludePoolGroup=hwDomainIncludePoolGroup, hwMACAuthenAccessProfileMACAddressPassword=hwMACAuthenAccessProfileMACAddressPassword, hwLocalUserPwPolicyAdminGroup=hwLocalUserPwPolicyAdminGroup, hwDomainGre=hwDomainGre, hwCutIfIndex=hwCutIfIndex, hwAccessIPAddress=hwAccessIPAddress, hwAuthenRowStatus=hwAuthenRowStatus, hwLoginFailedTimes=hwLoginFailedTimes, hwTotalNCPFailNum=hwTotalNCPFailNum, hwAccessActionFlag=hwAccessActionFlag, hwGlobalDhcpOpt64SepAndSeg=hwGlobalDhcpOpt64SepAndSeg, userAuthenProfileAuthenticationMaxUser=userAuthenProfileAuthenticationMaxUser, hwAccessIPv6CPIFIDAvailable=hwAccessIPv6CPIFIDAvailable, hwCutAccessSlot=hwCutAccessSlot, hwAAADomainIPPoolIndex=hwAAADomainIPPoolIndex, hwAcctStartFail=hwAcctStartFail, hwUserIPv6AddressAllocAlarm=hwUserIPv6AddressAllocAlarm, hwMulticastListName=hwMulticastListName, hwRemoteRetryInterval=hwRemoteRetryInterval, hwRoamChar=hwRoamChar, hwOnlineUserNumUpperLimitThreshold=hwOnlineUserNumUpperLimitThreshold, hwBillsPoolAlarmThreshold=hwBillsPoolAlarmThreshold, hwCutIPPoolName=hwCutIPPoolName, hwDomainPPPURL=hwDomainPPPURL, hwPortalAccessProfileAuthenNetWork=hwPortalAccessProfileAuthenNetWork, hwMulticastListVpnInstance=hwMulticastListVpnInstance, userAuthenticationFreeRuleSourceVlan=userAuthenticationFreeRuleSourceVlan, hwAcctRealTimeIntervalUnit=hwAcctRealTimeIntervalUnit, hwSrvSchemeAdminUserPriority=hwSrvSchemeAdminUserPriority, userAuthenticationFreeRuleSourceIPMask=userAuthenticationFreeRuleSourceIPMask, hwMulticastVirtualSchedulRezPir=hwMulticastVirtualSchedulRezPir, hwRemoteBlockTime=hwRemoteBlockTime, hwAuthorCmdMode=hwAuthorCmdMode, hwMulticastProfileExtEntry=hwMulticastProfileExtEntry, hwLocalUserIfAllowWeakPassword=hwLocalUserIfAllowWeakPassword, hwBillsTFTPSrvIP=hwBillsTFTPSrvIP, hwAAAUserPPP=hwAAAUserPPP, userAuthenticationFreeRuleSourceMac=userAuthenticationFreeRuleSourceMac, hwReauthorizeGroup=hwReauthorizeGroup, hwServiceSchemeIdleCutFlowValue=hwServiceSchemeIdleCutFlowValue, hwPortalAccessProfileAlarmUserLowNum=hwPortalAccessProfileAlarmUserLowNum, hwCutUserGroup=hwCutUserGroup, hwOfflineRecordAccessPeVlan=hwOfflineRecordAccessPeVlan, userAuthenticationFreeRuleEntry=userAuthenticationFreeRuleEntry, hwAccessTimeLimit=hwAccessTimeLimit, hwCutUserSSID=hwCutUserSSID, hwAccessUCLGroup=hwAccessUCLGroup, hwAccMethod=hwAccMethod, hwWebServerRedirectKeyMscgName=hwWebServerRedirectKeyMscgName, hwReplyMessage=hwReplyMessage, hwPortalAccessProfileGroup=hwPortalAccessProfileGroup, hwAAATimerExpireMajorLevelAlarm=hwAAATimerExpireMajorLevelAlarm, hwUserGroupCarPbs=hwUserGroupCarPbs, hwSlotConnectNumTable=hwSlotConnectNumTable, hwAdminPwHistroyRecordNum=hwAdminPwHistroyRecordNum, hwAAATimerExpireCriticalLevelResume=hwAAATimerExpireCriticalLevelResume, hwDomainForcePushUrl=hwDomainForcePushUrl, hwPortalServerIP=hwPortalServerIP, hwAAADomainOutboundQoSProfile=hwAAADomainOutboundQoSProfile, hwAAAInboundVPNAccessUserStat=hwAAAInboundVPNAccessUserStat, hwAAADomainInboundQoSProfile=hwAAADomainInboundQoSProfile, userAuthenProfilePortalForceDomain=userAuthenProfilePortalForceDomain, hwAuthEventClientNoResponseVlan=hwAuthEventClientNoResponseVlan, hwTotalOnlineNum=hwTotalOnlineNum, hwRecordSchemeTable=hwRecordSchemeTable, hwDomainNameLocation=hwDomainNameLocation, hwftpdirction=hwftpdirction, hwMaxUserThresholdType=hwMaxUserThresholdType, hwDot1xAccessProfileMaxRetryValue=hwDot1xAccessProfileMaxRetryValue, hwDomainForcePushUrlTemplate=hwDomainForcePushUrlTemplate, hwBillsPoolVolume=hwBillsPoolVolume, hwAccessExtGroup=hwAccessExtGroup, hwOnlineFailReason=hwOnlineFailReason, hwDomainIPPoolMoveToTable=hwDomainIPPoolMoveToTable, hwAccessDelayMinTime=hwAccessDelayMinTime, hwTotalIPv4FlowUpPkt=hwTotalIPv4FlowUpPkt, hwWebServerMode=hwWebServerMode, userAuthenProfileFreeRuleName=userAuthenProfileFreeRuleName, hwDot1xAccessProfileName=hwDot1xAccessProfileName, userAuthenProfileSecurityNameDelimiter=userAuthenProfileSecurityNameDelimiter, hwInterfaceAccessUserStatUserStat=hwInterfaceAccessUserStatUserStat, hwOnlineUserNumAlarm=hwOnlineUserNumAlarm, hwAAAPasswordRepeatNumber=hwAAAPasswordRepeatNumber, hwAAADomainIPPoolPosition=hwAAADomainIPPoolPosition, hwPCReducePir=hwPCReducePir, hwDomainIPv6FlowUpPkt=hwDomainIPv6FlowUpPkt, hwAaaCompliances=hwAaaCompliances, hwBindAuthWebVrfSlave=hwBindAuthWebVrfSlave, hwServiceSchemeDnsFirst=hwServiceSchemeDnsFirst, hwIPv6PrefixshareFlag=hwIPv6PrefixshareFlag, hwTotalWebConnectNum=hwTotalWebConnectNum, hwAuthorSchemeEntry=hwAuthorSchemeEntry, hwDomainGroup=hwDomainGroup, hwVpnAccessUserStatGroup=hwVpnAccessUserStatGroup, hwAAAOfflineRecordTable=hwAAAOfflineRecordTable, hwIPv6NDRAPrefixLowerlimitWarningResume=hwIPv6NDRAPrefixLowerlimitWarningResume, hwUserIPAllocAlarm=hwUserIPAllocAlarm, hwAccessIPv6WaitDelay=hwAccessIPv6WaitDelay, hwBillsPoolBackupMode=hwBillsPoolBackupMode, hwDownPriority=hwDownPriority, userAuthenProfileAuthenFailAuthorResponseSuccess=userAuthenProfileAuthenFailAuthorResponseSuccess, hwAccessStartAcctTime=hwAccessStartAcctTime, hwUserNDRAPrefixAllocAlarm=hwUserNDRAPrefixAllocAlarm, hwDomainOnlinePPPUser=hwDomainOnlinePPPUser, hwCopsGroupSSGType=hwCopsGroupSSGType, hwTwoLevelAcctRadiusGroupName=hwTwoLevelAcctRadiusGroupName, hwPolicyRouteThreshold=hwPolicyRouteThreshold, hwGlobalAuthEventAuthFailResponseFail=hwGlobalAuthEventAuthFailResponseFail, hwPPPForceAuthtype=hwPPPForceAuthtype, hwDomainStatTable=hwDomainStatTable, hwMACAccessMACAddress=hwMACAccessMACAddress, userAuthenticationFreeRuleExtTable=userAuthenticationFreeRuleExtTable, hwResetHistoricMaxOnlineNum=hwResetHistoricMaxOnlineNum, hwVpnAccessUserStatTable=hwVpnAccessUserStatTable, hwAuthEventAuthFailUserGroup=hwAuthEventAuthFailUserGroup, hwAccessCARUpCBS=hwAccessCARUpCBS, hwGlobalAuthEventAuthFailVlan=hwGlobalAuthEventAuthFailVlan, hwUserBasicServiceIPType=hwUserBasicServiceIPType, hwMaxPPPoeOnlineNum=hwMaxPPPoeOnlineNum, hwBillsPoolNum=hwBillsPoolNum, hwCutVRF=hwCutVRF, userAuthenProfilePreAuthenServiceSchemeName=userAuthenProfilePreAuthenServiceSchemeName, hwAAATrapsDefine=hwAAATrapsDefine, hwAAAPasswordRemindDay=hwAAAPasswordRemindDay, hwAcctSchemeTable=hwAcctSchemeTable, hwDomainExtEntry=hwDomainExtEntry, hwCopsGroupCIPNType=hwCopsGroupCIPNType, hwUserDelegationPrefixAllocAlarmResume=hwUserDelegationPrefixAllocAlarmResume, hwCutStartUserID=hwCutStartUserID, hwDot1xAccessProfileEntry=hwDot1xAccessProfileEntry, userAuthenProfileAuthenFailAuthorServiceSchemeName=userAuthenProfileAuthenFailAuthorServiceSchemeName, hwMACAuthenAccessProfileMACAddressFormat=hwMACAuthenAccessProfileMACAddressFormat, hwAccessTotalFlow64Limit=hwAccessTotalFlow64Limit, hwBillsPoolBackupInterval=hwBillsPoolBackupInterval, hwWlanInterfaceDomainNameLocation=hwWlanInterfaceDomainNameLocation, hwAAASlotIPv6AddressThreshold=hwAAASlotIPv6AddressThreshold, hwSlotCardConnectNumIPv6OnlineNum=hwSlotCardConnectNumIPv6OnlineNum, hwAccessDnFlow64=hwAccessDnFlow64, hwRealmNameChar=hwRealmNameChar, hwDhcpOpt121RouteMask=hwDhcpOpt121RouteMask, hwTriggerLoose=hwTriggerLoose, hwPortalAccessProfilePortalServerDownUserGroupName=hwPortalAccessProfilePortalServerDownUserGroupName, userAuthenProfileAuthenServerDownResponseSuccess=userAuthenProfileAuthenServerDownResponseSuccess, hwSrvSchemeIpPoolThreeName=hwSrvSchemeIpPoolThreeName, hwAccessCARIfDnActive=hwAccessCARIfDnActive, hwIfPPPoeURL=hwIfPPPoeURL, hwServiceSchemeGroup=hwServiceSchemeGroup, hwAcctSchemeExtEntry=hwAcctSchemeExtEntry, hwAccessDnPacket64=hwAccessDnPacket64, hwUserLogVersion=hwUserLogVersion, hwAdminExpire=hwAdminExpire, hwSlotCardConnectNumBindAuthNum=hwSlotCardConnectNumBindAuthNum)
mibBuilder.exportSymbols('HUAWEI-AAA-MIB', userAuthenProfileArpDetectTimer=userAuthenProfileArpDetectTimer, hwDhcpOpt121RouteGroup=hwDhcpOpt121RouteGroup, hwAAATrapOid=hwAAATrapOid, hwUserGroupEnable=hwUserGroupEnable, hwDot1xAccessProfileGuestAuthorVLAN=hwDot1xAccessProfileGuestAuthorVLAN, hwAAADomainIPPoolGroup=hwAAADomainIPPoolGroup, userAuthenProfileMacAuthenAccessProfileName=userAuthenProfileMacAuthenAccessProfileName, hwAaaUserWebandFastGroup=hwAaaUserWebandFastGroup, hwAccessAuthenMethod=hwAccessAuthenMethod, hwUserGroupName=hwUserGroupName, hwAccessDelayPerSlotTable=hwAccessDelayPerSlotTable, hwAAAOnlineSessoinLowerLimitResume=hwAAAOnlineSessoinLowerLimitResume, hwOnlineUserNumThreshold=hwOnlineUserNumThreshold, hwServiceSchemeUserPriority=hwServiceSchemeUserPriority, hwDot1xAccessProfileServerTimeout=hwDot1xAccessProfileServerTimeout, hwUserSlot=hwUserSlot, hwAAATimerExpireMajorLevelThreshold=hwAAATimerExpireMajorLevelThreshold, hwInterfaceAccessUserStatTable=hwInterfaceAccessUserStatTable, hwPoolWarningThreshold=hwPoolWarningThreshold, hwAccessPriority=hwAccessPriority, userAuthenProfileMACBypass=userAuthenProfileMACBypass, hwGlobalDhcpServerAck=hwGlobalDhcpServerAck, hwLocalUserPassword=hwLocalUserPassword, hwLocalUserUserGroup=hwLocalUserUserGroup, userAuthenProfileAcctSchemeName=userAuthenProfileAcctSchemeName, hwUserAccessPeVlan=hwUserAccessPeVlan, hwDomainAuthorSchemeName=hwDomainAuthorSchemeName, hwIfDomainActive=hwIfDomainActive, hwParsePriority=hwParsePriority, hwSlotCardConnectNumFastAuthNum=hwSlotCardConnectNumFastAuthNum, hwAAASessionUpperLimitThreshold=hwAAASessionUpperLimitThreshold, hwUserAccessType=hwUserAccessType, hwOfflineRecordAccessType=hwOfflineRecordAccessType, userAuthenticationFreeRuleNumber=userAuthenticationFreeRuleNumber, hwDot1xAccessProfileIfEAPEnd=hwDot1xAccessProfileIfEAPEnd, hwMulticastListTable=hwMulticastListTable, hwAcctOnlineFail=hwAcctOnlineFail, hwCachetoFTPFail=hwCachetoFTPFail, hwOfflineSpeedNumber=hwOfflineSpeedNumber, hwAAAInboundVPNAccessUserStatEntry=hwAAAInboundVPNAccessUserStatEntry, hwLocalRetryInterval=hwLocalRetryInterval, hwServiceSchemeIdleCutTime=hwServiceSchemeIdleCutTime, hwMulticastProfileRowStatus=hwMulticastProfileRowStatus, hwMulticastListGroupIpMask=hwMulticastListGroupIpMask, hwAccessDeviceMACAddress=hwAccessDeviceMACAddress, hwDualStackAccountingType=hwDualStackAccountingType, hwAAASetting=hwAAASetting, userAuthenticationFreeRuleExtRowStatus=userAuthenticationFreeRuleExtRowStatus, hwMulticastProfileExtGroup=hwMulticastProfileExtGroup, hwLocalUserExtEntry=hwLocalUserExtEntry, hwAAARateEntry=hwAAARateEntry, userAuthenticationFreeRuleTable=userAuthenticationFreeRuleTable, hwMaxPortalServerUserNum=hwMaxPortalServerUserNum, userAuthenProfileServiceSchemeName=userAuthenProfileServiceSchemeName, hwDomainPDPrefixFreeNum=hwDomainPDPrefixFreeNum, hwGlobalDhcpServerAckGroup=hwGlobalDhcpServerAckGroup, hwAccessDelayPerSlotGroup=hwAccessDelayPerSlotGroup, hwUserDelegationPrefixAllocAlarm=hwUserDelegationPrefixAllocAlarm, hwWlanInterfaceDomainNameDelimiter=hwWlanInterfaceDomainNameDelimiter, hwPCReduceCir=hwPCReduceCir, hwAccessSpeedPeriod=hwAccessSpeedPeriod, hwHdFreeamount=hwHdFreeamount, hwLocalUserBlockInterval=hwLocalUserBlockInterval, hwAccessDevicePortName=hwAccessDevicePortName, hwInterfaceAccessUserStatEntry=hwInterfaceAccessUserStatEntry, userAuthenProfileAuthenServerUpReauthen=userAuthenProfileAuthenServerUpReauthen, hwMulticastProfileName=hwMulticastProfileName, hwDomainNDRAPrefixUsedNum=hwDomainNDRAPrefixUsedNum, hwUserAcctState=hwUserAcctState, hwDomainNDRAPrefixUsedPercent=hwDomainNDRAPrefixUsedPercent, hwTotalIPv6FlowDnPkt=hwTotalIPv6FlowDnPkt, hwBillPoolGroup=hwBillPoolGroup, hwDomainAuthenRejectsNum=hwDomainAuthenRejectsNum, hwMulticastProfileGroup=hwMulticastProfileGroup, hwReauthorizeTable=hwReauthorizeTable, hwDomainIPUsedPercent=hwDomainIPUsedPercent, hwDomainAccessedNum=hwDomainAccessedNum, hwAaaStatGroup=hwAaaStatGroup, hwDomainType=hwDomainType, hwAccPwHistroyRecordNum=hwAccPwHistroyRecordNum, hwUserGroupIndex=hwUserGroupIndex, hwTotalPPPoeOnlineNum=hwTotalPPPoeOnlineNum, hwDefaultUserName=hwDefaultUserName, userAuthenProfileHwtacacsServerName=userAuthenProfileHwtacacsServerName, hwWebServerURLSlave=hwWebServerURLSlave, hwPortalAccessProfileEntry=hwPortalAccessProfileEntry, hwRemoteDownloadAclThresholdAlarm=hwRemoteDownloadAclThresholdAlarm, hwDomainIPv6AddressExcludeNum=hwDomainIPv6AddressExcludeNum, hwIfMulticastForward=hwIfMulticastForward, hwIPOXUsernameSysname=hwIPOXUsernameSysname, hwTotalPortalServerUserNum=hwTotalPortalServerUserNum, hwDomainInboundL2tpQoSProfile=hwDomainInboundL2tpQoSProfile, hwDomainPPPoENum=hwDomainPPPoENum, hwPoolLowerLimitWarningThreshold=hwPoolLowerLimitWarningThreshold, hwAccessDelayPerSlotRowStatus=hwAccessDelayPerSlotRowStatus, hwPortalAccessProfilePortalBackupServerName=hwPortalAccessProfilePortalBackupServerName, hwSlotConnectNumMaxOnlineAcctReadyNum=hwSlotConnectNumMaxOnlineAcctReadyNum, hwWebServerIP=hwWebServerIP, hwServiceSchemeName=hwServiceSchemeName, hwLocalUserName=hwLocalUserName, hwCutVlanID=hwCutVlanID, hwTacGroupName=hwTacGroupName, hwPortalAccessProfilePortalServerUpReAuthen=hwPortalAccessProfilePortalServerUpReAuthen, hwDomainIPv6FlowUpByte=hwDomainIPv6FlowUpByte, hwAuthenSchemeTable=hwAuthenSchemeTable, hwAccessSubSlotNo=hwAccessSubSlotNo, hwAccessDeviceName=hwAccessDeviceName, hwExpRemark=hwExpRemark, hwLocalUserNoCallBackVerify=hwLocalUserNoCallBackVerify, hwServiceSchemeNextHopIp=hwServiceSchemeNextHopIp, hwMultiProfile=hwMultiProfile, hwAAAInboundVPNAccessUserStatTable=hwAAAInboundVPNAccessUserStatTable, hwSlotCardConnectNumEntry=hwSlotCardConnectNumEntry, hwIPOXpasswordKeyType=hwIPOXpasswordKeyType, hwAcctSchemeEntry=hwAcctSchemeEntry, hwPortalAccessProfilePortalAccessDirect=hwPortalAccessProfilePortalAccessDirect, hwAccessDomain=hwAccessDomain, hwUserGroupCarInBoundPir=hwUserGroupCarInBoundPir, hwWebServerURL=hwWebServerURL, hwHistoricMaxOnlineLocalNum=hwHistoricMaxOnlineLocalNum, hwPriority=hwPriority, userAuthenProfileAuthorSchemeName=userAuthenProfileAuthorSchemeName, hwAAAOnlineSessoinLowerLimitAlarm=hwAAAOnlineSessoinLowerLimitAlarm, hwUclGrpEntry=hwUclGrpEntry, hwAccessCARDnCBS=hwAccessCARDnCBS, hwIfUserMacSimple=hwIfUserMacSimple, hwOfflineReasonStatEntry=hwOfflineReasonStatEntry, hwUserGroupUsedNum=hwUserGroupUsedNum, userAuthenProfilePreAuthenReAuthenTimer=userAuthenProfilePreAuthenReAuthenTimer, hwResetOnlineFailReasonStatistic=hwResetOnlineFailReasonStatistic, hwHistoricMaxOnlineNum=hwHistoricMaxOnlineNum, hwWlanInterfaceName=hwWlanInterfaceName, hwInterfaceAccessUserStatInterfaceIndex=hwInterfaceAccessUserStatInterfaceIndex, hwAccessUpFlow64=hwAccessUpFlow64, hwCutUserName=hwCutUserName, hwAuthorCmdRowStatus=hwAuthorCmdRowStatus, hwSlotCardConnectNumMIPAuthNum=hwSlotCardConnectNumMIPAuthNum, hwRemoteAuthorize=hwRemoteAuthorize, hwDomainIPv6FlowDnByte=hwDomainIPv6FlowDnByte, hwUserLogIPAddress=hwUserLogIPAddress, hwOfflineReasonStatTable=hwOfflineReasonStatTable, hwIPv6OtherFlag=hwIPv6OtherFlag, hwMACAuthenAccessProfileServerTimeout=hwMACAuthenAccessProfileServerTimeout, hwCutIPaddress=hwCutIPaddress, hwUserAccessCeVlan=hwUserAccessCeVlan, hwAuthorCmdGroup=hwAuthorCmdGroup, hwBillsPoolBackupNow=hwBillsPoolBackupNow, hwUserNDRAPrefixAllocAlarmResume=hwUserNDRAPrefixAllocAlarmResume, hwIPOXUsernameMAC=hwIPOXUsernameMAC, hwBillTFTPGroup=hwBillTFTPGroup, hwDomainIncludeIPPoolGroupRowStates=hwDomainIncludeIPPoolGroupRowStates, hwLocalUserPwPolicyAcc=hwLocalUserPwPolicyAcc, hwIfRealtimeAcct=hwIfRealtimeAcct, hwDomainIPv6AddressUsedNum=hwDomainIPv6AddressUsedNum, hwCutAccessUserTable=hwCutAccessUserTable, hwDomainOnlineNum=hwDomainOnlineNum, hwBlockDisable=hwBlockDisable, hwIPLowerlimitWarningResume=hwIPLowerlimitWarningResume, hwMulticastProfileIndex=hwMulticastProfileIndex, hwMACAuthenAccessProfileGroup=hwMACAuthenAccessProfileGroup, hwDot1xTemplate=hwDot1xTemplate, hwAccessType=hwAccessType, hwAAADomainIPPoolEntry=hwAAADomainIPPoolEntry, hwDot1xAccessProfileRowStatus=hwDot1xAccessProfileRowStatus, userAuthenProfileForceDomain=userAuthenProfileForceDomain, hwRbsDownReason=hwRbsDownReason, hwAccessStartTime=hwAccessStartTime, hwDomainDhcpOpt64SepAndSeg=hwDomainDhcpOpt64SepAndSeg, hwUserID=hwUserID, hwAuthEventPreAuthUserGroup=hwAuthEventPreAuthUserGroup, hwAAAAccessUserResourceOrCpuAlarm=hwAAAAccessUserResourceOrCpuAlarm, userAuthenProfileAuthenServerDownVLAN=userAuthenProfileAuthenServerDownVLAN, hwSrvSchemeIpPoolOneName=hwSrvSchemeIpPoolOneName, hwPoratalServerFirstUrlKeyName=hwPoratalServerFirstUrlKeyName, hwAccessInterface=hwAccessInterface, hwIPv6PDPrefixLowerlimitWarningAlarm=hwIPv6PDPrefixLowerlimitWarningAlarm, hwDhcpOpt121RouteRowStatus=hwDhcpOpt121RouteRowStatus, hwWlanInterfaceDomainNameParseDirection=hwWlanInterfaceDomainNameParseDirection, hwAuthenticationState=hwAuthenticationState, hwHistoricMaxOnlineRemoteNum=hwHistoricMaxOnlineRemoteNum, hwMulticastListSourceIp=hwMulticastListSourceIp, hwUserAuthorState=hwUserAuthorState, hwAccountingState=hwAccountingState, hwServicePolicyName=hwServicePolicyName, hwTotalIPAllocFailNum=hwTotalIPAllocFailNum, hwDot1xAccessProfileReauthenticationTimeout=hwDot1xAccessProfileReauthenticationTimeout, hwRedirectTimesLimit=hwRedirectTimesLimit, hwLocalUserAccessLimitNum=hwLocalUserAccessLimitNum, hwDscpRemark=hwDscpRemark, userAuthenticationFreeRuleSourceMode=userAuthenticationFreeRuleSourceMode, hwAAADomainIPPoolConstantIndex=hwAAADomainIPPoolConstantIndex, hwPortalAccessProfileDetectPeriod=hwPortalAccessProfileDetectPeriod, hwDomainIPIdleNum=hwDomainIPIdleNum, hwUserGroupTable=hwUserGroupTable, hwDomainAcctRspFailuresNum=hwDomainAcctRspFailuresNum, hwDomainPDPrefixUsedPercent=hwDomainPDPrefixUsedPercent, hwAAAStat=hwAAAStat, hwTotalIPv6OnlineNum=hwTotalIPv6OnlineNum, userAuthenProfileRadiusServerName=userAuthenProfileRadiusServerName, hwDot1xAccessProfileHandshakeSwitch=hwDot1xAccessProfileHandshakeSwitch, hwMACAuthenAccessProfileUserNameDHCPOSubOption=hwMACAuthenAccessProfileUserNameDHCPOSubOption, hwDot1xAccessProfileEAPEndMethod=hwDot1xAccessProfileEAPEndMethod, hwTotalSuccessNum=hwTotalSuccessNum, hwUserGroupCarCir=hwUserGroupCarCir, hwRbsUp=hwRbsUp, hwAccessAuthtype=hwAccessAuthtype, hwAuthEventClientNoResponseUserGroup=hwAuthEventClientNoResponseUserGroup, hwAAAMibTrap=hwAAAMibTrap, hwDomainRenewIPTag=hwDomainRenewIPTag, hwAccessLineID=hwAccessLineID, hwLAMTraps=hwLAMTraps, hwAuthEventPortIndex=hwAuthEventPortIndex, hwHDtoFTPFail=hwHDtoFTPFail, hwAuthEventAuthenServerDownUserGroup=hwAuthEventAuthenServerDownUserGroup, hwDomainDPIPolicyName=hwDomainDPIPolicyName, hwAuthEventCfgEntry=hwAuthEventCfgEntry, hwUserIPv6AddressAllocAlarmResume=hwUserIPv6AddressAllocAlarmResume, hwDnsSecondIPAddress=hwDnsSecondIPAddress, hwTotalLCPFailNum=hwTotalLCPFailNum, userAuthenProfileMacAuthenFirst=userAuthenProfileMacAuthenFirst, hwAAASlotOnlineUserNumResume=hwAAASlotOnlineUserNumResume, hwDomainServiceSchemeName=hwDomainServiceSchemeName, userAuthenProfilePermitDomain=userAuthenProfilePermitDomain, hwAccessIPv6WanPrefix=hwAccessIPv6WanPrefix, hwSlotConnectNumGroup=hwSlotConnectNumGroup, hwRbpOldState=hwRbpOldState, hwUserIPv6NDRAPrefix=hwUserIPv6NDRAPrefix, hwLamTrapsNotificationsGroup=hwLamTrapsNotificationsGroup, hwDomainAccessUserStatUserStat=hwDomainAccessUserStatUserStat, hwAccessTable=hwAccessTable, hwSlotConnectNumMaxOnlineNum=hwSlotConnectNumMaxOnlineNum, hwAcctSchemeGroup=hwAcctSchemeGroup, hwDot1xAccessProfileHandshakeInterval=hwDot1xAccessProfileHandshakeInterval, hwUclGrpName=hwUclGrpName, hwAccessIPv6OtherFlag=hwAccessIPv6OtherFlag, hwIPPoolTwoName=hwIPPoolTwoName, hwSlotAccessUserStatEntry=hwSlotAccessUserStatEntry, userAuthenticationFreeRuleExtEntry=userAuthenticationFreeRuleExtEntry) |
class Version():
main = 0x68000001
test = 0x98000001
mijin = 0x60000001
class TransactionType():
transfer_transaction = 0x0101
importance_transfer_transaction = 0x0801
multisig_aggregate_modification_transfer_transaction = 0x1001
multisig_signature_transaction = 0x1002
multisig_transaction = 0x1004
provision_namespace_transaction = 0x2001
mosaic_definition_creation_transaction = 0x4001
mosaic_supply_change_transaction = 0x4002
class Mode():
activate = 0x01
deactivate = 0x02
add_cosignatory = 0x01
delete_cosignatory = 0x02
class RentalFee():
root = 100*1000000
sub = 10*1000000
class CreationFee:
mosaic = 10*1000000
class SupplyType:
increase = 0x01
decrease = 0x02
def CreationFeeSink(versionHex):
if versionHex[-2:] == "68":
# main
return "NBMOSAICOD4F54EE5CDMR23CCBGOAM2XSIUX6TRS"
elif versionHex[-2:] == "98":
# test
return "TBMOSAICOD4F54EE5CDMR23CCBGOAM2XSJBR5OLC"
else:
raise
def RentalFeeSink(versionHex):
if versionHex[-2:] == "68":
# main
return "NAMESPACEWH4MKFMBCVFERDPOOP4FK7MTBXDPZZA"
elif versionHex[-2:] == "98":
# test
return "TAMESPACEWH4MKFMBCVFERDPOOP4FK7MTDJEYP35"
else:
raise | class Version:
main = 1744830465
test = 2550136833
mijin = 1610612737
class Transactiontype:
transfer_transaction = 257
importance_transfer_transaction = 2049
multisig_aggregate_modification_transfer_transaction = 4097
multisig_signature_transaction = 4098
multisig_transaction = 4100
provision_namespace_transaction = 8193
mosaic_definition_creation_transaction = 16385
mosaic_supply_change_transaction = 16386
class Mode:
activate = 1
deactivate = 2
add_cosignatory = 1
delete_cosignatory = 2
class Rentalfee:
root = 100 * 1000000
sub = 10 * 1000000
class Creationfee:
mosaic = 10 * 1000000
class Supplytype:
increase = 1
decrease = 2
def creation_fee_sink(versionHex):
if versionHex[-2:] == '68':
return 'NBMOSAICOD4F54EE5CDMR23CCBGOAM2XSIUX6TRS'
elif versionHex[-2:] == '98':
return 'TBMOSAICOD4F54EE5CDMR23CCBGOAM2XSJBR5OLC'
else:
raise
def rental_fee_sink(versionHex):
if versionHex[-2:] == '68':
return 'NAMESPACEWH4MKFMBCVFERDPOOP4FK7MTBXDPZZA'
elif versionHex[-2:] == '98':
return 'TAMESPACEWH4MKFMBCVFERDPOOP4FK7MTDJEYP35'
else:
raise |
FreeSans9pt7bBitmaps = [
0xFF, 0xFF, 0xF8, 0xC0, 0xDE, 0xF7, 0x20, 0x09, 0x86, 0x41, 0x91, 0xFF,
0x13, 0x04, 0xC3, 0x20, 0xC8, 0xFF, 0x89, 0x82, 0x61, 0x90, 0x10, 0x1F,
0x14, 0xDA, 0x3D, 0x1E, 0x83, 0x40, 0x78, 0x17, 0x08, 0xF4, 0x7A, 0x35,
0x33, 0xF0, 0x40, 0x20, 0x38, 0x10, 0xEC, 0x20, 0xC6, 0x20, 0xC6, 0x40,
0xC6, 0x40, 0x6C, 0x80, 0x39, 0x00, 0x01, 0x3C, 0x02, 0x77, 0x02, 0x63,
0x04, 0x63, 0x04, 0x77, 0x08, 0x3C, 0x0E, 0x06, 0x60, 0xCC, 0x19, 0x81,
0xE0, 0x18, 0x0F, 0x03, 0x36, 0xC2, 0xD8, 0x73, 0x06, 0x31, 0xE3, 0xC4,
0xFE, 0x13, 0x26, 0x6C, 0xCC, 0xCC, 0xC4, 0x66, 0x23, 0x10, 0x8C, 0x46,
0x63, 0x33, 0x33, 0x32, 0x66, 0x4C, 0x80, 0x25, 0x7E, 0xA5, 0x00, 0x30,
0xC3, 0x3F, 0x30, 0xC3, 0x0C, 0xD6, 0xF0, 0xC0, 0x08, 0x44, 0x21, 0x10,
0x84, 0x42, 0x11, 0x08, 0x00, 0x3C, 0x66, 0x42, 0xC3, 0xC3, 0xC3, 0xC3,
0xC3, 0xC3, 0xC3, 0x42, 0x66, 0x3C, 0x11, 0x3F, 0x33, 0x33, 0x33, 0x33,
0x30, 0x3E, 0x31, 0xB0, 0x78, 0x30, 0x18, 0x1C, 0x1C, 0x1C, 0x18, 0x18,
0x10, 0x08, 0x07, 0xF8, 0x3C, 0x66, 0xC3, 0xC3, 0x03, 0x06, 0x1C, 0x07,
0x03, 0xC3, 0xC3, 0x66, 0x3C, 0x0C, 0x18, 0x71, 0x62, 0xC9, 0xA3, 0x46,
0xFE, 0x18, 0x30, 0x60, 0xC0, 0x7F, 0x20, 0x10, 0x08, 0x08, 0x07, 0xF3,
0x8C, 0x03, 0x01, 0x80, 0xF0, 0x6C, 0x63, 0xE0, 0x1E, 0x31, 0x98, 0x78,
0x0C, 0x06, 0xF3, 0x8D, 0x83, 0xC1, 0xE0, 0xD0, 0x6C, 0x63, 0xE0, 0xFF,
0x03, 0x02, 0x06, 0x04, 0x0C, 0x08, 0x18, 0x18, 0x18, 0x10, 0x30, 0x30,
0x3E, 0x31, 0xB0, 0x78, 0x3C, 0x1B, 0x18, 0xF8, 0xC6, 0xC1, 0xE0, 0xF0,
0x6C, 0x63, 0xE0, 0x3C, 0x66, 0xC2, 0xC3, 0xC3, 0xC3, 0x67, 0x3B, 0x03,
0x03, 0xC2, 0x66, 0x3C, 0xC0, 0x00, 0x30, 0xC0, 0x00, 0x00, 0x64, 0xA0,
0x00, 0x81, 0xC7, 0x8E, 0x0C, 0x07, 0x80, 0x70, 0x0E, 0x01, 0x80, 0xFF,
0x80, 0x00, 0x1F, 0xF0, 0x00, 0x70, 0x0E, 0x01, 0xC0, 0x18, 0x38, 0x71,
0xC0, 0x80, 0x00, 0x3E, 0x31, 0xB0, 0x78, 0x30, 0x18, 0x18, 0x38, 0x18,
0x18, 0x0C, 0x00, 0x00, 0x01, 0x80, 0x03, 0xF0, 0x06, 0x0E, 0x06, 0x01,
0x86, 0x00, 0x66, 0x1D, 0xBB, 0x31, 0xCF, 0x18, 0xC7, 0x98, 0x63, 0xCC,
0x31, 0xE6, 0x11, 0xB3, 0x99, 0xCC, 0xF7, 0x86, 0x00, 0x01, 0x80, 0x00,
0x70, 0x40, 0x0F, 0xE0, 0x06, 0x00, 0xF0, 0x0F, 0x00, 0x90, 0x19, 0x81,
0x98, 0x10, 0x83, 0x0C, 0x3F, 0xC2, 0x04, 0x60, 0x66, 0x06, 0xC0, 0x30,
0xFF, 0x18, 0x33, 0x03, 0x60, 0x6C, 0x0D, 0x83, 0x3F, 0xC6, 0x06, 0xC0,
0x78, 0x0F, 0x01, 0xE0, 0x6F, 0xF8, 0x1F, 0x86, 0x19, 0x81, 0xA0, 0x3C,
0x01, 0x80, 0x30, 0x06, 0x00, 0xC0, 0x68, 0x0D, 0x83, 0x18, 0x61, 0xF0,
0xFF, 0x18, 0x33, 0x03, 0x60, 0x3C, 0x07, 0x80, 0xF0, 0x1E, 0x03, 0xC0,
0x78, 0x0F, 0x03, 0x60, 0xCF, 0xF0, 0xFF, 0xE0, 0x30, 0x18, 0x0C, 0x06,
0x03, 0xFD, 0x80, 0xC0, 0x60, 0x30, 0x18, 0x0F, 0xF8, 0xFF, 0xC0, 0xC0,
0xC0, 0xC0, 0xC0, 0xFE, 0xC0, 0xC0, 0xC0, 0xC0, 0xC0, 0xC0, 0x0F, 0x83,
0x0E, 0x60, 0x66, 0x03, 0xC0, 0x0C, 0x00, 0xC1, 0xFC, 0x03, 0xC0, 0x36,
0x03, 0x60, 0x73, 0x0F, 0x0F, 0x10, 0xC0, 0x78, 0x0F, 0x01, 0xE0, 0x3C,
0x07, 0x80, 0xFF, 0xFE, 0x03, 0xC0, 0x78, 0x0F, 0x01, 0xE0, 0x3C, 0x06,
0xFF, 0xFF, 0xFF, 0xC0, 0x06, 0x0C, 0x18, 0x30, 0x60, 0xC1, 0x83, 0x07,
0x8F, 0x1E, 0x27, 0x80, 0xC0, 0xD8, 0x33, 0x0C, 0x63, 0x0C, 0xC1, 0xB8,
0x3F, 0x07, 0x30, 0xC3, 0x18, 0x63, 0x06, 0x60, 0x6C, 0x0C, 0xC0, 0xC0,
0xC0, 0xC0, 0xC0, 0xC0, 0xC0, 0xC0, 0xC0, 0xC0, 0xC0, 0xC0, 0xFF, 0xE0,
0x3F, 0x01, 0xFC, 0x1F, 0xE0, 0xFD, 0x05, 0xEC, 0x6F, 0x63, 0x79, 0x13,
0xCD, 0x9E, 0x6C, 0xF1, 0x47, 0x8E, 0x3C, 0x71, 0x80, 0xE0, 0x7C, 0x0F,
0xC1, 0xE8, 0x3D, 0x87, 0x98, 0xF1, 0x1E, 0x33, 0xC3, 0x78, 0x6F, 0x07,
0xE0, 0x7C, 0x0E, 0x0F, 0x81, 0x83, 0x18, 0x0C, 0xC0, 0x6C, 0x01, 0xE0,
0x0F, 0x00, 0x78, 0x03, 0xC0, 0x1B, 0x01, 0x98, 0x0C, 0x60, 0xC0, 0xF8,
0x00, 0xFF, 0x30, 0x6C, 0x0F, 0x03, 0xC0, 0xF0, 0x6F, 0xF3, 0x00, 0xC0,
0x30, 0x0C, 0x03, 0x00, 0xC0, 0x00, 0x0F, 0x81, 0x83, 0x18, 0x0C, 0xC0,
0x6C, 0x01, 0xE0, 0x0F, 0x00, 0x78, 0x03, 0xC0, 0x1B, 0x01, 0x98, 0x6C,
0x60, 0xC0, 0xFB, 0x00, 0x08, 0xFF, 0x8C, 0x0E, 0xC0, 0x6C, 0x06, 0xC0,
0x6C, 0x0C, 0xFF, 0x8C, 0x0E, 0xC0, 0x6C, 0x06, 0xC0, 0x6C, 0x06, 0xC0,
0x70, 0x3F, 0x18, 0x6C, 0x0F, 0x03, 0xC0, 0x1E, 0x01, 0xF0, 0x0E, 0x00,
0xF0, 0x3C, 0x0D, 0x86, 0x3F, 0x00, 0xFF, 0x86, 0x03, 0x01, 0x80, 0xC0,
0x60, 0x30, 0x18, 0x0C, 0x06, 0x03, 0x01, 0x80, 0xC0, 0xC0, 0x78, 0x0F,
0x01, 0xE0, 0x3C, 0x07, 0x80, 0xF0, 0x1E, 0x03, 0xC0, 0x78, 0x0F, 0x01,
0xB0, 0x61, 0xF0, 0xC0, 0x6C, 0x0D, 0x81, 0x10, 0x63, 0x0C, 0x61, 0x04,
0x60, 0xCC, 0x19, 0x01, 0x60, 0x3C, 0x07, 0x00, 0x60, 0xC1, 0x81, 0x30,
0xE1, 0x98, 0x70, 0xCC, 0x28, 0x66, 0x26, 0x21, 0x13, 0x30, 0xC8, 0x98,
0x6C, 0x4C, 0x14, 0x34, 0x0A, 0x1A, 0x07, 0x07, 0x03, 0x03, 0x80, 0x81,
0x80, 0x60, 0x63, 0x0C, 0x30, 0xC1, 0x98, 0x0F, 0x00, 0xE0, 0x06, 0x00,
0xF0, 0x19, 0x01, 0x98, 0x30, 0xC6, 0x0E, 0x60, 0x60, 0xC0, 0x36, 0x06,
0x30, 0xC3, 0x0C, 0x19, 0x81, 0xD8, 0x0F, 0x00, 0x60, 0x06, 0x00, 0x60,
0x06, 0x00, 0x60, 0x06, 0x00, 0xFF, 0xC0, 0x60, 0x30, 0x0C, 0x06, 0x03,
0x01, 0xC0, 0x60, 0x30, 0x18, 0x06, 0x03, 0x00, 0xFF, 0xC0, 0xFB, 0x6D,
0xB6, 0xDB, 0x6D, 0xB6, 0xE0, 0x84, 0x10, 0x84, 0x10, 0x84, 0x10, 0x84,
0x10, 0x80, 0xED, 0xB6, 0xDB, 0x6D, 0xB6, 0xDB, 0xE0, 0x30, 0x60, 0xA2,
0x44, 0xD8, 0xA1, 0x80, 0xFF, 0xC0, 0xC6, 0x30, 0x7E, 0x71, 0xB0, 0xC0,
0x60, 0xF3, 0xDB, 0x0D, 0x86, 0xC7, 0x3D, 0xC0, 0xC0, 0x60, 0x30, 0x1B,
0xCE, 0x36, 0x0F, 0x07, 0x83, 0xC1, 0xE0, 0xF0, 0x7C, 0x6D, 0xE0, 0x3C,
0x66, 0xC3, 0xC0, 0xC0, 0xC0, 0xC0, 0xC3, 0x66, 0x3C, 0x03, 0x03, 0x03,
0x3B, 0x67, 0xC3, 0xC3, 0xC3, 0xC3, 0xC3, 0xC3, 0x67, 0x3B, 0x3C, 0x66,
0xC3, 0xC3, 0xFF, 0xC0, 0xC0, 0xC3, 0x66, 0x3C, 0x36, 0x6F, 0x66, 0x66,
0x66, 0x66, 0x60, 0x3B, 0x67, 0xC3, 0xC3, 0xC3, 0xC3, 0xC3, 0xC3, 0x67,
0x3B, 0x03, 0x03, 0xC6, 0x7C, 0xC0, 0xC0, 0xC0, 0xDE, 0xE3, 0xC3, 0xC3,
0xC3, 0xC3, 0xC3, 0xC3, 0xC3, 0xC3, 0xC3, 0xFF, 0xFF, 0xC0, 0x30, 0x03,
0x33, 0x33, 0x33, 0x33, 0x33, 0x33, 0xE0, 0xC0, 0x60, 0x30, 0x18, 0x4C,
0x46, 0x63, 0x61, 0xF0, 0xEC, 0x62, 0x31, 0x98, 0x6C, 0x30, 0xFF, 0xFF,
0xFF, 0xC0, 0xDE, 0xF7, 0x1C, 0xF0, 0xC7, 0x86, 0x3C, 0x31, 0xE1, 0x8F,
0x0C, 0x78, 0x63, 0xC3, 0x1E, 0x18, 0xC0, 0xDE, 0xE3, 0xC3, 0xC3, 0xC3,
0xC3, 0xC3, 0xC3, 0xC3, 0xC3, 0x3C, 0x66, 0xC3, 0xC3, 0xC3, 0xC3, 0xC3,
0xC3, 0x66, 0x3C, 0xDE, 0x71, 0xB0, 0x78, 0x3C, 0x1E, 0x0F, 0x07, 0x83,
0xE3, 0x6F, 0x30, 0x18, 0x0C, 0x00, 0x3B, 0x67, 0xC3, 0xC3, 0xC3, 0xC3,
0xC3, 0xC3, 0x67, 0x3B, 0x03, 0x03, 0x03, 0xDF, 0x31, 0x8C, 0x63, 0x18,
0xC6, 0x00, 0x3E, 0xE3, 0xC0, 0xC0, 0xE0, 0x3C, 0x07, 0xC3, 0xE3, 0x7E,
0x66, 0xF6, 0x66, 0x66, 0x66, 0x67, 0xC3, 0xC3, 0xC3, 0xC3, 0xC3, 0xC3,
0xC3, 0xC3, 0xC7, 0x7B, 0xC1, 0xA0, 0x98, 0xCC, 0x42, 0x21, 0xB0, 0xD0,
0x28, 0x1C, 0x0C, 0x00, 0xC6, 0x1E, 0x38, 0x91, 0xC4, 0xCA, 0x66, 0xD3,
0x16, 0xD0, 0xA6, 0x87, 0x1C, 0x38, 0xC0, 0xC6, 0x00, 0x43, 0x62, 0x36,
0x1C, 0x18, 0x1C, 0x3C, 0x26, 0x62, 0x43, 0xC1, 0x21, 0x98, 0xCC, 0x42,
0x61, 0xB0, 0xD0, 0x38, 0x1C, 0x0C, 0x06, 0x03, 0x01, 0x03, 0x00, 0xFE,
0x0C, 0x30, 0xC1, 0x86, 0x18, 0x20, 0xC1, 0xFC, 0x36, 0x66, 0x66, 0x6E,
0xCE, 0x66, 0x66, 0x66, 0x30, 0xFF, 0xFF, 0xFF, 0xFF, 0xC0, 0xC6, 0x66,
0x66, 0x67, 0x37, 0x66, 0x66, 0x66, 0xC0, 0x61, 0x24, 0x38 ]
FreeSans9pt7bGlyphs = [
[ 0, 0, 0, 5, 0, 1 ], # 0x20 ' '
[ 0, 2, 13, 6, 2, -12 ], # 0x21 '!'
[ 4, 5, 4, 6, 1, -12 ], # 0x22 '"'
[ 7, 10, 12, 10, 0, -11 ], # 0x23 '#'
[ 22, 9, 16, 10, 1, -13 ], # 0x24 '$'
[ 40, 16, 13, 16, 1, -12 ], # 0x25 '%'
[ 66, 11, 13, 12, 1, -12 ], # 0x26 '&'
[ 84, 2, 4, 4, 1, -12 ], # 0x27 '''
[ 85, 4, 17, 6, 1, -12 ], # 0x28 '('
[ 94, 4, 17, 6, 1, -12 ], # 0x29 ')'
[ 103, 5, 5, 7, 1, -12 ], # 0x2A '#'
[ 107, 6, 8, 11, 3, -7 ], # 0x2B '+'
[ 113, 2, 4, 5, 2, 0 ], # 0x2C ','
[ 114, 4, 1, 6, 1, -4 ], # 0x2D '-'
[ 115, 2, 1, 5, 1, 0 ], # 0x2E '.'
[ 116, 5, 13, 5, 0, -12 ], # 0x2F '/'
[ 125, 8, 13, 10, 1, -12 ], # 0x30 '0'
[ 138, 4, 13, 10, 3, -12 ], # 0x31 '1'
[ 145, 9, 13, 10, 1, -12 ], # 0x32 '2'
[ 160, 8, 13, 10, 1, -12 ], # 0x33 '3'
[ 173, 7, 13, 10, 2, -12 ], # 0x34 '4'
[ 185, 9, 13, 10, 1, -12 ], # 0x35 '5'
[ 200, 9, 13, 10, 1, -12 ], # 0x36 '6'
[ 215, 8, 13, 10, 0, -12 ], # 0x37 '7'
[ 228, 9, 13, 10, 1, -12 ], # 0x38 '8'
[ 243, 8, 13, 10, 1, -12 ], # 0x39 '9'
[ 256, 2, 10, 5, 1, -9 ], # 0x3A ':'
[ 259, 3, 12, 5, 1, -8 ], # 0x3B ''
[ 264, 9, 9, 11, 1, -8 ], # 0x3C '<'
[ 275, 9, 4, 11, 1, -5 ], # 0x3D '='
[ 280, 9, 9, 11, 1, -8 ], # 0x3E '>'
[ 291, 9, 13, 10, 1, -12 ], # 0x3F '?'
[ 306, 17, 16, 18, 1, -12 ], # 0x40 '@'
[ 340, 12, 13, 12, 0, -12 ], # 0x41 'A'
[ 360, 11, 13, 12, 1, -12 ], # 0x42 'B'
[ 378, 11, 13, 13, 1, -12 ], # 0x43 'C'
[ 396, 11, 13, 13, 1, -12 ], # 0x44 'D'
[ 414, 9, 13, 11, 1, -12 ], # 0x45 'E'
[ 429, 8, 13, 11, 1, -12 ], # 0x46 'F'
[ 442, 12, 13, 14, 1, -12 ], # 0x47 'G'
[ 462, 11, 13, 13, 1, -12 ], # 0x48 'H'
[ 480, 2, 13, 5, 2, -12 ], # 0x49 'I'
[ 484, 7, 13, 10, 1, -12 ], # 0x4A 'J'
[ 496, 11, 13, 12, 1, -12 ], # 0x4B 'K'
[ 514, 8, 13, 10, 1, -12 ], # 0x4C 'L'
[ 527, 13, 13, 15, 1, -12 ], # 0x4D 'M'
[ 549, 11, 13, 13, 1, -12 ], # 0x4E 'N'
[ 567, 13, 13, 14, 1, -12 ], # 0x4F 'O'
[ 589, 10, 13, 12, 1, -12 ], # 0x50 'P'
[ 606, 13, 14, 14, 1, -12 ], # 0x51 'Q'
[ 629, 12, 13, 13, 1, -12 ], # 0x52 'R'
[ 649, 10, 13, 12, 1, -12 ], # 0x53 'S'
[ 666, 9, 13, 11, 1, -12 ], # 0x54 'T'
[ 681, 11, 13, 13, 1, -12 ], # 0x55 'U'
[ 699, 11, 13, 12, 0, -12 ], # 0x56 'V'
[ 717, 17, 13, 17, 0, -12 ], # 0x57 'W'
[ 745, 12, 13, 12, 0, -12 ], # 0x58 'X'
[ 765, 12, 13, 12, 0, -12 ], # 0x59 'Y'
[ 785, 10, 13, 11, 1, -12 ], # 0x5A 'Z'
[ 802, 3, 17, 5, 1, -12 ], # 0x5B '['
[ 809, 5, 13, 5, 0, -12 ], # 0x5C '\'
[ 818, 3, 17, 5, 0, -12 ], # 0x5D ']'
[ 825, 7, 7, 8, 1, -12 ], # 0x5E '^'
[ 832, 10, 1, 10, 0, 3 ], # 0x5F '_'
[ 834, 4, 3, 5, 0, -12 ], # 0x60 '`'
[ 836, 9, 10, 10, 1, -9 ], # 0x61 'a'
[ 848, 9, 13, 10, 1, -12 ], # 0x62 'b'
[ 863, 8, 10, 9, 1, -9 ], # 0x63 'c'
[ 873, 8, 13, 10, 1, -12 ], # 0x64 'd'
[ 886, 8, 10, 10, 1, -9 ], # 0x65 'e'
[ 896, 4, 13, 5, 1, -12 ], # 0x66 'f'
[ 903, 8, 14, 10, 1, -9 ], # 0x67 'g'
[ 917, 8, 13, 10, 1, -12 ], # 0x68 'h'
[ 930, 2, 13, 4, 1, -12 ], # 0x69 'i'
[ 934, 4, 17, 4, 0, -12 ], # 0x6A 'j'
[ 943, 9, 13, 9, 1, -12 ], # 0x6B 'k'
[ 958, 2, 13, 4, 1, -12 ], # 0x6C 'l'
[ 962, 13, 10, 15, 1, -9 ], # 0x6D 'm'
[ 979, 8, 10, 10, 1, -9 ], # 0x6E 'n'
[ 989, 8, 10, 10, 1, -9 ], # 0x6F 'o'
[ 999, 9, 13, 10, 1, -9 ], # 0x70 'p'
[ 1014, 8, 13, 10, 1, -9 ], # 0x71 'q'
[ 1027, 5, 10, 6, 1, -9 ], # 0x72 'r'
[ 1034, 8, 10, 9, 1, -9 ], # 0x73 's'
[ 1044, 4, 12, 5, 1, -11 ], # 0x74 't'
[ 1050, 8, 10, 10, 1, -9 ], # 0x75 'u'
[ 1060, 9, 10, 9, 0, -9 ], # 0x76 'v'
[ 1072, 13, 10, 13, 0, -9 ], # 0x77 'w'
[ 1089, 8, 10, 9, 0, -9 ], # 0x78 'x'
[ 1099, 9, 14, 9, 0, -9 ], # 0x79 'y'
[ 1115, 7, 10, 9, 1, -9 ], # 0x7A 'z'
[ 1124, 4, 17, 6, 1, -12 ], # 0x7B '['
[ 1133, 2, 17, 4, 2, -12 ], # 0x7C '|'
[ 1138, 4, 17, 6, 1, -12 ], # 0x7D ']'
[ 1147, 7, 3, 9, 1, -7 ] ] # 0x7E '~'
FreeSans9pt7b = [
FreeSans9pt7bBitmaps,
FreeSans9pt7bGlyphs,
0x20, 0x7E, 22 ]
# Approx. 1822 bytes
| free_sans9pt7b_bitmaps = [255, 255, 248, 192, 222, 247, 32, 9, 134, 65, 145, 255, 19, 4, 195, 32, 200, 255, 137, 130, 97, 144, 16, 31, 20, 218, 61, 30, 131, 64, 120, 23, 8, 244, 122, 53, 51, 240, 64, 32, 56, 16, 236, 32, 198, 32, 198, 64, 198, 64, 108, 128, 57, 0, 1, 60, 2, 119, 2, 99, 4, 99, 4, 119, 8, 60, 14, 6, 96, 204, 25, 129, 224, 24, 15, 3, 54, 194, 216, 115, 6, 49, 227, 196, 254, 19, 38, 108, 204, 204, 196, 102, 35, 16, 140, 70, 99, 51, 51, 50, 102, 76, 128, 37, 126, 165, 0, 48, 195, 63, 48, 195, 12, 214, 240, 192, 8, 68, 33, 16, 132, 66, 17, 8, 0, 60, 102, 66, 195, 195, 195, 195, 195, 195, 195, 66, 102, 60, 17, 63, 51, 51, 51, 51, 48, 62, 49, 176, 120, 48, 24, 28, 28, 28, 24, 24, 16, 8, 7, 248, 60, 102, 195, 195, 3, 6, 28, 7, 3, 195, 195, 102, 60, 12, 24, 113, 98, 201, 163, 70, 254, 24, 48, 96, 192, 127, 32, 16, 8, 8, 7, 243, 140, 3, 1, 128, 240, 108, 99, 224, 30, 49, 152, 120, 12, 6, 243, 141, 131, 193, 224, 208, 108, 99, 224, 255, 3, 2, 6, 4, 12, 8, 24, 24, 24, 16, 48, 48, 62, 49, 176, 120, 60, 27, 24, 248, 198, 193, 224, 240, 108, 99, 224, 60, 102, 194, 195, 195, 195, 103, 59, 3, 3, 194, 102, 60, 192, 0, 48, 192, 0, 0, 100, 160, 0, 129, 199, 142, 12, 7, 128, 112, 14, 1, 128, 255, 128, 0, 31, 240, 0, 112, 14, 1, 192, 24, 56, 113, 192, 128, 0, 62, 49, 176, 120, 48, 24, 24, 56, 24, 24, 12, 0, 0, 1, 128, 3, 240, 6, 14, 6, 1, 134, 0, 102, 29, 187, 49, 207, 24, 199, 152, 99, 204, 49, 230, 17, 179, 153, 204, 247, 134, 0, 1, 128, 0, 112, 64, 15, 224, 6, 0, 240, 15, 0, 144, 25, 129, 152, 16, 131, 12, 63, 194, 4, 96, 102, 6, 192, 48, 255, 24, 51, 3, 96, 108, 13, 131, 63, 198, 6, 192, 120, 15, 1, 224, 111, 248, 31, 134, 25, 129, 160, 60, 1, 128, 48, 6, 0, 192, 104, 13, 131, 24, 97, 240, 255, 24, 51, 3, 96, 60, 7, 128, 240, 30, 3, 192, 120, 15, 3, 96, 207, 240, 255, 224, 48, 24, 12, 6, 3, 253, 128, 192, 96, 48, 24, 15, 248, 255, 192, 192, 192, 192, 192, 254, 192, 192, 192, 192, 192, 192, 15, 131, 14, 96, 102, 3, 192, 12, 0, 193, 252, 3, 192, 54, 3, 96, 115, 15, 15, 16, 192, 120, 15, 1, 224, 60, 7, 128, 255, 254, 3, 192, 120, 15, 1, 224, 60, 6, 255, 255, 255, 192, 6, 12, 24, 48, 96, 193, 131, 7, 143, 30, 39, 128, 192, 216, 51, 12, 99, 12, 193, 184, 63, 7, 48, 195, 24, 99, 6, 96, 108, 12, 192, 192, 192, 192, 192, 192, 192, 192, 192, 192, 192, 192, 255, 224, 63, 1, 252, 31, 224, 253, 5, 236, 111, 99, 121, 19, 205, 158, 108, 241, 71, 142, 60, 113, 128, 224, 124, 15, 193, 232, 61, 135, 152, 241, 30, 51, 195, 120, 111, 7, 224, 124, 14, 15, 129, 131, 24, 12, 192, 108, 1, 224, 15, 0, 120, 3, 192, 27, 1, 152, 12, 96, 192, 248, 0, 255, 48, 108, 15, 3, 192, 240, 111, 243, 0, 192, 48, 12, 3, 0, 192, 0, 15, 129, 131, 24, 12, 192, 108, 1, 224, 15, 0, 120, 3, 192, 27, 1, 152, 108, 96, 192, 251, 0, 8, 255, 140, 14, 192, 108, 6, 192, 108, 12, 255, 140, 14, 192, 108, 6, 192, 108, 6, 192, 112, 63, 24, 108, 15, 3, 192, 30, 1, 240, 14, 0, 240, 60, 13, 134, 63, 0, 255, 134, 3, 1, 128, 192, 96, 48, 24, 12, 6, 3, 1, 128, 192, 192, 120, 15, 1, 224, 60, 7, 128, 240, 30, 3, 192, 120, 15, 1, 176, 97, 240, 192, 108, 13, 129, 16, 99, 12, 97, 4, 96, 204, 25, 1, 96, 60, 7, 0, 96, 193, 129, 48, 225, 152, 112, 204, 40, 102, 38, 33, 19, 48, 200, 152, 108, 76, 20, 52, 10, 26, 7, 7, 3, 3, 128, 129, 128, 96, 99, 12, 48, 193, 152, 15, 0, 224, 6, 0, 240, 25, 1, 152, 48, 198, 14, 96, 96, 192, 54, 6, 48, 195, 12, 25, 129, 216, 15, 0, 96, 6, 0, 96, 6, 0, 96, 6, 0, 255, 192, 96, 48, 12, 6, 3, 1, 192, 96, 48, 24, 6, 3, 0, 255, 192, 251, 109, 182, 219, 109, 182, 224, 132, 16, 132, 16, 132, 16, 132, 16, 128, 237, 182, 219, 109, 182, 219, 224, 48, 96, 162, 68, 216, 161, 128, 255, 192, 198, 48, 126, 113, 176, 192, 96, 243, 219, 13, 134, 199, 61, 192, 192, 96, 48, 27, 206, 54, 15, 7, 131, 193, 224, 240, 124, 109, 224, 60, 102, 195, 192, 192, 192, 192, 195, 102, 60, 3, 3, 3, 59, 103, 195, 195, 195, 195, 195, 195, 103, 59, 60, 102, 195, 195, 255, 192, 192, 195, 102, 60, 54, 111, 102, 102, 102, 102, 96, 59, 103, 195, 195, 195, 195, 195, 195, 103, 59, 3, 3, 198, 124, 192, 192, 192, 222, 227, 195, 195, 195, 195, 195, 195, 195, 195, 195, 255, 255, 192, 48, 3, 51, 51, 51, 51, 51, 51, 224, 192, 96, 48, 24, 76, 70, 99, 97, 240, 236, 98, 49, 152, 108, 48, 255, 255, 255, 192, 222, 247, 28, 240, 199, 134, 60, 49, 225, 143, 12, 120, 99, 195, 30, 24, 192, 222, 227, 195, 195, 195, 195, 195, 195, 195, 195, 60, 102, 195, 195, 195, 195, 195, 195, 102, 60, 222, 113, 176, 120, 60, 30, 15, 7, 131, 227, 111, 48, 24, 12, 0, 59, 103, 195, 195, 195, 195, 195, 195, 103, 59, 3, 3, 3, 223, 49, 140, 99, 24, 198, 0, 62, 227, 192, 192, 224, 60, 7, 195, 227, 126, 102, 246, 102, 102, 102, 103, 195, 195, 195, 195, 195, 195, 195, 195, 199, 123, 193, 160, 152, 204, 66, 33, 176, 208, 40, 28, 12, 0, 198, 30, 56, 145, 196, 202, 102, 211, 22, 208, 166, 135, 28, 56, 192, 198, 0, 67, 98, 54, 28, 24, 28, 60, 38, 98, 67, 193, 33, 152, 204, 66, 97, 176, 208, 56, 28, 12, 6, 3, 1, 3, 0, 254, 12, 48, 193, 134, 24, 32, 193, 252, 54, 102, 102, 110, 206, 102, 102, 102, 48, 255, 255, 255, 255, 192, 198, 102, 102, 103, 55, 102, 102, 102, 192, 97, 36, 56]
free_sans9pt7b_glyphs = [[0, 0, 0, 5, 0, 1], [0, 2, 13, 6, 2, -12], [4, 5, 4, 6, 1, -12], [7, 10, 12, 10, 0, -11], [22, 9, 16, 10, 1, -13], [40, 16, 13, 16, 1, -12], [66, 11, 13, 12, 1, -12], [84, 2, 4, 4, 1, -12], [85, 4, 17, 6, 1, -12], [94, 4, 17, 6, 1, -12], [103, 5, 5, 7, 1, -12], [107, 6, 8, 11, 3, -7], [113, 2, 4, 5, 2, 0], [114, 4, 1, 6, 1, -4], [115, 2, 1, 5, 1, 0], [116, 5, 13, 5, 0, -12], [125, 8, 13, 10, 1, -12], [138, 4, 13, 10, 3, -12], [145, 9, 13, 10, 1, -12], [160, 8, 13, 10, 1, -12], [173, 7, 13, 10, 2, -12], [185, 9, 13, 10, 1, -12], [200, 9, 13, 10, 1, -12], [215, 8, 13, 10, 0, -12], [228, 9, 13, 10, 1, -12], [243, 8, 13, 10, 1, -12], [256, 2, 10, 5, 1, -9], [259, 3, 12, 5, 1, -8], [264, 9, 9, 11, 1, -8], [275, 9, 4, 11, 1, -5], [280, 9, 9, 11, 1, -8], [291, 9, 13, 10, 1, -12], [306, 17, 16, 18, 1, -12], [340, 12, 13, 12, 0, -12], [360, 11, 13, 12, 1, -12], [378, 11, 13, 13, 1, -12], [396, 11, 13, 13, 1, -12], [414, 9, 13, 11, 1, -12], [429, 8, 13, 11, 1, -12], [442, 12, 13, 14, 1, -12], [462, 11, 13, 13, 1, -12], [480, 2, 13, 5, 2, -12], [484, 7, 13, 10, 1, -12], [496, 11, 13, 12, 1, -12], [514, 8, 13, 10, 1, -12], [527, 13, 13, 15, 1, -12], [549, 11, 13, 13, 1, -12], [567, 13, 13, 14, 1, -12], [589, 10, 13, 12, 1, -12], [606, 13, 14, 14, 1, -12], [629, 12, 13, 13, 1, -12], [649, 10, 13, 12, 1, -12], [666, 9, 13, 11, 1, -12], [681, 11, 13, 13, 1, -12], [699, 11, 13, 12, 0, -12], [717, 17, 13, 17, 0, -12], [745, 12, 13, 12, 0, -12], [765, 12, 13, 12, 0, -12], [785, 10, 13, 11, 1, -12], [802, 3, 17, 5, 1, -12], [809, 5, 13, 5, 0, -12], [818, 3, 17, 5, 0, -12], [825, 7, 7, 8, 1, -12], [832, 10, 1, 10, 0, 3], [834, 4, 3, 5, 0, -12], [836, 9, 10, 10, 1, -9], [848, 9, 13, 10, 1, -12], [863, 8, 10, 9, 1, -9], [873, 8, 13, 10, 1, -12], [886, 8, 10, 10, 1, -9], [896, 4, 13, 5, 1, -12], [903, 8, 14, 10, 1, -9], [917, 8, 13, 10, 1, -12], [930, 2, 13, 4, 1, -12], [934, 4, 17, 4, 0, -12], [943, 9, 13, 9, 1, -12], [958, 2, 13, 4, 1, -12], [962, 13, 10, 15, 1, -9], [979, 8, 10, 10, 1, -9], [989, 8, 10, 10, 1, -9], [999, 9, 13, 10, 1, -9], [1014, 8, 13, 10, 1, -9], [1027, 5, 10, 6, 1, -9], [1034, 8, 10, 9, 1, -9], [1044, 4, 12, 5, 1, -11], [1050, 8, 10, 10, 1, -9], [1060, 9, 10, 9, 0, -9], [1072, 13, 10, 13, 0, -9], [1089, 8, 10, 9, 0, -9], [1099, 9, 14, 9, 0, -9], [1115, 7, 10, 9, 1, -9], [1124, 4, 17, 6, 1, -12], [1133, 2, 17, 4, 2, -12], [1138, 4, 17, 6, 1, -12], [1147, 7, 3, 9, 1, -7]]
free_sans9pt7b = [FreeSans9pt7bBitmaps, FreeSans9pt7bGlyphs, 32, 126, 22] |
# pop]Remove element by index [].pop
planets = ['Mercury', 'Venus', 'Earth', 'Mars', 'Jupiter']
print(planets) # ['Mercury', 'Venus', 'Earth', 'Mars', 'Jupiter']
third = planets.pop(2)
print(third) # Earth
print(planets) # ['Mercury', 'Venus', 'Mars', 'Jupiter']
last = planets.pop()
print(last) # Jupiter
print(planets) # ['Mercury', 'Venus', 'Mars']
# planets.pop(4) # IndexError: pop index out of range
jupyter_landers = []
# jupyter_landers.pop() # IndexError: pop from empty list | planets = ['Mercury', 'Venus', 'Earth', 'Mars', 'Jupiter']
print(planets)
third = planets.pop(2)
print(third)
print(planets)
last = planets.pop()
print(last)
print(planets)
jupyter_landers = [] |
def getmonthdays(y, m):
if (m == 2):
if (isleapyear(y)):
return 29
else:
return 28
else:
return {
1: 31, 3: 31, 4: 40,
5: 31, 6: 30, 7: 31,
8: 31, 9: 30, 10: 31,
11: 30, 12: 31
}[m]
def isleapyear(y):
return (
(y % 4 == 0 and y % 100 != 0)
or
(y % 400 == 0)
)
def getdays(y, m, d):
days = 0
for mm in range(1, m):
days += getmonthdays(y, mm)
days += d
return days
def getweekday(y):
return (
+ int(y - 1)
+ int((y - 1) / 4)
- int((y - 1) / 100)
+ int((y - 1) / 400)
) % 7
def month_header(month):
print("{:^35}".format({
1: "January", 2: "February", 3: "March",
4: "April", 5: "May", 6: "June", 7: "July",
8: "August", 9: "September", 10: "October",
11: "November", 12: "December"
}[month]))
print(35 * "=")
print((7 * "{:^5}").format(
"SUN", "MON", "TUE", "WED",
"THU", "FRI", "SAT"
))
print(35 * "=")
def month_footer():
print(35 * "=" + "\n")
def main():
print("This is a calendar program.")
print("Which year to print?")
y = int(input())
weekday = getweekday(y)
for m in range(1, 12 + 1):
month_header(m)
st = " " * ((weekday + 1) % 7)
for d in range(1, getmonthdays(y, m) + 1):
weekday = (weekday + 1) % 7
st += "{:^5}".format(d)
if (weekday == 6):
print(st)
st = ""
print(st)
month_footer()
main()
| def getmonthdays(y, m):
if m == 2:
if isleapyear(y):
return 29
else:
return 28
else:
return {1: 31, 3: 31, 4: 40, 5: 31, 6: 30, 7: 31, 8: 31, 9: 30, 10: 31, 11: 30, 12: 31}[m]
def isleapyear(y):
return y % 4 == 0 and y % 100 != 0 or y % 400 == 0
def getdays(y, m, d):
days = 0
for mm in range(1, m):
days += getmonthdays(y, mm)
days += d
return days
def getweekday(y):
return (+int(y - 1) + int((y - 1) / 4) - int((y - 1) / 100) + int((y - 1) / 400)) % 7
def month_header(month):
print('{:^35}'.format({1: 'January', 2: 'February', 3: 'March', 4: 'April', 5: 'May', 6: 'June', 7: 'July', 8: 'August', 9: 'September', 10: 'October', 11: 'November', 12: 'December'}[month]))
print(35 * '=')
print((7 * '{:^5}').format('SUN', 'MON', 'TUE', 'WED', 'THU', 'FRI', 'SAT'))
print(35 * '=')
def month_footer():
print(35 * '=' + '\n')
def main():
print('This is a calendar program.')
print('Which year to print?')
y = int(input())
weekday = getweekday(y)
for m in range(1, 12 + 1):
month_header(m)
st = ' ' * ((weekday + 1) % 7)
for d in range(1, getmonthdays(y, m) + 1):
weekday = (weekday + 1) % 7
st += '{:^5}'.format(d)
if weekday == 6:
print(st)
st = ''
print(st)
month_footer()
main() |
class GirlFriend:
girlfriend = False
def __init__(self,exist):
self.girlfriend = exist
self.girlfriend = False
GirlFriend.girlfriend = False
print(" No. She doesn't exist! :( ")
def exists(self):
return False | class Girlfriend:
girlfriend = False
def __init__(self, exist):
self.girlfriend = exist
self.girlfriend = False
GirlFriend.girlfriend = False
print(" No. She doesn't exist! :( ")
def exists(self):
return False |
onnx = []
verbose = 0
header = ["include/operators"]
no_header = 0
force_header = 0
resolve = ["src/operators/resolve"]
no_resolve = 0
force_resolve = 0
sets = ["src/operators/"]
no_sets = 0
stubs = ["src/operators/implementation"]
force_sets = 0
no_stubs = 0
force_stubs = 0
info = ["src/operators/info"]
no_info = 0
force_info = 0
force = 0
dryrun = 0
include = [".*"]
exclude = []
version = ["all"]
domains = ["all"]
path = [""] | onnx = []
verbose = 0
header = ['include/operators']
no_header = 0
force_header = 0
resolve = ['src/operators/resolve']
no_resolve = 0
force_resolve = 0
sets = ['src/operators/']
no_sets = 0
stubs = ['src/operators/implementation']
force_sets = 0
no_stubs = 0
force_stubs = 0
info = ['src/operators/info']
no_info = 0
force_info = 0
force = 0
dryrun = 0
include = ['.*']
exclude = []
version = ['all']
domains = ['all']
path = [''] |
#!/usr/bin/env-python3
print('Welcome to a hello word for python.')
name = input("Please enter you name: ")
print("Hi " + name + " welcome to python")
print("python is very powerful")
| print('Welcome to a hello word for python.')
name = input('Please enter you name: ')
print('Hi ' + name + ' welcome to python')
print('python is very powerful') |
# Build a program that create an automatic pizza order
# Consider that there are three types of pizza: Small ($15), Medium ($20) and large ($25)
# If you want to add pepperoni, you will need to add $2 for a small pizza
# For the Medium or large one, you will need to add $3
# If you want extra cheese, the added price will be $1, for any size
totalBill = 0
# Input block
print("Welcome to Python Pizza Deliveries!")
pizzaSize = input("What size of pizza do you want? S, M L \n")
pepperoniOption = input("Do you want pepperoni? Y, N \n")
extraCheese = input("Do you want extra cheese? Y, N \n")
# Operations block
smallP = 15
mediumP = 20
largeP = 25
if pizzaSize == "S":
totalBill = totalBill + smallP
if pepperoniOption == "Y":
totalBill = totalBill + 2
elif pizzaSize == "M":
totalBill = totalBill + mediumP
else:
totalBill = totalBill + largeP
if pepperoniOption == "Y" and pizzaSize != "Y":
totalBill = totalBill + 3
if extraCheese == "Y":
totalBill = totalBill + 1
totalBill = round(totalBill,2)
# Output block
print("\n****************************************")
print(f" The final bill is ${totalBill}.")
print("****************************************")
| total_bill = 0
print('Welcome to Python Pizza Deliveries!')
pizza_size = input('What size of pizza do you want? S, M L \n')
pepperoni_option = input('Do you want pepperoni? Y, N \n')
extra_cheese = input('Do you want extra cheese? Y, N \n')
small_p = 15
medium_p = 20
large_p = 25
if pizzaSize == 'S':
total_bill = totalBill + smallP
if pepperoniOption == 'Y':
total_bill = totalBill + 2
elif pizzaSize == 'M':
total_bill = totalBill + mediumP
else:
total_bill = totalBill + largeP
if pepperoniOption == 'Y' and pizzaSize != 'Y':
total_bill = totalBill + 3
if extraCheese == 'Y':
total_bill = totalBill + 1
total_bill = round(totalBill, 2)
print('\n****************************************')
print(f' The final bill is ${totalBill}.')
print('****************************************') |
Names = ["Jack", "Cian", "Leah", "Elliot", "Cai", "Eben"]
print("Hello how are you " + Names[0])
print("Hello how are you " + Names[1])
print("Hello how are you " + Names[2])
print("Hello how are you " + Names[3])
print("Hello how are you " + Names[4])
print("Hello how are you " + Names[5])
| names = ['Jack', 'Cian', 'Leah', 'Elliot', 'Cai', 'Eben']
print('Hello how are you ' + Names[0])
print('Hello how are you ' + Names[1])
print('Hello how are you ' + Names[2])
print('Hello how are you ' + Names[3])
print('Hello how are you ' + Names[4])
print('Hello how are you ' + Names[5]) |
'''
stemdiff.const
--------------
Constants for package stemdiff.
'''
# Key constants
# (these costants are not expected to change for given microscope
# (they can be adjusted if the program is used for a different microscope
DET_SIZE = 256
'''DET_SIZE = size of pixelated detector (in pixels :-)'''
RESCALE = 4
'''RESCALE = scaling coefficient: final image size = DET_SIZE * RESCALE'''
# Additional settings
# (these settings/objects must be adjusted acc. to experimental conditions
# (typically, the objects are defined at the beginning of the master script
# centering = parameters for the determination of the center of 4D-STEM images
# summation = parameters for the summation of 2D-STEM images
class centering:
'''
Set parameters for determination of center of 4D-STEM datafiles.
Typical usage
-------------
In a script, use the following two commands:
>>> import stemdiff.const
>>> CENTERING = stemdiff.const.centering(
>>> ctype=1,csquare=30,cintensity=0.8)
Typical values of the arguments:
* ctype=1 ..fixed center, determined from the 1st file
* csquare=30 ..find center in a central square with size 30 pixels
* cintensity=0.8 ..ignore intensities < 0.8 * maximal intensity
Variable CENTERING, which contains the centering object,
is usually employed as an argument in the functions
that create database of files, determine PSF and sum datafiles.
More help & detailed description of parameters
----------------------------------------------
In a console, type the following two commands:
>>> import stemdiff.const
>>> help(stemdiff.const.centering)
'''
def __init__(self, ctype=1, csquare=None, cintensity=None):
'''
Initialize parameters for center determination.
Parameters
----------
ctype : integer (values: 0, 1, 2)
* 0 = intensity center not determined, geometrical center is used
* 1 = center determined from the first image and kept constant
* 2 = center is determined for each individual image
csquare : integer (interval: 10--DET_SIZE)
Size of the central square (in pixels),
within which the center of intensity is searched for.
cintensity : float (interval: 0--1)
Intensity fraction, which is used for center determination.
Example: cintensity=0.9 => take only pixels > 0.9 * max.intensity.
Returns
-------
Centering object.
'''
self.ctype = ctype
self.csquare = csquare
self.cintensity = cintensity
class summation:
'''
Set parameters for summation of 4D-STEM datafiles.
Typical usage
-------------
In a script, use the following two commands:
>>> import stemdiff.const
>>> SUMMATION =
>>> stemdiff.const.summation(psfsize=130,imgsize=125,iterate=30)
Typical values of the arguments:
* psfsize=130 ..size of a central square for PSF determination
* imgsize=125 ..size of a central square for summation
* iterate=30 ..number of iterations during deconvolution
* (psfsize > imgsize) => minimization of deconvolution artifacts
* (imgsize < DET_SIZE) => ignore weak diffraction at the edges
* (iterate=30) => a starting point; final number usually higher
Variable SUMMATION, which contains the summation object,
is usually employed as an argument in the functions
that determine PSF and sum datafiles.
More help & detailed description of parameters
----------------------------------------------
In a console, use the following two commands:
>>> import stemdiff.const
>>> help(stemdiff.const.summation)
'''
def __init__(self, psfsize=None, imgsize=None, iterate=None):
'''
Initialize parameters for summation.
Parameters
----------
psfize : integer (interval: something--DET_SIZE)
Size/edge of central square, from which 2D-PSF will be determined.
imgsize : integer (interval: something --DET_SIZE)
Size of array read from the detector is reduced to imgsize.
If given, we sum only the central square with size = imgsize.
Smaller area = higher speed; outer area = just weak diffractions.
iterate : integer
Number of iterations during PSF deconvolution.
Returns
-------
Summation object.
'''
self.psfsize = psfsize
self.imgsize = imgsize
self.iterate = iterate
| """
stemdiff.const
--------------
Constants for package stemdiff.
"""
det_size = 256
'DET_SIZE = size of pixelated detector (in pixels :-)'
rescale = 4
'RESCALE = scaling coefficient: final image size = DET_SIZE * RESCALE'
class Centering:
"""
Set parameters for determination of center of 4D-STEM datafiles.
Typical usage
-------------
In a script, use the following two commands:
>>> import stemdiff.const
>>> CENTERING = stemdiff.const.centering(
>>> ctype=1,csquare=30,cintensity=0.8)
Typical values of the arguments:
* ctype=1 ..fixed center, determined from the 1st file
* csquare=30 ..find center in a central square with size 30 pixels
* cintensity=0.8 ..ignore intensities < 0.8 * maximal intensity
Variable CENTERING, which contains the centering object,
is usually employed as an argument in the functions
that create database of files, determine PSF and sum datafiles.
More help & detailed description of parameters
----------------------------------------------
In a console, type the following two commands:
>>> import stemdiff.const
>>> help(stemdiff.const.centering)
"""
def __init__(self, ctype=1, csquare=None, cintensity=None):
"""
Initialize parameters for center determination.
Parameters
----------
ctype : integer (values: 0, 1, 2)
* 0 = intensity center not determined, geometrical center is used
* 1 = center determined from the first image and kept constant
* 2 = center is determined for each individual image
csquare : integer (interval: 10--DET_SIZE)
Size of the central square (in pixels),
within which the center of intensity is searched for.
cintensity : float (interval: 0--1)
Intensity fraction, which is used for center determination.
Example: cintensity=0.9 => take only pixels > 0.9 * max.intensity.
Returns
-------
Centering object.
"""
self.ctype = ctype
self.csquare = csquare
self.cintensity = cintensity
class Summation:
"""
Set parameters for summation of 4D-STEM datafiles.
Typical usage
-------------
In a script, use the following two commands:
>>> import stemdiff.const
>>> SUMMATION =
>>> stemdiff.const.summation(psfsize=130,imgsize=125,iterate=30)
Typical values of the arguments:
* psfsize=130 ..size of a central square for PSF determination
* imgsize=125 ..size of a central square for summation
* iterate=30 ..number of iterations during deconvolution
* (psfsize > imgsize) => minimization of deconvolution artifacts
* (imgsize < DET_SIZE) => ignore weak diffraction at the edges
* (iterate=30) => a starting point; final number usually higher
Variable SUMMATION, which contains the summation object,
is usually employed as an argument in the functions
that determine PSF and sum datafiles.
More help & detailed description of parameters
----------------------------------------------
In a console, use the following two commands:
>>> import stemdiff.const
>>> help(stemdiff.const.summation)
"""
def __init__(self, psfsize=None, imgsize=None, iterate=None):
"""
Initialize parameters for summation.
Parameters
----------
psfize : integer (interval: something--DET_SIZE)
Size/edge of central square, from which 2D-PSF will be determined.
imgsize : integer (interval: something --DET_SIZE)
Size of array read from the detector is reduced to imgsize.
If given, we sum only the central square with size = imgsize.
Smaller area = higher speed; outer area = just weak diffractions.
iterate : integer
Number of iterations during PSF deconvolution.
Returns
-------
Summation object.
"""
self.psfsize = psfsize
self.imgsize = imgsize
self.iterate = iterate |
# using for loops with the range function
# https://www.udemy.com/course/100-days-of-code/learn/lecture/18085735#content
'''
# start value a is first number
# end value b is last value but is not included in range
for number in range (a, b):
print(number)
'''
# print all values between 1 through 10
for number in range(1, 11):
print(number)
'''
# add a step c for a number pattern in the range
for number in range (a, b, c):
print(number)
'''
# print all values between 1 through 10 every 3 steps
for number in range(1, 11, 3):
print(number)
# add all values from 1 to 100
total = 0
for x in range(1, 101):
total += x
print(total)
| """
# start value a is first number
# end value b is last value but is not included in range
for number in range (a, b):
print(number)
"""
for number in range(1, 11):
print(number)
'\n# add a step c for a number pattern in the range\nfor number in range (a, b, c):\n print(number)\n\n'
for number in range(1, 11, 3):
print(number)
total = 0
for x in range(1, 101):
total += x
print(total) |
def birthday_ranges(birthdays, ranges):
list_of_number_of_birthdays = []
for start, end in ranges:
number = 0
for current_birthday in birthdays:
if current_birthday in range(start, end):
number += 1
list_of_number_of_birthdays.append(number)
return list_of_number_of_birthdays
| def birthday_ranges(birthdays, ranges):
list_of_number_of_birthdays = []
for (start, end) in ranges:
number = 0
for current_birthday in birthdays:
if current_birthday in range(start, end):
number += 1
list_of_number_of_birthdays.append(number)
return list_of_number_of_birthdays |
class Solution:
def majorityElement(self, nums: List[int]) -> int:
#using hashmap or dictionary as is called in python
count = {}
for i in nums:
if i in count:
count[i] += 1
else:
count[i] = 1
if count[i] > len(nums) // 2:
return i
| class Solution:
def majority_element(self, nums: List[int]) -> int:
count = {}
for i in nums:
if i in count:
count[i] += 1
else:
count[i] = 1
if count[i] > len(nums) // 2:
return i |
#uses python3
def evalt(a, b, op):
if op == '+':
return a + b
elif op == '-':
return a - b
elif op == '*':
return a * b
else:
assert False
def MinMax(i, j, op, m, M):
mmin = 10000
mmax = -10000
for k in range(i, j):
a = evalt(M[i][k], M[k+1][j], op[k])
b = evalt(M[i][k], m[k+1][j], op[k])
c = evalt(m[i][k], M[k+1][j], op[k])
d = evalt(m[i][k], m[k+1][j], op[k])
mmin = min(mmin, a, b, c, d)
mmax = max(mmax, a, b, c, d)
return(mmin, mmax)
def get_maximum_value(dataset):
op = dataset[1:len(dataset):2]
d = dataset[0:len(dataset)+1:2]
n = len(d)
#iniitializing matrices/tables
m = [[0 for i in range(n)] for j in range(n)] #minimized values
M = [[0 for i in range(n)] for j in range(n)] #maximized values
for i in range(n):
m[i][i] = int(d[i]) #so that the tables will look like
M[i][i] = int(d[i]) #[[i, 0, 0...], [0, i, 0...], [0, 0, i,...]]
for s in range(1, n): #here's where I get confused
for i in range(n-s):
j = i + s
m[i][j], M[i][j] = MinMax(i,j,op,m,M)
return M[0][n-1]
if __name__ == "__main__":
print(get_maximum_value(input()))
| def evalt(a, b, op):
if op == '+':
return a + b
elif op == '-':
return a - b
elif op == '*':
return a * b
else:
assert False
def min_max(i, j, op, m, M):
mmin = 10000
mmax = -10000
for k in range(i, j):
a = evalt(M[i][k], M[k + 1][j], op[k])
b = evalt(M[i][k], m[k + 1][j], op[k])
c = evalt(m[i][k], M[k + 1][j], op[k])
d = evalt(m[i][k], m[k + 1][j], op[k])
mmin = min(mmin, a, b, c, d)
mmax = max(mmax, a, b, c, d)
return (mmin, mmax)
def get_maximum_value(dataset):
op = dataset[1:len(dataset):2]
d = dataset[0:len(dataset) + 1:2]
n = len(d)
m = [[0 for i in range(n)] for j in range(n)]
m = [[0 for i in range(n)] for j in range(n)]
for i in range(n):
m[i][i] = int(d[i])
M[i][i] = int(d[i])
for s in range(1, n):
for i in range(n - s):
j = i + s
(m[i][j], M[i][j]) = min_max(i, j, op, m, M)
return M[0][n - 1]
if __name__ == '__main__':
print(get_maximum_value(input())) |
## To fill these in:
## 1. Create a twitter account, or log in to your own
## 2. apps.twitter.com
## 3. Click "Create New App"
## 4. You'll see Create An Application. Fill in a name (must be unique) and a brief description (anything OK), and ANY complete website, e.g. http://programsinformationpeople.org in the website field. And click the box assuring you've read the developer agreement once you read it! (Though in this course we will not be learning concepts that can violate the TOS...)
## 5. Click "Create your Twitter application"
## 6. Click on the Keys and Access Tokens tab on the next screen
## 7. The Consumer Key (API Key) and Consumer Secret (API Secret) should be visible, strings of letters and numbers. Copy those into the strings below for consumer_key and consumer_secret variables.
## 8. Scroll down. Click "Create my access token" button.
## 9. You should then be able to scroll and see the Access Token and Access Token Secret (strings of letters/numbers/characters). Copy those into the access_token and access_token_secret variables below, respectively.
## 10. Make sure this file is in the same directory as the tweepy_example file (or any other file) where you import twitter_info!
## 11. (Don't share this file with anyone or push it to a public GitHub repository -- it contains access to your Twitter account!)
consumer_key = "yXNjbxmVp0v33vHuvgaK6vxdb"
consumer_secret = "SS2TSkoSRfkTk4nHk3kDgF5zI6zuP4eYJ6JyDJ6FgB5iuw3Zbe"
access_token = "438854829-7Ao9rz9PVvKMykErUzVr20Nz7unefv4DUUiEuESG"
access_token_secret = "F4n0eOJ9lYndAoFBYwgsxdxQ9TNKKOb8VIDgqrfJ5u7PD" | consumer_key = 'yXNjbxmVp0v33vHuvgaK6vxdb'
consumer_secret = 'SS2TSkoSRfkTk4nHk3kDgF5zI6zuP4eYJ6JyDJ6FgB5iuw3Zbe'
access_token = '438854829-7Ao9rz9PVvKMykErUzVr20Nz7unefv4DUUiEuESG'
access_token_secret = 'F4n0eOJ9lYndAoFBYwgsxdxQ9TNKKOb8VIDgqrfJ5u7PD' |
# -*- coding: utf-8 -*-
#
# This is the Robotics Language compiler
#
# Language.py: Definition of the language for this package
#
# Created on: June 22, 2017
# Author: Gabriel A. D. Lopes
# Licence: Apache 2.0
# Copyright: 2014-2017 Robot Care Systems BV, The Hague, The Netherlands. All rights reserved.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
default_output = ''
language = {
'option': {
'output': {'Python': '{{children[0]}}'}
},
'Reals': {
'output':
{
'Python': '',
},
},
'Integers': {
'output':
{
'Python': '',
},
},
'Naturals': {
'output':
{
'Python': '',
},
},
'Strings': {
'output':
{
'Python': '',
},
},
'Booleans': {
'output':
{
'Python': '',
},
},
'string': {
'output':
{
'Python': '"{{text}}"',
},
},
'integer': {
'output':
{
'Python': '{% if parameters["Outputs"]["Python"]["strict"] %}int({{text}}){% else %}{{text}}{% endif %}',
},
},
'natural': {
'output':
{
'Python': '{% if parameters["Outputs"]["Python"]["strict"] %}int({{text}}){% else %}{{text}}{% endif %}',
},
},
'boolean': {
'output':
{
'Python': '{{text|title}}',
},
},
'number': {
'output':
{
'Python': '{{text}}',
},
},
'Python': {
'output':
{
'Python': '{{text}}',
},
},
'real': {
'output':
{
'Python': '{% if parameters["Outputs"]["Python"]["strict"] %}float({{text}}){% else %}{{text}}{% endif %}',
},
},
'set': {
'output':
{
'Python': '{% if parentTag=="assign"%}{{children|join(", ")}}{% else %}set({{children|join(", ")}}){% endif %}'
},
},
'function': {
'output':
{
'Python': '{{attributes["name"]}}({{children|join(", ")}})',
},
},
'function_pointer': {
'output':
{
'Python': '{{attributes["name"]}}',
},
},
'return': {
'output':
{
'Python': 'return {{children|join(", ")}}'
},
},
'function_definition': {
'output':
{
'Python': '',
},
},
'function_arguments': {
'output':
{
'Python': '{{children|join(", ")}}',
},
},
'function_content': {
'output':
{
'Python': '{{children|join("\n")}}',
},
},
'function_returns': {
'output':
{
'Python': '',
},
},
'assign': {
'output': {
'Python': '{% if isDefined(parameters,"Transformers/Base/variables/"+children[0]+"/operators/assign/pre/Python") %}{{parameters["Transformers"]["Base"]["variables"][children[0]]["operators"]["assign"]["pre"]["Python"]|join("\n")}}{% endif %}{{attributes["prePython"]}}{{children[0]}}{{attributes["preAssignPython"]}}={{attributes["postAssignPython"]}}{{children[1]}}{{attributes["postPython"]}}{% if isDefined(parameters,"Transformers/Base/variables/"+children[0]+"/operators/assign/post/Python") %}{{parameters["Transformers"]["Base"]["variables"][children[0]]["operators"]["assign"]["post"]["Python"]|join("\n")}}{% endif %}'
},
},
'variable': {
'output':
{
'Python': '{{attributes["name"]}}{% if "returnDomainPython" in attributes %}{{attributes["returnDomainPython"]}}{% endif %}',
},
},
'element': {
'output':
{
'Python': '{% if parentTag in ["assign", "function_arguments"] %}{{attribute(code.xpath("variable"),"name")}}{% endif %}'
},
},
'block': {
'output':
{
'Python': '{{"\n".join(children)}}'
},
},
'cycle': {
'output':
{
'Python': '{{children|join("\n")}}\n',
},
},
'if': {
'output':
{
'Python': 'if {{children[0]}}:\n #>> \n {{children[1]}} \n #<<\n {% if children|length>2 %} else: \n #>> \n {{children[2]}} \n #<< \n {% endif %}'
}
},
'print': {
'output':
{
'Python': 'print(str({{children|join(") + str(")}}))',
},
},
'part': {
'output':
{
'Python': '{{children[0]}}[{{children[1]}}]',
},
},
'index': {
'output':
{
'Python': '{{children[0]}}',
},
},
'domain': {
'output':
{
'Python': '{{children|join(".")}}',
},
},
# math
'times': {
'output': {
'Python': '({{children|join(" * ")}})',
},
},
'divide': {
'output': {
'Python': '({{children|join(" / ")}})',
},
},
'plus': {
'output': {
'Python': '({{children|join(" + ")}})',
},
},
'minus': {
'output': {
'Python': '({{children|join(" - ")}})',
},
},
'larger': {
'output': {
'Python': '({{children|join(" > ")}})',
},
},
'smaller': {
'output': {
'Python': '({{children|join(" < ")}})',
},
},
'largerEqual': {
'output': {
'Python': '({{children|join(" >= ")}})',
},
},
'smallerEqual': {
'output': {
'Python': '({{children|join(" <= ")}})',
},
},
'equal': {
'output': {
'Python': '({{children|join(" == ")}})',
},
},
'notEqual': {
'output': {
'Python': '({{children|join(" != ")}})',
},
},
'and': {
'output': {
'Python': '({{children|join(" and ")}})',
},
},
'or': {
'output': {
'Python': '({{children|join(" or ")}})',
},
},
'not': {
'output': {
'Python': 'not({{children[0]}})',
},
},
'negative': {
'output': {
'Python': '-({{children[0]}})',
},
},
'positive': {
'output': {
'Python': '({{children[0]}})',
},
},
}
| default_output = ''
language = {'option': {'output': {'Python': '{{children[0]}}'}}, 'Reals': {'output': {'Python': ''}}, 'Integers': {'output': {'Python': ''}}, 'Naturals': {'output': {'Python': ''}}, 'Strings': {'output': {'Python': ''}}, 'Booleans': {'output': {'Python': ''}}, 'string': {'output': {'Python': '"{{text}}"'}}, 'integer': {'output': {'Python': '{% if parameters["Outputs"]["Python"]["strict"] %}int({{text}}){% else %}{{text}}{% endif %}'}}, 'natural': {'output': {'Python': '{% if parameters["Outputs"]["Python"]["strict"] %}int({{text}}){% else %}{{text}}{% endif %}'}}, 'boolean': {'output': {'Python': '{{text|title}}'}}, 'number': {'output': {'Python': '{{text}}'}}, 'Python': {'output': {'Python': '{{text}}'}}, 'real': {'output': {'Python': '{% if parameters["Outputs"]["Python"]["strict"] %}float({{text}}){% else %}{{text}}{% endif %}'}}, 'set': {'output': {'Python': '{% if parentTag=="assign"%}{{children|join(", ")}}{% else %}set({{children|join(", ")}}){% endif %}'}}, 'function': {'output': {'Python': '{{attributes["name"]}}({{children|join(", ")}})'}}, 'function_pointer': {'output': {'Python': '{{attributes["name"]}}'}}, 'return': {'output': {'Python': 'return {{children|join(", ")}}'}}, 'function_definition': {'output': {'Python': ''}}, 'function_arguments': {'output': {'Python': '{{children|join(", ")}}'}}, 'function_content': {'output': {'Python': '{{children|join("\n")}}'}}, 'function_returns': {'output': {'Python': ''}}, 'assign': {'output': {'Python': '{% if isDefined(parameters,"Transformers/Base/variables/"+children[0]+"/operators/assign/pre/Python") %}{{parameters["Transformers"]["Base"]["variables"][children[0]]["operators"]["assign"]["pre"]["Python"]|join("\n")}}{% endif %}{{attributes["prePython"]}}{{children[0]}}{{attributes["preAssignPython"]}}={{attributes["postAssignPython"]}}{{children[1]}}{{attributes["postPython"]}}{% if isDefined(parameters,"Transformers/Base/variables/"+children[0]+"/operators/assign/post/Python") %}{{parameters["Transformers"]["Base"]["variables"][children[0]]["operators"]["assign"]["post"]["Python"]|join("\n")}}{% endif %}'}}, 'variable': {'output': {'Python': '{{attributes["name"]}}{% if "returnDomainPython" in attributes %}{{attributes["returnDomainPython"]}}{% endif %}'}}, 'element': {'output': {'Python': '{% if parentTag in ["assign", "function_arguments"] %}{{attribute(code.xpath("variable"),"name")}}{% endif %}'}}, 'block': {'output': {'Python': '{{"\n".join(children)}}'}}, 'cycle': {'output': {'Python': '{{children|join("\n")}}\n'}}, 'if': {'output': {'Python': 'if {{children[0]}}:\n #>> \n {{children[1]}} \n #<<\n {% if children|length>2 %} else: \n #>> \n {{children[2]}} \n #<< \n {% endif %}'}}, 'print': {'output': {'Python': 'print(str({{children|join(") + str(")}}))'}}, 'part': {'output': {'Python': '{{children[0]}}[{{children[1]}}]'}}, 'index': {'output': {'Python': '{{children[0]}}'}}, 'domain': {'output': {'Python': '{{children|join(".")}}'}}, 'times': {'output': {'Python': '({{children|join(" * ")}})'}}, 'divide': {'output': {'Python': '({{children|join(" / ")}})'}}, 'plus': {'output': {'Python': '({{children|join(" + ")}})'}}, 'minus': {'output': {'Python': '({{children|join(" - ")}})'}}, 'larger': {'output': {'Python': '({{children|join(" > ")}})'}}, 'smaller': {'output': {'Python': '({{children|join(" < ")}})'}}, 'largerEqual': {'output': {'Python': '({{children|join(" >= ")}})'}}, 'smallerEqual': {'output': {'Python': '({{children|join(" <= ")}})'}}, 'equal': {'output': {'Python': '({{children|join(" == ")}})'}}, 'notEqual': {'output': {'Python': '({{children|join(" != ")}})'}}, 'and': {'output': {'Python': '({{children|join(" and ")}})'}}, 'or': {'output': {'Python': '({{children|join(" or ")}})'}}, 'not': {'output': {'Python': 'not({{children[0]}})'}}, 'negative': {'output': {'Python': '-({{children[0]}})'}}, 'positive': {'output': {'Python': '({{children[0]}})'}}} |
#!/usr/bin/env python3
# https://abc053.contest.atcoder.jp/tasks/abc053_b
s = input()
print(s.rindex('Z') - s.index('A') + 1)
| s = input()
print(s.rindex('Z') - s.index('A') + 1) |
#!/usr/bin/env python3
def charCount(ch, st):
count = 0
for character in st:
if character == ch:
count += 1
return count
st = input("Enter a string ")
ch = input("Find character to be searched ")
print(charCount(ch, st))
| def char_count(ch, st):
count = 0
for character in st:
if character == ch:
count += 1
return count
st = input('Enter a string ')
ch = input('Find character to be searched ')
print(char_count(ch, st)) |
# configuration file for resource "postgresql_1"
#
# this file exists as a reference for configuring postgresql resources
# and to support self-test run of module protocol_postgresql_pg8000.py
#
# copy this file to your own cage, possibly renaming into
# config_resource_YOUR_RESOURCE_NAME.py, then modify the copy
config = dict \
(
protocol = "postgresql_pg8000", # meta
decimal_precision = (10, 2), # sql
server_address = ("db.domain.com", 5432), # postgresql
connect_timeout = 3.0, # postgresql
database = "database", # postgresql
username = "user", # postgresql
password = "pass", # postgresql
server_encoding = None, # postgresql, optional str
)
# self-tests of protocol_postgresql_pg8000.py depend on the following configuration,
# this dict may safely be removed in production copies of this module
self_test_config = dict \
(
server_address = ("test.postgres", 5432),
database = "test_db",
username = "user",
password = "pass",
)
# DO NOT TOUCH BELOW THIS LINE
__all__ = [ "get", "copy" ]
try: self_test_config
except NameError: self_test_config = {}
get = lambda key, default = None: pmnc.config.get_(config, self_test_config, key, default)
copy = lambda: pmnc.config.copy_(config, self_test_config)
# EOF
| config = dict(protocol='postgresql_pg8000', decimal_precision=(10, 2), server_address=('db.domain.com', 5432), connect_timeout=3.0, database='database', username='user', password='pass', server_encoding=None)
self_test_config = dict(server_address=('test.postgres', 5432), database='test_db', username='user', password='pass')
__all__ = ['get', 'copy']
try:
self_test_config
except NameError:
self_test_config = {}
get = lambda key, default=None: pmnc.config.get_(config, self_test_config, key, default)
copy = lambda : pmnc.config.copy_(config, self_test_config) |
data = test_dataset.take(15)
points, labels = list(data)[0]
points = points[:8, ...]
labels = labels[:8, ...]
# run test data through model
preds = model.predict(points)
preds = tf.math.argmax(preds, -1)
points = points.numpy()
# plot points with predicted class and label
fig = plt.figure(figsize=(15, 10))
for i in range(8):
ax = fig.add_subplot(2, 4, i + 1, projection="3d")
ax.scatter(points[i, :, 0], points[i, :, 1], points[i, :, 2])
ax.set_title(
"Pred: {:}, True: {:}".format(
CLASS_MAP[preds[i].numpy()], CLASS_MAP[labels.numpy()[i]]
)
)
#ax.set_axis_off()
plt.show()
| data = test_dataset.take(15)
(points, labels) = list(data)[0]
points = points[:8, ...]
labels = labels[:8, ...]
preds = model.predict(points)
preds = tf.math.argmax(preds, -1)
points = points.numpy()
fig = plt.figure(figsize=(15, 10))
for i in range(8):
ax = fig.add_subplot(2, 4, i + 1, projection='3d')
ax.scatter(points[i, :, 0], points[i, :, 1], points[i, :, 2])
ax.set_title('Pred: {:}, True: {:}'.format(CLASS_MAP[preds[i].numpy()], CLASS_MAP[labels.numpy()[i]]))
plt.show() |
t=1
while t<=10:
print(f'Tabuada do Tabuada do {t}')
n=1
while n<=10:
print(f'{t} x {n} ={t*n}')
n=n+1
t= t+1
print()
| t = 1
while t <= 10:
print(f'Tabuada do Tabuada do {t}')
n = 1
while n <= 10:
print(f'{t} x {n} ={t * n}')
n = n + 1
t = t + 1
print() |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.