content
stringlengths
7
1.05M
fixed_cases
stringlengths
1
1.28M
# Python type a = 'Python is a great language.' b = 10 c = 2.5 d = {a, b, c} e = [a, b, c] f = (a, b, c) g = {"a":b, "a":c} h = b > c i = 3 + 4j ''' print('a =',a,type(a)) print('b =',b,type(b)) print('c =',c,type(c)) print('d =',d,type(d)) print('e =',e,type(e)) print('f =',f,type(f)) print('g =',g,type(g)) print('h =',h,type(h)) print('i =',i,type(i)) ''' print('a =',a,'--a type is',type(a),'\nb =',b,'--b type is',type(b),'\nc=',c,'--c type is',type(c),'\nd =',d,'--d type is',type(d),'\ne =',e,'--e type is',type(e),'\nf =',f,'--f type is',type(f),'\ng =',g,'--g type is',type(g),'\nh =',h,'--h type is',type(h),'\ni =',i,'--i type is',type(i))
a = 'Python is a great language.' b = 10 c = 2.5 d = {a, b, c} e = [a, b, c] f = (a, b, c) g = {'a': b, 'a': c} h = b > c i = 3 + 4j "\nprint('a =',a,type(a))\nprint('b =',b,type(b))\nprint('c =',c,type(c))\nprint('d =',d,type(d))\nprint('e =',e,type(e))\nprint('f =',f,type(f))\nprint('g =',g,type(g))\nprint('h =',h,type(h))\nprint('i =',i,type(i))\n" print('a =', a, '--a type is', type(a), '\nb =', b, '--b type is', type(b), '\nc=', c, '--c type is', type(c), '\nd =', d, '--d type is', type(d), '\ne =', e, '--e type is', type(e), '\nf =', f, '--f type is', type(f), '\ng =', g, '--g type is', type(g), '\nh =', h, '--h type is', type(h), '\ni =', i, '--i type is', type(i))
#!/usr/bin/python3 #https://practice.geeksforgeeks.org/problems/rearrange-characters/0 def sol(s): """ If a character frequency is 4 then it requires atleast 3 other characters so that the characters are not adjacent. We only need to check the character with highest frequency because if those are not adjacent then no other can be adjacent """ n = len(s) arr=[0]*26 for x in s: arr[ord(x)-97] +=1 maxf = max(arr) if n == 1: return 1 # For a single character if maxf >= n-maxf+1: return 0 return 1 print(sol("geeksforgeeks")) print(sol("bbbbb")) print(sol("hhhhhjjjjjfff"))
def sol(s): """ If a character frequency is 4 then it requires atleast 3 other characters so that the characters are not adjacent. We only need to check the character with highest frequency because if those are not adjacent then no other can be adjacent """ n = len(s) arr = [0] * 26 for x in s: arr[ord(x) - 97] += 1 maxf = max(arr) if n == 1: return 1 if maxf >= n - maxf + 1: return 0 return 1 print(sol('geeksforgeeks')) print(sol('bbbbb')) print(sol('hhhhhjjjjjfff'))
class ValidationError(Exception): def __init__(self, message, errors): super().__init__(message) self.message = message self.errors = errors def __errPrint__(self, foo, space=' '): ''' Function to petty print the error from cerberus. ''' error = '' for key in foo.keys(): error += space + str(key) + ":" if isinstance(foo[key][0], dict): error += "\n" + self.__errPrint__(foo[key][0], space + space) else: error += str(foo[key][0]) error += "\n" return error.rstrip() def __str__(self): return self.message + "\n" + self.__errPrint__(self.errors)
class Validationerror(Exception): def __init__(self, message, errors): super().__init__(message) self.message = message self.errors = errors def __err_print__(self, foo, space=' '): """ Function to petty print the error from cerberus. """ error = '' for key in foo.keys(): error += space + str(key) + ':' if isinstance(foo[key][0], dict): error += '\n' + self.__errPrint__(foo[key][0], space + space) else: error += str(foo[key][0]) error += '\n' return error.rstrip() def __str__(self): return self.message + '\n' + self.__errPrint__(self.errors)
class TestInstitutionsSearch: def test_institutions_search(self, client): res = client.get("/institutions?search=university") json_data = res.get_json() assert "university" in json_data["results"][0]["display_name"].lower() for result in json_data["results"][:25]: assert "university" in result["display_name"].lower() def test_institutions_search_display_name(self, client): res = client.get("/institutions?filter=display_name.search:university") json_data = res.get_json() assert "university" in json_data["results"][0]["display_name"].lower() for result in json_data["results"][:25]: assert "university" in result["display_name"].lower() def test_institutions_search_exact(self, client): res = client.get( "/institutions?filter=display_name:Chinese Academy of Sciences" ) json_data = res.get_json() assert json_data["results"][0]["display_name"] == "Chinese Academy of Sciences" class TestInstitutionsWorksCountFilter: def test_institutions_works_count_equal(self, client): res = client.get("/institutions?filter=works_count:850") json_data = res.get_json() assert json_data["meta"]["count"] == 5 for result in json_data["results"][:25]: assert result["works_count"] == 850 def test_institutions_works_count_greater_than(self, client): res = client.get("/institutions?filter=works_count:>200") json_data = res.get_json() assert json_data["meta"]["count"] == 6712 for result in json_data["results"][:25]: assert result["works_count"] > 200 def test_institutions_works_count_less_than(self, client): res = client.get("/institutions?filter=works_count:<200") json_data = res.get_json() assert json_data["meta"]["count"] == 3279 for result in json_data["results"][:25]: assert result["works_count"] < 200 def test_institutions_works_count_error(self, client): res = client.get("/institutions?filter=works_count:>ff") json_data = res.get_json() assert res.status_code == 403 assert json_data["error"] == "Invalid query parameters error." assert json_data["message"] == "Value for param works_count must be a number." class TestInstitutionsCitedByCountFilter: def test_institutions_cited_by_count_equal(self, client): res = client.get("/institutions?filter=cited_by_count:20") json_data = res.get_json() assert json_data["meta"]["count"] == 4 for result in json_data["results"][:25]: assert result["cited_by_count"] == 20 def test_institutions_cited_by_count_greater_than(self, client): res = client.get("/institutions?filter=cited_by_count:>20") json_data = res.get_json() assert json_data["meta"]["count"] == 9914 for result in json_data["results"][:25]: assert result["cited_by_count"] > 20 def test_institutions_cited_by_count_less_than(self, client): res = client.get("/institutions?filter=cited_by_count:<20") json_data = res.get_json() assert json_data["meta"]["count"] == 82 for result in json_data["results"][:25]: assert result["cited_by_count"] < 20 def test_institutions_cited_by_count_error(self, client): res = client.get("/institutions?filter=cited_by_count:>ff") json_data = res.get_json() assert res.status_code == 403 assert json_data["error"] == "Invalid query parameters error." assert ( json_data["message"] == "Value for param cited_by_count must be a number." ) class TestInstitutionsXConceptsIDFilter: def test_institutions_x_concepts_id_short(self, client): res = client.get("/institutions?filter=x_concepts.id:c185592680") json_data = res.get_json() concept_found = False for concept in json_data["results"][0]["x_concepts"]: if concept["id"] == "https://openalex.org/C185592680": concept_found = True assert concept_found == True def test_institutions_x_concepts_id_long(self, client): res = client.get( "/institutions?filter=x_concepts.id:https://openalex.org/c185592680" ) json_data = res.get_json() concept_found = False for concept in json_data["results"][0]["x_concepts"]: if concept["id"] == "https://openalex.org/C185592680": concept_found = True assert concept_found == True class TestInstitutionsCountryCodeFilter: def test_institutions_country_code(self, client): res = client.get("/institutions?filter=country_code:us") json_data = res.get_json() assert json_data["results"][0]["country_code"].lower() == "us" for result in json_data["results"][:25]: assert result["country_code"].lower() == "us" class TestInstitutionsTypeFilter: def test_institutions_type(self, client): res = client.get("/institutions?filter=type:education") json_data = res.get_json() assert json_data["results"][0]["type"].lower() == "education" for result in json_data["results"][:25]: assert result["type"].lower() == "education" class TestInstitutionsExternalIDs: def test_institutions_has_ror_true(self, client): res = client.get("/institutions?filter=has_ror:true") json_data = res.get_json() assert json_data["meta"]["count"] == 7220 for result in json_data["results"][:25]: assert result["ids"]["ror"] is not None def test_institutions_has_ror_false(self, client): res = client.get("/institutions?filter=has_ror:false") json_data = res.get_json() assert json_data["meta"]["count"] == 2780 for result in json_data["results"][:25]: assert result["ids"]["ror"] is None def test_institutions_has_ror_error(self, client): res = client.get("/institutions?filter=has_ror:stt") json_data = res.get_json() assert json_data["error"] == "Invalid query parameters error." assert ( json_data["message"] == "Value for has_ror must be true or false, not stt." ) class TestInstitutionsMultipleIDs: def test_Institutions_openalex_multiple_long(self, client): res = client.get( "/institutions?filter=openalex_id:https://openalex.org/I19820366|https://openalex.org/I136199984" ) json_data = res.get_json() assert json_data["meta"]["count"] == 2 assert json_data["results"][0]["id"] == "https://openalex.org/I19820366" assert json_data["results"][1]["id"] == "https://openalex.org/I136199984" def test_institutions_ror_single_long(self, client): res = client.get("/institutions?filter=ror:https://ror.org/034t30j35") json_data = res.get_json() assert json_data["meta"]["count"] == 1 assert json_data["results"][0]["ror"] == "https://ror.org/034t30j35" def test_institutions_ror_single_short(self, client): res = client.get("/institutions?filter=ror:034t30j35") json_data = res.get_json() assert json_data["meta"]["count"] == 1 assert json_data["results"][0]["ror"] == "https://ror.org/034t30j35" def test_institutions_ror_multiple(self, client): res = client.get( "/institutions?filter=ror:https://ror.org/034t30j35|https://ror.org/03vek6s52" ) json_data = res.get_json() assert json_data["meta"]["count"] == 2 assert json_data["results"][0]["ror"] == "https://ror.org/034t30j35" assert json_data["results"][1]["ror"] == "https://ror.org/03vek6s52"
class Testinstitutionssearch: def test_institutions_search(self, client): res = client.get('/institutions?search=university') json_data = res.get_json() assert 'university' in json_data['results'][0]['display_name'].lower() for result in json_data['results'][:25]: assert 'university' in result['display_name'].lower() def test_institutions_search_display_name(self, client): res = client.get('/institutions?filter=display_name.search:university') json_data = res.get_json() assert 'university' in json_data['results'][0]['display_name'].lower() for result in json_data['results'][:25]: assert 'university' in result['display_name'].lower() def test_institutions_search_exact(self, client): res = client.get('/institutions?filter=display_name:Chinese Academy of Sciences') json_data = res.get_json() assert json_data['results'][0]['display_name'] == 'Chinese Academy of Sciences' class Testinstitutionsworkscountfilter: def test_institutions_works_count_equal(self, client): res = client.get('/institutions?filter=works_count:850') json_data = res.get_json() assert json_data['meta']['count'] == 5 for result in json_data['results'][:25]: assert result['works_count'] == 850 def test_institutions_works_count_greater_than(self, client): res = client.get('/institutions?filter=works_count:>200') json_data = res.get_json() assert json_data['meta']['count'] == 6712 for result in json_data['results'][:25]: assert result['works_count'] > 200 def test_institutions_works_count_less_than(self, client): res = client.get('/institutions?filter=works_count:<200') json_data = res.get_json() assert json_data['meta']['count'] == 3279 for result in json_data['results'][:25]: assert result['works_count'] < 200 def test_institutions_works_count_error(self, client): res = client.get('/institutions?filter=works_count:>ff') json_data = res.get_json() assert res.status_code == 403 assert json_data['error'] == 'Invalid query parameters error.' assert json_data['message'] == 'Value for param works_count must be a number.' class Testinstitutionscitedbycountfilter: def test_institutions_cited_by_count_equal(self, client): res = client.get('/institutions?filter=cited_by_count:20') json_data = res.get_json() assert json_data['meta']['count'] == 4 for result in json_data['results'][:25]: assert result['cited_by_count'] == 20 def test_institutions_cited_by_count_greater_than(self, client): res = client.get('/institutions?filter=cited_by_count:>20') json_data = res.get_json() assert json_data['meta']['count'] == 9914 for result in json_data['results'][:25]: assert result['cited_by_count'] > 20 def test_institutions_cited_by_count_less_than(self, client): res = client.get('/institutions?filter=cited_by_count:<20') json_data = res.get_json() assert json_data['meta']['count'] == 82 for result in json_data['results'][:25]: assert result['cited_by_count'] < 20 def test_institutions_cited_by_count_error(self, client): res = client.get('/institutions?filter=cited_by_count:>ff') json_data = res.get_json() assert res.status_code == 403 assert json_data['error'] == 'Invalid query parameters error.' assert json_data['message'] == 'Value for param cited_by_count must be a number.' class Testinstitutionsxconceptsidfilter: def test_institutions_x_concepts_id_short(self, client): res = client.get('/institutions?filter=x_concepts.id:c185592680') json_data = res.get_json() concept_found = False for concept in json_data['results'][0]['x_concepts']: if concept['id'] == 'https://openalex.org/C185592680': concept_found = True assert concept_found == True def test_institutions_x_concepts_id_long(self, client): res = client.get('/institutions?filter=x_concepts.id:https://openalex.org/c185592680') json_data = res.get_json() concept_found = False for concept in json_data['results'][0]['x_concepts']: if concept['id'] == 'https://openalex.org/C185592680': concept_found = True assert concept_found == True class Testinstitutionscountrycodefilter: def test_institutions_country_code(self, client): res = client.get('/institutions?filter=country_code:us') json_data = res.get_json() assert json_data['results'][0]['country_code'].lower() == 'us' for result in json_data['results'][:25]: assert result['country_code'].lower() == 'us' class Testinstitutionstypefilter: def test_institutions_type(self, client): res = client.get('/institutions?filter=type:education') json_data = res.get_json() assert json_data['results'][0]['type'].lower() == 'education' for result in json_data['results'][:25]: assert result['type'].lower() == 'education' class Testinstitutionsexternalids: def test_institutions_has_ror_true(self, client): res = client.get('/institutions?filter=has_ror:true') json_data = res.get_json() assert json_data['meta']['count'] == 7220 for result in json_data['results'][:25]: assert result['ids']['ror'] is not None def test_institutions_has_ror_false(self, client): res = client.get('/institutions?filter=has_ror:false') json_data = res.get_json() assert json_data['meta']['count'] == 2780 for result in json_data['results'][:25]: assert result['ids']['ror'] is None def test_institutions_has_ror_error(self, client): res = client.get('/institutions?filter=has_ror:stt') json_data = res.get_json() assert json_data['error'] == 'Invalid query parameters error.' assert json_data['message'] == 'Value for has_ror must be true or false, not stt.' class Testinstitutionsmultipleids: def test__institutions_openalex_multiple_long(self, client): res = client.get('/institutions?filter=openalex_id:https://openalex.org/I19820366|https://openalex.org/I136199984') json_data = res.get_json() assert json_data['meta']['count'] == 2 assert json_data['results'][0]['id'] == 'https://openalex.org/I19820366' assert json_data['results'][1]['id'] == 'https://openalex.org/I136199984' def test_institutions_ror_single_long(self, client): res = client.get('/institutions?filter=ror:https://ror.org/034t30j35') json_data = res.get_json() assert json_data['meta']['count'] == 1 assert json_data['results'][0]['ror'] == 'https://ror.org/034t30j35' def test_institutions_ror_single_short(self, client): res = client.get('/institutions?filter=ror:034t30j35') json_data = res.get_json() assert json_data['meta']['count'] == 1 assert json_data['results'][0]['ror'] == 'https://ror.org/034t30j35' def test_institutions_ror_multiple(self, client): res = client.get('/institutions?filter=ror:https://ror.org/034t30j35|https://ror.org/03vek6s52') json_data = res.get_json() assert json_data['meta']['count'] == 2 assert json_data['results'][0]['ror'] == 'https://ror.org/034t30j35' assert json_data['results'][1]['ror'] == 'https://ror.org/03vek6s52'
start_year = int(input()) current_year = start_year + 1 found = False while True: not_found = False for fi in range(len(str(current_year))): for si in range(fi + 1, len(str(current_year))): fd = str(current_year)[fi] sd = str(current_year)[si] if fd == sd: not_found = True break if not_found: current_year += 1 else: found = True break if found: print(current_year)
start_year = int(input()) current_year = start_year + 1 found = False while True: not_found = False for fi in range(len(str(current_year))): for si in range(fi + 1, len(str(current_year))): fd = str(current_year)[fi] sd = str(current_year)[si] if fd == sd: not_found = True break if not_found: current_year += 1 else: found = True break if found: print(current_year)
""" common.py provides constant values to be used throughout the app """ EXCHANGE_BINANCE = 'BINANCE' SIDE_HODL = "hodl" SIDE_SELL = "sell" SIDE_BUY = "buy"
""" common.py provides constant values to be used throughout the app """ exchange_binance = 'BINANCE' side_hodl = 'hodl' side_sell = 'sell' side_buy = 'buy'
def fat (n): fat = 1 while (n > 1): fat = fat * n n -= 1 return fat def test_fat0 (): assert fat (0)==1
def fat(n): fat = 1 while n > 1: fat = fat * n n -= 1 return fat def test_fat0(): assert fat(0) == 1
# --------------------------------------------------------------------------------> Rotation class Rotation: def __init__(self, start_line, end_line, rotation_center=None): self.type = "Rotation" self.start_line = start_line self.end_line = end_line self.rotation_center = rotation_center def __repr__(self): return "Rotation(start_line={}, end_line={}, rotation_center={})".format( self.start_line, self.end_line, self.rotation_center ) # --------------------------------------------------------------------------------> Deletion class Deletion: def __init__(self, start_x, start_y, length): self.type = "Deletion" self.start_x = start_x self.start_y = start_y self.length = length def __repr__(self): return "Deletion(start_x={}, start_y={}, length={})".format( self.start_x, self.start_y, self.length ) @property def size(self): return self.length # --------------------------------------------------------------------------------> Insertion class Insertion: def __init__(self, start_x, start_y, height): self.type = "Insertion" self.start_x = start_x self.start_y = start_y self.height = height def __repr__(self): return "Insertion(start_x={}, start_y={}, height={})".format( self.start_x, self.start_y, self.height ) @property def size(self): return self.height # --------------------------------------------------------------------------------> Translocation class Translocation: def __init__(self, start_x, start_y, height): self.type = "Translocation" self.start_x = start_x self.start_y = start_y self.height = height def __repr__(self): return "Translocation(start_x={}, start_y={}, height={})".format( self.start_x, self.start_y, self.height ) @property def size(self): return self.height # --------------------------------------------------------------------------------> Duplication class Duplication: def __init__(self, start_x, start_y, length, height, line_index): self.type = "Duplication" self.start_x = start_x self.start_y = start_y self.length = length self.height = height self.line_index = line_index def __repr__(self): return "Duplication(start_x={}, start_y={}, length={}, height={}, line_index={})".format( self.start_x, self.start_y, self.length, self.height, self.line_index ) @property def size(self): return self.length # --------------------------------------------------------------------------------> Pass (Nothing) class Pass: def __init__(self): pass
class Rotation: def __init__(self, start_line, end_line, rotation_center=None): self.type = 'Rotation' self.start_line = start_line self.end_line = end_line self.rotation_center = rotation_center def __repr__(self): return 'Rotation(start_line={}, end_line={}, rotation_center={})'.format(self.start_line, self.end_line, self.rotation_center) class Deletion: def __init__(self, start_x, start_y, length): self.type = 'Deletion' self.start_x = start_x self.start_y = start_y self.length = length def __repr__(self): return 'Deletion(start_x={}, start_y={}, length={})'.format(self.start_x, self.start_y, self.length) @property def size(self): return self.length class Insertion: def __init__(self, start_x, start_y, height): self.type = 'Insertion' self.start_x = start_x self.start_y = start_y self.height = height def __repr__(self): return 'Insertion(start_x={}, start_y={}, height={})'.format(self.start_x, self.start_y, self.height) @property def size(self): return self.height class Translocation: def __init__(self, start_x, start_y, height): self.type = 'Translocation' self.start_x = start_x self.start_y = start_y self.height = height def __repr__(self): return 'Translocation(start_x={}, start_y={}, height={})'.format(self.start_x, self.start_y, self.height) @property def size(self): return self.height class Duplication: def __init__(self, start_x, start_y, length, height, line_index): self.type = 'Duplication' self.start_x = start_x self.start_y = start_y self.length = length self.height = height self.line_index = line_index def __repr__(self): return 'Duplication(start_x={}, start_y={}, length={}, height={}, line_index={})'.format(self.start_x, self.start_y, self.length, self.height, self.line_index) @property def size(self): return self.length class Pass: def __init__(self): pass
# todo: make this configurable EXCHANGE_CRONOS_BLOCKCHAIN = "Cronos" CUR_CRONOS = "CRO" MILLION = 100000000.0 CURRENCIES = { "ibc/14F9BC3E44B8A9C1BE1FB08980FAB87034C9905EF17CF2F5008FC085218811CC": "OSMO", "ibc/EB2CED20AB0466F18BE49285E56B31306D4C60438A022EA995BA65D5E3CF7E09": "SCRT", "ibc/FA0006F056DB6719B8C16C551FC392B62F5729978FC0B125AC9A432DBB2AA1A5": "ATOM", "ibc/E7D5E9D0E9BF8B7354929A817DD28D4D017E745F638954764AA88522A7A409EC": "BTSG", }
exchange_cronos_blockchain = 'Cronos' cur_cronos = 'CRO' million = 100000000.0 currencies = {'ibc/14F9BC3E44B8A9C1BE1FB08980FAB87034C9905EF17CF2F5008FC085218811CC': 'OSMO', 'ibc/EB2CED20AB0466F18BE49285E56B31306D4C60438A022EA995BA65D5E3CF7E09': 'SCRT', 'ibc/FA0006F056DB6719B8C16C551FC392B62F5729978FC0B125AC9A432DBB2AA1A5': 'ATOM', 'ibc/E7D5E9D0E9BF8B7354929A817DD28D4D017E745F638954764AA88522A7A409EC': 'BTSG'}
with plt.xkcd(): plt.figure(figsize=(8,6)) ##################################### ## determine which variables you want to look at, replace question marks # determine which variables you want to look at, replace question marks plt.hist(s_ves, label='a', alpha=0.5) # set the first argument here plt.hist(s_opt, label='b', alpha=0.5) # set the first argument here # change labels if you need them ##################################### plt.legend(facecolor='xkcd:white') plt.show()
with plt.xkcd(): plt.figure(figsize=(8, 6)) plt.hist(s_ves, label='a', alpha=0.5) plt.hist(s_opt, label='b', alpha=0.5) plt.legend(facecolor='xkcd:white') plt.show()
""" Codebay site-wide default configuration. The format of this file is normal Python syntax where configuration values are directly modified in the 'conf' object. Example: >>> conf.conftest_test1 = 5 >>> conf.conftest_test2 = 'test' >>> conf.conftest_test3 = True Use the '.codebayrc.py' file in home directory to add to or override the configuration values defined here. """ __docformat__ = 'epytext en' conf.logging_config = 'default' conf.logging_syslog = True conf.logging_stdout = False conf.logging_stderr = False conf.logging_debug = False
""" Codebay site-wide default configuration. The format of this file is normal Python syntax where configuration values are directly modified in the 'conf' object. Example: >>> conf.conftest_test1 = 5 >>> conf.conftest_test2 = 'test' >>> conf.conftest_test3 = True Use the '.codebayrc.py' file in home directory to add to or override the configuration values defined here. """ __docformat__ = 'epytext en' conf.logging_config = 'default' conf.logging_syslog = True conf.logging_stdout = False conf.logging_stderr = False conf.logging_debug = False
OCTICON_CHECK = """ <svg class="octicon octicon-check" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 16 16" width="16" height="16"><path fill-rule="evenodd" d="M13.78 4.22a.75.75 0 010 1.06l-7.25 7.25a.75.75 0 01-1.06 0L2.22 9.28a.75.75 0 011.06-1.06L6 10.94l6.72-6.72a.75.75 0 011.06 0z"></path></svg> """
octicon_check = '\n<svg class="octicon octicon-check" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 16 16" width="16" height="16"><path fill-rule="evenodd" d="M13.78 4.22a.75.75 0 010 1.06l-7.25 7.25a.75.75 0 01-1.06 0L2.22 9.28a.75.75 0 011.06-1.06L6 10.94l6.72-6.72a.75.75 0 011.06 0z"></path></svg>\n'
# Create a new class level variable called person_counter # Create a property called person_id and return a unique ID for each person object class Person: def __init__(self, first_name: str, last_name: str): self.__first_name = first_name self.__last_name = last_name @property def full_name(self): return f'{self.__first_name} {self.__last_name}' newPerson = Person("Luke", "Edmunds", ) print(newPerson.full_name) print(newPerson.id) # should print unique ID # try creating new person objects and print their IDs
class Person: def __init__(self, first_name: str, last_name: str): self.__first_name = first_name self.__last_name = last_name @property def full_name(self): return f'{self.__first_name} {self.__last_name}' new_person = person('Luke', 'Edmunds') print(newPerson.full_name) print(newPerson.id)
class Stack: def __init__(self): self.stack = [] def empty(self): return len(self.stack) == 0 def peek(self): return self.stack[-1] def push(self, x): self.stack.append(x) def pop(self): del self.stack[-1] class Queue: def __init__(self): self.push_stack = Stack() self.pop_stack = Stack() def push(self, x): self.prepare_for_push() self.push_stack.push(x) def pop(self): self.prepare_for_pop() self.pop_stack.pop() def peek(self): self.prepare_for_pop() return self.pop_stack.peek() def prepare_for_push(self): if self.pop_stack.empty(): return while not self.pop_stack.empty(): self.push_stack.push(self.pop_stack.peek()) self.pop_stack.pop() def prepare_for_pop(self): if self.push_stack.empty(): return while not self.push_stack.empty(): self.pop_stack.push(self.push_stack.peek()) self.push_stack.pop() def empty(self): return self.push_stack.empty() and self.pop_stack.empty()
class Stack: def __init__(self): self.stack = [] def empty(self): return len(self.stack) == 0 def peek(self): return self.stack[-1] def push(self, x): self.stack.append(x) def pop(self): del self.stack[-1] class Queue: def __init__(self): self.push_stack = stack() self.pop_stack = stack() def push(self, x): self.prepare_for_push() self.push_stack.push(x) def pop(self): self.prepare_for_pop() self.pop_stack.pop() def peek(self): self.prepare_for_pop() return self.pop_stack.peek() def prepare_for_push(self): if self.pop_stack.empty(): return while not self.pop_stack.empty(): self.push_stack.push(self.pop_stack.peek()) self.pop_stack.pop() def prepare_for_pop(self): if self.push_stack.empty(): return while not self.push_stack.empty(): self.pop_stack.push(self.push_stack.peek()) self.push_stack.pop() def empty(self): return self.push_stack.empty() and self.pop_stack.empty()
class Player(): """ This player class initializes a player with a unique ID and exposes functions to play a card and assign/add cards to the player's deck. """ def __init__(self, player_id): self.player_id = player_id self.player_deck = [] def assign_cards(self, cards): """ This function adds the cards to the players hand/deck. Usage: useful during the beginning of the game where each user is assigned cards and also to add the cards that are won during a round to the hand/deck. """ try: if len(cards) < 1: raise ValueError("Please assign at least one card to the player") self.player_deck += cards except ValueError as error: print(error) exit() def is_deck_empty(self): """ This function returns true if the player does not possess any card. Usage: useful to eliminate the player from the game. """ return len(self.player_deck) == 0 def play_a_card(self): try: if len(self.player_deck) == 0: raise ValueError("This player does not have any cards or is not playing") return self.player_deck.pop(0) except ValueError as error: print(error) exit()
class Player: """ This player class initializes a player with a unique ID and exposes functions to play a card and assign/add cards to the player's deck. """ def __init__(self, player_id): self.player_id = player_id self.player_deck = [] def assign_cards(self, cards): """ This function adds the cards to the players hand/deck. Usage: useful during the beginning of the game where each user is assigned cards and also to add the cards that are won during a round to the hand/deck. """ try: if len(cards) < 1: raise value_error('Please assign at least one card to the player') self.player_deck += cards except ValueError as error: print(error) exit() def is_deck_empty(self): """ This function returns true if the player does not possess any card. Usage: useful to eliminate the player from the game. """ return len(self.player_deck) == 0 def play_a_card(self): try: if len(self.player_deck) == 0: raise value_error('This player does not have any cards or is not playing') return self.player_deck.pop(0) except ValueError as error: print(error) exit()
class Solution: def tree2str(self, t): """ :type t: TreeNode :rtype: str """ if not t: return '' ans = str(t.val) if t.left or t.right: ans += '(' + self.tree2str(t.left) + ')' if t.right: ans += '(' + self.tree2str(t.right) + ')' return ans """ You need to construct a string consists of parenthesis and integers from a binary tree with the preorder traversing way. The null node needs to be represented by empty parenthesis pair "()". And you need to omit all the empty parenthesis pairs that don't affect the one-to-one mapping relationship between the string and the original binary tree. Example 1: Input: Binary tree: [1,2,3,4] 1 / \ 2 3 / 4 Output: "1(2(4))(3)" Explanation: Originallay it needs to be "1(2(4)())(3()())", but you need to omit all the unnecessary empty parenthesis pairs. And it will be "1(2(4))(3)". """
class Solution: def tree2str(self, t): """ :type t: TreeNode :rtype: str """ if not t: return '' ans = str(t.val) if t.left or t.right: ans += '(' + self.tree2str(t.left) + ')' if t.right: ans += '(' + self.tree2str(t.right) + ')' return ans '\n You need to construct a string consists of parenthesis and integers from a binary tree with the\n preorder traversing way.\n\n The null node needs to be represented by empty parenthesis pair "()". And you need to omit all\n the empty parenthesis pairs that don\'t affect the one-to-one mapping relationship between the\n string and the original binary tree.\n\n Example 1:\n\n Input: Binary tree: [1,2,3,4]\n 1\n / 2 3\n /\n 4\n\n Output: "1(2(4))(3)"\n\n Explanation: Originallay it needs to be "1(2(4)())(3()())",\n but you need to omit all the unnecessary empty parenthesis pairs.\n And it will be "1(2(4))(3)".\n\n '
class Solution: def hasAllCodes(self, s: str, k: int) -> bool: sub_s = set() for i in range(0, len(s) - k + 1): sub_s.add(s[i:i+k]) return True if len(sub_s) == 2**k else False
class Solution: def has_all_codes(self, s: str, k: int) -> bool: sub_s = set() for i in range(0, len(s) - k + 1): sub_s.add(s[i:i + k]) return True if len(sub_s) == 2 ** k else False
""" CNGI Package Module functions with blank descriptions have not been completed yet. As each function is completed, its description will be populated. """ #__init__.py
""" CNGI Package Module functions with blank descriptions have not been completed yet. As each function is completed, its description will be populated. """
# region Deprecated_code """notes = [] is_generating = threading.Event() is_throwing = threading.Event() notes_count = 0 portion_iter = 0 notes_amount = 0 portion_iters_amount = 0 out_path = "" # DEPRECATED CODE!!! def setup(): global notes_amount, portion_iters_amount, out_path notes_amount = generator.get_notes_amount() portion_iters_amount = math.ceil(notes_amount / config.settings["portion_amount"]) out_path = path.join(provider.pathes["GEN_OUT"].location, util.get_date_file_name("txt")) open(out_path, 'x+').close() # AND THS ONE TOO!!! class GenerationThread(threading.Thread): def __init__(self, threadID, name, notes_sequence): threading.Thread.__init__(self) self.threadID = threadID self.name = name self.notes_sequence = notes_sequence def run(self): while portion_iters_amount - portion_iter > 0: generate(self.notes_sequence) # ALSO THIS!!! class ToFileThread(threading.Thread): def __init__(self, threadID, name): threading.Thread.__init__(self) self.threadID = threadID self.name = name def run(self): while portion_iters_amount - portion_iter > 0: to_file() # DON'T LOOK AT IT, IT'S DEPRECATED!!! def generate(notes_sequence, single_thread=False): global notes, is_generating, is_throwing is_generating.set() start_time = datetime.now() util.logger.log_debug("Start 'generate' operation at {}".format(start_time)) local_notes = [] try: while len(local_notes) < config.settings["portion_amount"]: local_notes.append(notes_sequence.__next__()) except: util.logger.log_warn(traceback.format_exc()) util.logger.log_debug("Portion count lesser than portion amount") if not single_thread: is_throwing.wait() notes = local_notes finish_time = datetime.now() - start_time util.logger.log_debug("Finish 'generate' operation after {} sec".format(finish_time)) is_generating.clear() # OH JESUS, HOW DARE YOU!!! def to_file(single_thread=False): global portion_iter, out_path, notes, is_throwing, is_generating start_time = datetime.now() util.logger.log_debug("Start 'to_file' operation at {}".format(start_time)) if not single_thread: is_generating.wait() is_throwing.set() sf.append_array(notes, out_path) finish_time = datetime.now() - start_time util.logger.log_debug("Finish 'to_file' operation after {} sec".format(finish_time)) portion_iter += 1 is_throwing.clear() # ANYWAY, THIS IS TRASH!!! def to_mysql(): global out_path, portion_iter, portion_iters_amount start_time = datetime.now() connector = mysql.default_connect() mysql.execute_queries_yield(sf.read_all_yield(out_path), connector) mysql.close(connector) finish_time = datetime.now() - start_time util.logger.log_debug("Finish 'to_mysql' app_threading after {} sec".format(finish_time)) # I'M TIRED, GO ON IF YOU'D LIKE!!! def to_rabbitmq_queue(): global out_path start_time = datetime.now() queries_generator = sf.read_all_yield(out_path) rabbit_connection = rabbit.open_connection(config.settings["rabbit"]["host"]) rabbit.declare_queue(rabbit_connection.channel(), config.settings["rabbit"]["routing_key"]) rabbit.send_messages(rabbit_connection, config.settings["rabbit"]["exchange"], config.settings["rabbit"]["routing_key"], queries_generator) rabbit.close_connection(rabbit_connection) finish_time = datetime.now() - start_time util.logger.log_debug("Finish 'to_rabbitmq_queue' app_threading after {} sec".format(finish_time))""" # endregion
"""notes = [] is_generating = threading.Event() is_throwing = threading.Event() notes_count = 0 portion_iter = 0 notes_amount = 0 portion_iters_amount = 0 out_path = "" # DEPRECATED CODE!!! def setup(): global notes_amount, portion_iters_amount, out_path notes_amount = generator.get_notes_amount() portion_iters_amount = math.ceil(notes_amount / config.settings["portion_amount"]) out_path = path.join(provider.pathes["GEN_OUT"].location, util.get_date_file_name("txt")) open(out_path, 'x+').close() # AND THS ONE TOO!!! class GenerationThread(threading.Thread): def __init__(self, threadID, name, notes_sequence): threading.Thread.__init__(self) self.threadID = threadID self.name = name self.notes_sequence = notes_sequence def run(self): while portion_iters_amount - portion_iter > 0: generate(self.notes_sequence) # ALSO THIS!!! class ToFileThread(threading.Thread): def __init__(self, threadID, name): threading.Thread.__init__(self) self.threadID = threadID self.name = name def run(self): while portion_iters_amount - portion_iter > 0: to_file() # DON'T LOOK AT IT, IT'S DEPRECATED!!! def generate(notes_sequence, single_thread=False): global notes, is_generating, is_throwing is_generating.set() start_time = datetime.now() util.logger.log_debug("Start 'generate' operation at {}".format(start_time)) local_notes = [] try: while len(local_notes) < config.settings["portion_amount"]: local_notes.append(notes_sequence.__next__()) except: util.logger.log_warn(traceback.format_exc()) util.logger.log_debug("Portion count lesser than portion amount") if not single_thread: is_throwing.wait() notes = local_notes finish_time = datetime.now() - start_time util.logger.log_debug("Finish 'generate' operation after {} sec".format(finish_time)) is_generating.clear() # OH JESUS, HOW DARE YOU!!! def to_file(single_thread=False): global portion_iter, out_path, notes, is_throwing, is_generating start_time = datetime.now() util.logger.log_debug("Start 'to_file' operation at {}".format(start_time)) if not single_thread: is_generating.wait() is_throwing.set() sf.append_array(notes, out_path) finish_time = datetime.now() - start_time util.logger.log_debug("Finish 'to_file' operation after {} sec".format(finish_time)) portion_iter += 1 is_throwing.clear() # ANYWAY, THIS IS TRASH!!! def to_mysql(): global out_path, portion_iter, portion_iters_amount start_time = datetime.now() connector = mysql.default_connect() mysql.execute_queries_yield(sf.read_all_yield(out_path), connector) mysql.close(connector) finish_time = datetime.now() - start_time util.logger.log_debug("Finish 'to_mysql' app_threading after {} sec".format(finish_time)) # I'M TIRED, GO ON IF YOU'D LIKE!!! def to_rabbitmq_queue(): global out_path start_time = datetime.now() queries_generator = sf.read_all_yield(out_path) rabbit_connection = rabbit.open_connection(config.settings["rabbit"]["host"]) rabbit.declare_queue(rabbit_connection.channel(), config.settings["rabbit"]["routing_key"]) rabbit.send_messages(rabbit_connection, config.settings["rabbit"]["exchange"], config.settings["rabbit"]["routing_key"], queries_generator) rabbit.close_connection(rabbit_connection) finish_time = datetime.now() - start_time util.logger.log_debug("Finish 'to_rabbitmq_queue' app_threading after {} sec".format(finish_time))"""
# Let's just use the local mongod instance. Edit as needed. # Please note that MONGO_HOST and MONGO_PORT could very well be left # out as they already default to a bare bones local 'mongod' instance. #MONGO_HOST = 'localhost' #MONGO_PORT = 27017 # Skip these if your db has no auth. But it really should. #MONGO_USERNAME = 'developeruser' #MONGO_PASSWORD = 'MMEPATest1!' #MONGO_DBNAME = 'eric' ELASTICSEARCH_URL = 'http://maurice-vm.epa.ie:9200/' ELASTICSEARCH_INDEX = 'eric' #ELASTICSEARCH_INDEXES - (default: {}) - resource to index mapping #ELASTICSEARCH_FORCE_REFRESH - (default: True) - force index refresh after every modification #ELASTICSEARCH_AUTO_AGGREGATIONS - (default: True) - return aggregates on every search if configured for resource # Enable reads (GET), inserts (POST) and DELETE for resources/collections # (if you omit this line, the API will default to ['GET'] and provide # read-only access to the endpoint). #RESOURCE_METHODS = ['GET', 'POST', 'DELETE'] RESOURCE_METHODS = ['GET'] # Enable reads (GET), edits (PATCH), replacements (PUT) and deletes of # individual items (defaults to read-only item access). #ITEM_METHODS = ['GET', 'PATCH', 'PUT', 'DELETE'] ITEM_METHODS = ['GET'] description = 'Description of the user resource', schema = { # Schema definition, based on Cerberus grammar. Check the Cerberus project # (https://github.com/pyeve/cerberus) for details. 'measurementid': {'type': 'int32'}, 'locationname': {'type': 'string'}, 'latitude_dec': {'type': 'double'}, 'longitude_dec': {'type': 'double'}, 'accuracytypedescription': {'type': 'string'}, 'sampletypedescription': {'type': 'string'}, 'sampletreatmentdescription': {'type': 'string'}, 'beginmeas': {'type': 'datetime'}, 'endmeas': {'type': 'datetime'}, 'instrumentdescription': {'type': 'string'}, 'nuclidedescription': {'type': 'string'}, 'ismda': {'type': 'boolean'}, 'value': {'type': 'double'}, 'valueunitdescription': {'type': 'string'}, 'valuetypedescription': {'type': 'string'}, 'uncertainty': {'type': 'double'}, 'uncertaintyunitdescription': {'type': 'string'}, 'uncertaintytypedescription': {'type': 'string'}, 'comments': {'type': 'string'}, 'meta_note_ismda': {'type': 'string'} ## 'role' is a list, and can only contain values from 'allowed'. #'role': { # 'type': 'list', # 'allowed': ["author", "contributor", "copy"], #}, ## An embedded 'strongly-typed' dictionary. #'location': { # 'type': 'dict', # 'schema': { # 'address': {'type': 'string'}, # 'city': {'type': 'string'} # }, #}, } measurements = { # 'title' tag used in item links. Defaults to the resource title minus # the final, plural 's' (works fine in most cases but not for 'people') 'item_title': 'measurement', # by default the standard item entry point is defined as # '/people/<ObjectId>'. We leave it untouched, and we also enable an # additional read-only entry point. This way consumers can also perform # GET requests at '/people/<lastname>'. 'additional_lookup': { 'url': 'regex("[\w]+")', 'field': 'locationname' }, 'additional_lookup': {'url': 'regex("[\w]+")', 'field': 'measurementid'}, # We choose to override global cache-control directives for this resource. 'cache_control': 'max-age=10,must-revalidate', 'cache_expires': 10, # most global settings can be overridden at resource level #'resource_methods': ['GET', 'POST'], 'resource_methods': ['GET'], 'schema': schema } DOMAIN = { 'measurements': measurements, }
elasticsearch_url = 'http://maurice-vm.epa.ie:9200/' elasticsearch_index = 'eric' resource_methods = ['GET'] item_methods = ['GET'] description = ('Description of the user resource',) schema = {'measurementid': {'type': 'int32'}, 'locationname': {'type': 'string'}, 'latitude_dec': {'type': 'double'}, 'longitude_dec': {'type': 'double'}, 'accuracytypedescription': {'type': 'string'}, 'sampletypedescription': {'type': 'string'}, 'sampletreatmentdescription': {'type': 'string'}, 'beginmeas': {'type': 'datetime'}, 'endmeas': {'type': 'datetime'}, 'instrumentdescription': {'type': 'string'}, 'nuclidedescription': {'type': 'string'}, 'ismda': {'type': 'boolean'}, 'value': {'type': 'double'}, 'valueunitdescription': {'type': 'string'}, 'valuetypedescription': {'type': 'string'}, 'uncertainty': {'type': 'double'}, 'uncertaintyunitdescription': {'type': 'string'}, 'uncertaintytypedescription': {'type': 'string'}, 'comments': {'type': 'string'}, 'meta_note_ismda': {'type': 'string'}} measurements = {'item_title': 'measurement', 'additional_lookup': {'url': 'regex("[\\w]+")', 'field': 'locationname'}, 'additional_lookup': {'url': 'regex("[\\w]+")', 'field': 'measurementid'}, 'cache_control': 'max-age=10,must-revalidate', 'cache_expires': 10, 'resource_methods': ['GET'], 'schema': schema} domain = {'measurements': measurements}
#! /usr/bin/python # -*- coding: utf-8 -*- def compose_char(char): return NotImplementedError def compose(string): return NotImplementedError def decompose_char(char): return NotImplementedError def decompose(string, aslist=False): l = (decompose_char(c) for c in string) if aslist: return list(l) else: flattened = filter(' ', sum(l, [])) return ''.join(flattened) def to_unicode(): """ TODO NOTE FIXME """ return NotImplementedError
def compose_char(char): return NotImplementedError def compose(string): return NotImplementedError def decompose_char(char): return NotImplementedError def decompose(string, aslist=False): l = (decompose_char(c) for c in string) if aslist: return list(l) else: flattened = filter(' ', sum(l, [])) return ''.join(flattened) def to_unicode(): """ TODO NOTE FIXME """ return NotImplementedError
n=int(input()); res="" for _ in range(n): car=int(input()) opt=int(input()) for _ in range(opt): a,b=map(int, input().split()) car+=a*b res+=str(car)+"\n" print(res)
n = int(input()) res = '' for _ in range(n): car = int(input()) opt = int(input()) for _ in range(opt): (a, b) = map(int, input().split()) car += a * b res += str(car) + '\n' print(res)
class dotSolid_t(object): """ dotSolid_t(Size: int) """ @staticmethod def __new__(self, Size): """ __new__[dotSolid_t]() -> dotSolid_t __new__(cls: type,Size: int) """ pass CreationType = None EdgeIndex = None Edges = None FaceIndex = None FormingStates = None LoopIndex = None Polygon = None QueryType = None ReturnValue = None ShellCount = None SolidId = None VertexIndex = None VertexPoint = None VertexStartNumber = None
class Dotsolid_T(object): """ dotSolid_t(Size: int) """ @staticmethod def __new__(self, Size): """ __new__[dotSolid_t]() -> dotSolid_t __new__(cls: type,Size: int) """ pass creation_type = None edge_index = None edges = None face_index = None forming_states = None loop_index = None polygon = None query_type = None return_value = None shell_count = None solid_id = None vertex_index = None vertex_point = None vertex_start_number = None
HEADER = '''<!doctype html> <html class="no-js" lang=""> <head> <meta charset="utf-8"> <meta http-equiv="x-ua-compatible" content="ie=edge"> <title></title> <meta name="description" content=""> <meta name="viewport" content="width=device-width, initial-scale=1, shrink-to-fit=no"> <link rel="manifest" href="site.webmanifest"> <link rel="apple-touch-icon" href="icon.png"> <!-- Place favicon.ico in the root directory --> </head> <body>''' FOOTER = '''</body></html>'''
header = '<!doctype html>\n<html class="no-js" lang="">\n\n<head>\n <meta charset="utf-8">\n <meta http-equiv="x-ua-compatible" content="ie=edge">\n <title></title>\n <meta name="description" content="">\n <meta name="viewport" content="width=device-width, initial-scale=1, shrink-to-fit=no">\n\n <link rel="manifest" href="site.webmanifest">\n <link rel="apple-touch-icon" href="icon.png">\n <!-- Place favicon.ico in the root directory -->\n\n</head>\n\n<body>' footer = '</body></html>'
# A recursive implementation of Binary Search def recBinarySearch(target, theValues, first, last): # If the sequence of values cannot be subdivided further, # we are done if last <= first: # BASE CASE #1 return False else: # Find the midpoint of the sequence mid = (first + last) // 2 # Does the element at the midpoint contain the target? if theValues[mid] == target: return True # BASE CASE #2 # or does the target precede the element at the midpoint? elif target < theValues[mid]: return recBinarySearch(target, theValues, first, mid - 1) # or does the target follows the element at the midpoint? else: return recBinarySearch(target ,theValues , mid + 1, last) print(recBinarySearch(5,[1,2,3,4,5,6,7,8,9],0 ,8))
def rec_binary_search(target, theValues, first, last): if last <= first: return False else: mid = (first + last) // 2 if theValues[mid] == target: return True elif target < theValues[mid]: return rec_binary_search(target, theValues, first, mid - 1) else: return rec_binary_search(target, theValues, mid + 1, last) print(rec_binary_search(5, [1, 2, 3, 4, 5, 6, 7, 8, 9], 0, 8))
# Licensed under a 3-clause BSD style license - see LICENSE.rst """ Custom exceptions used in the astroquery query classes """ __all__ = ['TimeoutError', 'InvalidQueryError', 'RemoteServiceError', 'TableParseError'] class TimeoutError(Exception): """ Raised on failure to establish connection with server within a particular time limit """ pass class InvalidQueryError(Exception): pass class TableParseError(Exception): """ Errors related to VOTable parsing. These should be either submitted as issues to astropy or to the originating service. """ pass class RemoteServiceError(Exception): """ Errors related to the remote service, i.e. if the service returns an error page """ pass
""" Custom exceptions used in the astroquery query classes """ __all__ = ['TimeoutError', 'InvalidQueryError', 'RemoteServiceError', 'TableParseError'] class Timeouterror(Exception): """ Raised on failure to establish connection with server within a particular time limit """ pass class Invalidqueryerror(Exception): pass class Tableparseerror(Exception): """ Errors related to VOTable parsing. These should be either submitted as issues to astropy or to the originating service. """ pass class Remoteserviceerror(Exception): """ Errors related to the remote service, i.e. if the service returns an error page """ pass
# # PySNMP MIB module ZYXEL-XGS4728F-MIB (http://pysnmp.sf.net) # ASN.1 source file:///usr/local/share/snmp/ZYXEL-XGS-4728F.my # Produced by pysmi-0.0.7 at Fri Feb 17 12:27:14 2017 # On host e0f449e7a145 platform Linux version 4.4.0-62-generic by user root # Using Python version 3.5.3 (default, Feb 10 2017, 02:09:54) # ( Integer, ObjectIdentifier, OctetString, ) = mibBuilder.importSymbols("ASN1", "Integer", "ObjectIdentifier", "OctetString") ( NamedValues, ) = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ( ValueSizeConstraint, ConstraintsIntersection, ValueRangeConstraint, SingleValueConstraint, ConstraintsUnion, ) = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueSizeConstraint", "ConstraintsIntersection", "ValueRangeConstraint", "SingleValueConstraint", "ConstraintsUnion") ( Timeout, dot1dBasePort, BridgeId, ) = mibBuilder.importSymbols("BRIDGE-MIB", "Timeout", "dot1dBasePort", "BridgeId") ( OperationResponseStatus, ) = mibBuilder.importSymbols("DISMAN-PING-MIB", "OperationResponseStatus") ( dot1agCfmMdIndex, dot1agCfmMepIdentifier, dot1agCfmMaIndex, ) = mibBuilder.importSymbols("IEEE8021-CFM-MIB", "dot1agCfmMdIndex", "dot1agCfmMepIdentifier", "dot1agCfmMaIndex") ( ifIndex, InterfaceIndexOrZero, ) = mibBuilder.importSymbols("IF-MIB", "ifIndex", "InterfaceIndexOrZero") ( InetAddressType, InetAddress, ) = mibBuilder.importSymbols("INET-ADDRESS-MIB", "InetAddressType", "InetAddress") ( ospfVirtIfAreaId, ospfAreaId, ospfLsdbAreaId, ospfVirtIfNeighbor, ospfNbrAddressLessIndex, ospfLsdbType, ospfNbrIpAddr, ospfLsdbRouterId, ospfAddressLessIf, ospfIfIpAddress, ospfLsdbLsid, ) = mibBuilder.importSymbols("OSPF-MIB", "ospfVirtIfAreaId", "ospfAreaId", "ospfLsdbAreaId", "ospfVirtIfNeighbor", "ospfNbrAddressLessIndex", "ospfLsdbType", "ospfNbrIpAddr", "ospfLsdbRouterId", "ospfAddressLessIf", "ospfIfIpAddress", "ospfLsdbLsid") ( EnabledStatus, ) = mibBuilder.importSymbols("P-BRIDGE-MIB", "EnabledStatus") ( PortList, ) = mibBuilder.importSymbols("Q-BRIDGE-MIB", "PortList") ( SnmpAdminString, ) = mibBuilder.importSymbols("SNMP-FRAMEWORK-MIB", "SnmpAdminString") ( NotificationGroup, ModuleCompliance, ) = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance") ( sysObjectID, ) = mibBuilder.importSymbols("SNMPv2-MIB", "sysObjectID") ( Gauge32, IpAddress, Counter64, Counter32, ModuleIdentity, MibScalar, MibTable, MibTableRow, MibTableColumn, Unsigned32, MibIdentifier, iso, NotificationType, Bits, ObjectIdentity, TimeTicks, enterprises, Integer32, ) = mibBuilder.importSymbols("SNMPv2-SMI", "Gauge32", "IpAddress", "Counter64", "Counter32", "ModuleIdentity", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Unsigned32", "MibIdentifier", "iso", "NotificationType", "Bits", "ObjectIdentity", "TimeTicks", "enterprises", "Integer32") ( TruthValue, TextualConvention, RowStatus, StorageType, MacAddress, DisplayString, DateAndTime, ) = mibBuilder.importSymbols("SNMPv2-TC", "TruthValue", "TextualConvention", "RowStatus", "StorageType", "MacAddress", "DisplayString", "DateAndTime") zyxel = MibIdentifier((1, 3, 6, 1, 4, 1, 890)) products = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1)) accessSwitch = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5)) esSeries = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8)) xgs4728f = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46)) ZYXEL_xgs4728f_MIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46)) sysInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 1)) rateLimitSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 2)) brLimitSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 3)) portSecuritySetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 4)) vlanTrunkSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 5)) ctlProtTransSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 6)) vlanStackSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 7)) dot1xSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 8)) hwMonitorInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9)) snmpSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10)) dateTimeSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11)) sysMgmt = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12)) layer2Setup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13)) ipSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 14)) filterSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 15)) mirrorSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 16)) aggrSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 17)) accessCtlSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 18)) queuingMethodSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 19)) dhcpSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20)) arpInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 22)) portOpModeSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 23)) portBasedVlanSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 24)) multicastPortSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 25)) multicastStatus = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26)) igmpFilteringProfileSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 27)) mvrSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28)) clusterSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29)) faultMIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 30)) faultTrapsMIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 31)) protoBasedVlanSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 32)) sysLogSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 33)) diffservSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 34)) layer3Setup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 35)) routerVrrpSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 36)) routerVrrpStatus = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 37)) routerDomainSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 38)) ipStatus = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 39)) ospfExt = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41)) mrstp = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42)) dhcpSnp = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100)) ipsg = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 101)) arpInspect = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102)) trTCMSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 103)) loopGuardSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 104)) subnetBasedVlanSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 105)) macAuthenticationSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 106)) mstp = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107)) radiusServerSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 108)) tacacsServerSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 109)) aaaSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110)) portIsolationSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 112)) l2ptSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 115)) vlanMappingSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 116)) transceiverInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117)) dot3OamSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 118)) dot1agCfmSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 119)) vlanCounterSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122)) sysMemoryPool = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 124)) pppoe = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125)) arpLearningSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 126)) staticRouteSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 127)) routingStatus = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 128)) errdisable = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130)) cpuProtectionSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 131)) policyRouteSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 132)) privateVLANSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 133)) sFlowSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 134)) sysSwPlatformMajorVers = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 1, 1), Integer32()).setMaxAccess("readonly") sysSwPlatformMinorVers = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 1, 2), Integer32()).setMaxAccess("readonly") sysSwModelString = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 1, 3), DisplayString()).setMaxAccess("readonly") sysSwVersionControlNbr = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 1, 4), Integer32()).setMaxAccess("readonly") sysSwDay = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 1, 5), Integer32()).setMaxAccess("readonly") sysSwMonth = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 1, 6), Integer32()).setMaxAccess("readonly") sysSwYear = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 1, 7), Integer32()).setMaxAccess("readonly") sysHwMajorVers = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 1, 8), Integer32()).setMaxAccess("readonly") sysHwMinorVers = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 1, 9), Integer32()).setMaxAccess("readonly") sysSerialNumber = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 1, 10), DisplayString()).setMaxAccess("readonly") rateLimitState = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 2, 1), EnabledStatus()).setMaxAccess("readwrite") rateLimitPortTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 2, 2), ) rateLimitPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 2, 2, 1), ).setIndexNames((0, "BRIDGE-MIB", "dot1dBasePort")) rateLimitPortState = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 2, 2, 1, 1), EnabledStatus()).setMaxAccess("readwrite") rateLimitPortCommitRate = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 2, 2, 1, 2), Integer32()).setMaxAccess("readwrite") rateLimitPortPeakRate = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 2, 2, 1, 3), Integer32()).setMaxAccess("readwrite") rateLimitPortEgrRate = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 2, 2, 1, 4), Integer32()).setMaxAccess("readwrite") rateLimitPortPeakState = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 2, 2, 1, 5), EnabledStatus()).setMaxAccess("readwrite") rateLimitPortEgrState = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 2, 2, 1, 6), EnabledStatus()).setMaxAccess("readwrite") rateLimitPortCommitState = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 2, 2, 1, 7), EnabledStatus()).setMaxAccess("readwrite") brLimitState = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 3, 1), EnabledStatus()).setMaxAccess("readwrite") brLimitPortTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 3, 2), ) brLimitPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 3, 2, 1), ).setIndexNames((0, "BRIDGE-MIB", "dot1dBasePort")) brLimitPortBrState = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 3, 2, 1, 1), EnabledStatus()).setMaxAccess("readwrite") brLimitPortBrRate = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 3, 2, 1, 2), Integer32()).setMaxAccess("readwrite") brLimitPortMcState = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 3, 2, 1, 3), EnabledStatus()).setMaxAccess("readwrite") brLimitPortMcRate = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 3, 2, 1, 4), Integer32()).setMaxAccess("readwrite") brLimitPortDlfState = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 3, 2, 1, 5), EnabledStatus()).setMaxAccess("readwrite") brLimitPortDlfRate = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 3, 2, 1, 6), Integer32()).setMaxAccess("readwrite") portSecurityState = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 4, 1), EnabledStatus()).setMaxAccess("readwrite") portSecurityPortTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 4, 2), ) portSecurityPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 4, 2, 1), ).setIndexNames((0, "BRIDGE-MIB", "dot1dBasePort")) portSecurityPortState = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 4, 2, 1, 1), EnabledStatus()).setMaxAccess("readwrite") portSecurityPortLearnState = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 4, 2, 1, 2), EnabledStatus()).setMaxAccess("readwrite") portSecurityPortCount = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 4, 2, 1, 3), Integer32()).setMaxAccess("readwrite") portSecurityMacFreeze = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 4, 3), PortList()).setMaxAccess("readwrite") portSecurityVMLTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 4, 4), ) portSecurityVMLEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 4, 4, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "portSecurityVMLPort"), (0, "ZYXEL-XGS4728F-MIB", "portSecurityVMLVID")) portSecurityVMLPort = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 4, 4, 1, 1), Integer32()).setMaxAccess("readonly") portSecurityVMLVID = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 4, 4, 1, 2), Integer32()).setMaxAccess("readonly") portSecurityVMLMacLimit = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 4, 4, 1, 3), Integer32()).setMaxAccess("readwrite") portSecurityVMLRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 4, 4, 1, 4), RowStatus()).setMaxAccess("readcreate") vlanTrunkPortTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 5, 1), ) vlanTrunkPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 5, 1, 1), ).setIndexNames((0, "BRIDGE-MIB", "dot1dBasePort")) vlanTrunkPortState = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 5, 1, 1, 1), EnabledStatus()).setMaxAccess("readwrite") ctlProtTransState = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 6, 1), EnabledStatus()).setMaxAccess("readwrite") ctlProtTransTunnelPortTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 6, 2), ) ctlProtTransTunnelPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 6, 2, 1), ).setIndexNames((0, "BRIDGE-MIB", "dot1dBasePort")) ctlProtTransTunnelMode = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 6, 2, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3,))).clone(namedValues=NamedValues(("peer", 0), ("tunnel", 1), ("discard", 2), ("network", 3),))).setMaxAccess("readwrite") vlanStackState = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 7, 1), EnabledStatus()).setMaxAccess("readwrite") vlanStackPortTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 7, 3), ) vlanStackPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 7, 3, 1), ).setIndexNames((0, "BRIDGE-MIB", "dot1dBasePort")) vlanStackPortMode = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 7, 3, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3,))).clone(namedValues=NamedValues(("normal", 1), ("access", 2), ("tunnel", 3),))).setMaxAccess("readwrite") vlanStackPortVid = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 7, 3, 1, 2), Integer32()).setMaxAccess("readwrite") vlanStackPortPrio = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 7, 3, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7,))).clone(namedValues=NamedValues(("prioriry-0", 0), ("prioriry-1", 1), ("prioriry-2", 2), ("prioriry-3", 3), ("prioriry-4", 4), ("prioriry-5", 5), ("prioriry-6", 6), ("prioriry-7", 7),))).setMaxAccess("readwrite") vlanStackTunnelPortTpid = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 7, 3, 1, 4), Integer32()).setMaxAccess("readwrite") selectiveQinQTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 7, 4), ) selectiveQinQEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 7, 4, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "selectiveQinQPort"), (0, "ZYXEL-XGS4728F-MIB", "selectiveQinQCvid")) selectiveQinQName = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 7, 4, 1, 1), DisplayString()).setMaxAccess("readwrite") selectiveQinQPort = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 7, 4, 1, 2), Integer32()).setMaxAccess("readonly") selectiveQinQCvid = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 7, 4, 1, 3), Integer32()).setMaxAccess("readonly") selectiveQinQSpvid = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 7, 4, 1, 4), Integer32()).setMaxAccess("readwrite") selectiveQinQPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 7, 4, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7,))).clone(namedValues=NamedValues(("prioriry-0", 0), ("prioriry-1", 1), ("prioriry-2", 2), ("prioriry-3", 3), ("prioriry-4", 4), ("prioriry-5", 5), ("prioriry-6", 6), ("prioriry-7", 7),))).setMaxAccess("readwrite") selectiveQinQRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 7, 4, 1, 6), RowStatus()).setMaxAccess("readcreate") portAuthState = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 8, 3), EnabledStatus()).setMaxAccess("readwrite") portAuthTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 8, 4), ) portAuthEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 8, 4, 1), ).setIndexNames((0, "BRIDGE-MIB", "dot1dBasePort")) portAuthEntryState = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 8, 4, 1, 1), EnabledStatus()).setMaxAccess("readwrite") portReAuthEntryState = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 8, 4, 1, 2), EnabledStatus()).setMaxAccess("readwrite") portReAuthEntryTimer = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 8, 4, 1, 3), Integer32()).setMaxAccess("readwrite") portAuthQuietPeriod = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 8, 4, 1, 4), Integer32()).setMaxAccess("readwrite") portAuthTxPeriod = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 8, 4, 1, 5), Integer32()).setMaxAccess("readwrite") portAuthSupplicantTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 8, 4, 1, 6), Integer32()).setMaxAccess("readwrite") portAuthMaxRequest = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 8, 4, 1, 7), Integer32()).setMaxAccess("readwrite") portAuthGuestVlanState = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 8, 4, 1, 8), EnabledStatus()).setMaxAccess("readwrite") portAuthGuestVlan = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 8, 4, 1, 9), Integer32()).setMaxAccess("readwrite") portAuthGuestVlanHostMode = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 8, 4, 1, 10), Integer32()).setMaxAccess("readwrite") portAuthGuestVlanHostModeMultiSecureNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 8, 4, 1, 11), Integer32()).setMaxAccess("readwrite") fanRpmTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 1), ) fanRpmEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 1, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "fanRpmIndex")) fanRpmIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 1, 1, 1), Integer32()).setMaxAccess("readonly") fanRpmCurValue = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 1, 1, 2), Integer32()).setMaxAccess("readonly") fanRpmMaxValue = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 1, 1, 3), Integer32()).setMaxAccess("readonly") fanRpmMinValue = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 1, 1, 4), Integer32()).setMaxAccess("readonly") fanRpmLowThresh = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 1, 1, 5), Integer32()).setMaxAccess("readonly") fanRpmDescr = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 1, 1, 6), DisplayString()).setMaxAccess("readonly") tempTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 2), ) tempEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 2, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "tempIndex")) tempIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 2, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3,))).clone(namedValues=NamedValues(("mac", 1), ("cpu", 2), ("phy", 3),))).setMaxAccess("readonly") tempCurValue = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 2, 1, 2), Integer32()).setMaxAccess("readonly") tempMaxValue = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 2, 1, 3), Integer32()).setMaxAccess("readonly") tempMinValue = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 2, 1, 4), Integer32()).setMaxAccess("readonly") tempHighThresh = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 2, 1, 5), Integer32()).setMaxAccess("readonly") tempDescr = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 2, 1, 6), DisplayString()).setMaxAccess("readonly") voltageTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 3), ) voltageEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 3, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "voltageIndex")) voltageIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 3, 1, 1), Integer32()).setMaxAccess("readonly") voltageCurValue = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 3, 1, 2), Integer32()).setMaxAccess("readonly") voltageMaxValue = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 3, 1, 3), Integer32()).setMaxAccess("readonly") voltageMinValue = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 3, 1, 4), Integer32()).setMaxAccess("readonly") voltageNominalValue = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 3, 1, 5), Integer32()).setMaxAccess("readonly") voltageLowThresh = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 3, 1, 6), Integer32()).setMaxAccess("readonly") voltageDescr = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 3, 1, 7), DisplayString()).setMaxAccess("readonly") snmpGetCommunity = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 1), DisplayString()).setMaxAccess("readwrite") snmpSetCommunity = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 2), DisplayString()).setMaxAccess("readwrite") snmpTrapCommunity = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 3), DisplayString()).setMaxAccess("readwrite") snmpTrapDestTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 4), ) snmpTrapDestEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 4, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "snmpTrapDestIP")) snmpTrapDestIP = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 4, 1, 1), IpAddress()).setMaxAccess("readonly") snmpTrapDestRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 4, 1, 2), RowStatus()).setMaxAccess("readcreate") snmpTrapDestPort = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 4, 1, 3), Integer32()).setMaxAccess("readwrite") snmpTrapVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 4, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2,))).clone(namedValues=NamedValues(("v1", 0), ("v2c", 1), ("v3", 2),))).setMaxAccess("readwrite") snmpTrapUserName = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 4, 1, 5), DisplayString()).setMaxAccess("readwrite") snmpVersion = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2,))).clone(namedValues=NamedValues(("v2c", 0), ("v3", 1), ("v3v2c", 2),))).setMaxAccess("readwrite") snmpUserTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 6), ) snmpUserEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 6, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "snmpUserName")) snmpUserName = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 6, 1, 1), DisplayString()).setMaxAccess("readonly") snmpUserSecurityLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 6, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2,))).clone(namedValues=NamedValues(("noAuthNoPriv", 0), ("authNoPriv", 1), ("authPriv", 2),))).setMaxAccess("readwrite") snmpUserAuthProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 6, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1,))).clone(namedValues=NamedValues(("md5", 0), ("sha", 1),))).setMaxAccess("readwrite") snmpUserPrivProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 6, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1,))).clone(namedValues=NamedValues(("des", 0), ("aes", 1),))).setMaxAccess("readwrite") snmpUserGroup = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 6, 1, 5), DisplayString()).setMaxAccess("readonly") snmpTrapGroupTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 7), ) snmpTrapGroupEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 7, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "snmpTrapDestIP")) snmpTrapSystemGroup = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 7, 1, 1), Bits().clone(namedValues=NamedValues(("coldStart", 0), ("warmStart", 1), ("fanSpeed", 2), ("temperature", 3), ("voltage", 4), ("reset", 5), ("timeSync", 6), ("intrusionlock", 7), ("loopGuard", 13),))).setMaxAccess("readwrite") snmpTrapInterfaceGroup = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 7, 1, 2), Bits().clone(namedValues=NamedValues(("linkup", 0), ("linkdown", 1), ("autonegotiation", 2), ("lldp", 3), ("transceiver-ddm", 4),))).setMaxAccess("readwrite") snmpTrapAAAGroup = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 7, 1, 3), Bits().clone(namedValues=NamedValues(("authentication", 0), ("accounting", 1),))).setMaxAccess("readwrite") snmpTrapIPGroup = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 7, 1, 4), Bits().clone(namedValues=NamedValues(("ping", 0), ("traceroute", 1),))).setMaxAccess("readwrite") snmpTrapSwitchGroup = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 7, 1, 5), Bits().clone(namedValues=NamedValues(("stp", 0), ("mactable", 1), ("rmon", 2), ("cfm", 3),))).setMaxAccess("readwrite") dateTimeServerType = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4,))).clone(namedValues=NamedValues(("none", 1), ("daytime", 2), ("time", 3), ("ntp", 4),))).setMaxAccess("readwrite") dateTimeServerIP = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 2), IpAddress()).setMaxAccess("readwrite") dateTimeZone = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 3), Integer32()).setMaxAccess("readwrite") dateTimeNewDateYear = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 4), Integer32()).setMaxAccess("readwrite") dateTimeNewDateMonth = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 5), Integer32()).setMaxAccess("readwrite") dateTimeNewDateDay = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 6), Integer32()).setMaxAccess("readwrite") dateTimeNewTimeHour = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 7), Integer32()).setMaxAccess("readwrite") dateTimeNewTimeMinute = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 8), Integer32()).setMaxAccess("readwrite") dateTimeNewTimeSecond = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 9), Integer32()).setMaxAccess("readwrite") dateTimeDaylightSavingTimeSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 10)) daylightSavingTimeState = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 10, 1), EnabledStatus()).setMaxAccess("readwrite") daylightSavingTimeStartDateWeek = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 10, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5,))).clone(namedValues=NamedValues(("first", 1), ("second", 2), ("third", 3), ("fourth", 4), ("last", 5),))).setMaxAccess("readwrite") daylightSavingTimeStartDateDay = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 10, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6,))).clone(namedValues=NamedValues(("sunday", 0), ("monday", 1), ("tuesday", 2), ("wednesday", 3), ("thursday", 4), ("friday", 5), ("saturday", 6),))).setMaxAccess("readwrite") daylightSavingTimeStartDateMonth = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 10, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12,))).clone(namedValues=NamedValues(("january", 1), ("february", 2), ("march", 3), ("april", 4), ("may", 5), ("june", 6), ("july", 7), ("august", 8), ("september", 9), ("october", 10), ("november", 11), ("december", 12),))).setMaxAccess("readwrite") daylightSavingTimeStartDateHour = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 10, 5), Integer32()).setMaxAccess("readwrite") daylightSavingTimeEndDateWeek = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 10, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5,))).clone(namedValues=NamedValues(("first", 1), ("second", 2), ("third", 3), ("fourth", 4), ("last", 5),))).setMaxAccess("readwrite") daylightSavingTimeEndDateDay = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 10, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6,))).clone(namedValues=NamedValues(("sunday", 0), ("monday", 1), ("tuesday", 2), ("wednesday", 3), ("thursday", 4), ("friday", 5), ("saturday", 6),))).setMaxAccess("readwrite") daylightSavingTimeEndDateMonth = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 10, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12,))).clone(namedValues=NamedValues(("january", 1), ("february", 2), ("march", 3), ("april", 4), ("may", 5), ("june", 6), ("july", 7), ("august", 8), ("september", 9), ("october", 10), ("november", 11), ("december", 12),))).setMaxAccess("readwrite") daylightSavingTimeEndDateHour = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 10, 9), Integer32()).setMaxAccess("readwrite") sysMgmtConfigSave = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2,))).clone(namedValues=NamedValues(("config-1", 1), ("config-2", 2),))).setMaxAccess("readwrite") sysMgmtBootupConfig = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2,))).clone(namedValues=NamedValues(("config-1", 1), ("config-2", 2),))).setMaxAccess("readwrite") sysMgmtReboot = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1,))).clone(namedValues=NamedValues(("nothing", 0), ("reboot", 1),))).setMaxAccess("readwrite") sysMgmtDefaultConfig = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1,))).clone(namedValues=NamedValues(("nothing", 0), ("reset-to-default", 1),))).setMaxAccess("readwrite") sysMgmtLastActionStatus = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2,))).clone(namedValues=NamedValues(("none", 0), ("success", 1), ("fail", 2),))).setMaxAccess("readonly") sysMgmtSystemStatus = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12, 6), Bits().clone(namedValues=NamedValues(("sysAlarmDetected", 0), ("sysTemperatureError", 1), ("sysFanRPMError", 2), ("sysVoltageRangeError", 3),))).setMaxAccess("readonly") sysMgmtCPUUsage = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12, 7), Integer32()).setMaxAccess("readonly") sysMgmtBootupImage = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2,))).clone(namedValues=NamedValues(("image-1", 1), ("image-2", 2),))).setMaxAccess("readwrite") sysMgmtCounterReset = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2,))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2),))).setMaxAccess("readwrite") sysMgmtTftpServiceSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12, 10)) sysMgmtTftpServerIp = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12, 10, 1), IpAddress()).setMaxAccess("readwrite") sysMgmtTftpRemoteFileName = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12, 10, 2), DisplayString()).setMaxAccess("readwrite") sysMgmtTftpConfigIndex = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12, 10, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2,))).clone(namedValues=NamedValues(("config-1", 1), ("config-2", 2),))).setMaxAccess("readwrite") sysMgmtTftpAction = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12, 10, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3,))).clone(namedValues=NamedValues(("none", 0), ("backup-config", 1), ("restore-config", 2), ("merge-config", 3),))).setMaxAccess("readwrite") sysMgmtTftpActionStatus = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12, 10, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3,))).clone(namedValues=NamedValues(("none", 0), ("success", 1), ("fail", 2), ("under-action", 3),))).setMaxAccess("readonly") sysMgmtTftpActionPrivilege13 = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12, 10, 113), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3,))).clone(namedValues=NamedValues(("none", 0), ("backup-config", 1), ("restore-config", 2), ("merge-config", 3),))).setMaxAccess("readwrite") sysMgmtConfigSavePrivilege13 = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12, 113), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2,))).clone(namedValues=NamedValues(("config-1", 1), ("config-2", 2),))).setMaxAccess("readwrite") sysMgmtDefaultConfigPrivilege13 = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12, 213), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1,))).clone(namedValues=NamedValues(("nothing", 0), ("reset-to-default", 1),))).setMaxAccess("readwrite") vlanTypeSetup = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2,))).clone(namedValues=NamedValues(("dot1Q", 1), ("port-based", 2),))).setMaxAccess("readwrite") igmpSnoopingStateSetup = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 2), EnabledStatus()).setMaxAccess("readwrite") tagVlanPortIsolationState = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 3), EnabledStatus()).setMaxAccess("readwrite") stpState = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 4), EnabledStatus()).setMaxAccess("readwrite") igmpFilteringStateSetup = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 5), EnabledStatus()).setMaxAccess("readwrite") unknownMulticastFrameForwarding = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2,))).clone(namedValues=NamedValues(("flooding", 1), ("drop", 2),))).setMaxAccess("readwrite") multicastGrpHostTimeout = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 7), Integer32()).setMaxAccess("readwrite") reservedMulticastFrameForwarding = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2,))).clone(namedValues=NamedValues(("flooding", 1), ("drop", 2),))).setMaxAccess("readwrite") igmpsnp8021pPriority = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 10), Integer32()).setMaxAccess("readwrite") igmpsnpVlanMode = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2,))).clone(namedValues=NamedValues(("auto", 1), ("fixed", 2),))).setMaxAccess("readwrite") stpMode = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3,))).clone(namedValues=NamedValues(("rstp", 1), ("mrstp", 2), ("mstp", 3),))).setMaxAccess("readwrite") igmpsnpVlanTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 13), ) igmpsnpVlanEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 13, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "igmpsnpVid")) igmpsnpVid = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 13, 1, 1), Integer32()).setMaxAccess("readonly") igmpsnpVlanName = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 13, 1, 2), DisplayString()).setMaxAccess("readwrite") igmpsnpVlanRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 13, 1, 3), RowStatus()).setMaxAccess("readcreate") igmpsnpQuerierMode = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 14), EnabledStatus()).setMaxAccess("readwrite") ethernetCfmStateSetup = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 15), EnabledStatus()).setMaxAccess("readwrite") lldpStateSetup = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 16), EnabledStatus()).setMaxAccess("readwrite") igmpSnpReportProxySetup = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 17), EnabledStatus()).setMaxAccess("readwrite") smartIsolationState = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 18), EnabledStatus()).setMaxAccess("readwrite") dnsIpAddress = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 14, 1), IpAddress()).setMaxAccess("readwrite") defaultMgmt = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 14, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1,))).clone(namedValues=NamedValues(("in-band", 0), ("out-of-band", 1),))).setMaxAccess("readwrite") defaultGateway = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 14, 3), IpAddress()).setMaxAccess("readwrite") outOfBandIpSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 14, 4)) outOfBandIp = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 14, 4, 1), IpAddress()).setMaxAccess("readwrite") outOfBandSubnetMask = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 14, 4, 2), IpAddress()).setMaxAccess("readwrite") outOfBandGateway = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 14, 4, 3), IpAddress()).setMaxAccess("readwrite") maxNumOfInbandIp = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 14, 5), Integer32()).setMaxAccess("readonly") inbandIpTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 14, 6), ) inbandIpEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 14, 6, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "inbandEntryIp"), (0, "ZYXEL-XGS4728F-MIB", "inbandEntrySubnetMask")) inbandEntryIp = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 14, 6, 1, 1), IpAddress()).setMaxAccess("readwrite") inbandEntrySubnetMask = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 14, 6, 1, 2), IpAddress()).setMaxAccess("readwrite") inbandEntryVid = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 14, 6, 1, 3), Integer32()).setMaxAccess("readwrite") inbandEntryRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 14, 6, 1, 4), RowStatus()).setMaxAccess("readcreate") filterTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 15, 1), ) filterEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 15, 1, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "filterMacAddr"), (0, "ZYXEL-XGS4728F-MIB", "filterVid")) filterName = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 15, 1, 1, 1), DisplayString()).setMaxAccess("readwrite") filterActionState = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 15, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3,))).clone(namedValues=NamedValues(("discard-source", 1), ("discard-destination", 2), ("both", 3),))).setMaxAccess("readwrite") filterMacAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 15, 1, 1, 3), MacAddress()) filterVid = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 15, 1, 1, 4), Integer32()) filterRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 15, 1, 1, 5), RowStatus()).setMaxAccess("readcreate") mirrorState = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 16, 1), EnabledStatus()).setMaxAccess("readwrite") mirrorMonitorPort = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 16, 2), Integer32()).setMaxAccess("readwrite") mirrorTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 16, 3), ) mirrorEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 16, 3, 1), ).setIndexNames((0, "BRIDGE-MIB", "dot1dBasePort")) mirrorMirroredState = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 16, 3, 1, 1), EnabledStatus()).setMaxAccess("readwrite") mirrorDirection = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 16, 3, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2,))).clone(namedValues=NamedValues(("ingress", 0), ("egress", 1), ("both", 2),))).setMaxAccess("readwrite") aggrState = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 17, 1), EnabledStatus()).setMaxAccess("readwrite") aggrSystemPriority = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 17, 2), Integer32()).setMaxAccess("readwrite") aggrGroupTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 17, 3), ) aggrGroupEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 17, 3, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "aggrGroupIndex")) aggrGroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 17, 3, 1, 1), Integer32()).setMaxAccess("readonly") aggrGroupState = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 17, 3, 1, 2), EnabledStatus()).setMaxAccess("readwrite") aggrGroupDynamicState = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 17, 3, 1, 3), EnabledStatus()).setMaxAccess("readwrite") aggrGroupCriteria = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 17, 3, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6,))).clone(namedValues=NamedValues(("src-mac", 1), ("dst-mac", 2), ("src-dst-mac", 3), ("src-ip", 4), ("dst-ip", 5), ("src-dst-ip", 6),))).setMaxAccess("readwrite") aggrPortTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 17, 4), ) aggrPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 17, 4, 1), ).setIndexNames((0, "BRIDGE-MIB", "dot1dBasePort")) aggrPortGroup = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 17, 4, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12,))).clone(namedValues=NamedValues(("none", 0), ("t1", 1), ("t2", 2), ("t3", 3), ("t4", 4), ("t5", 5), ("t6", 6), ("t7", 7), ("t8", 8), ("t9", 9), ("t10", 10), ("t11", 11), ("t12", 12),))).setMaxAccess("readwrite") aggrPortDynamicStateTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 17, 4, 1, 2), Integer32()).setMaxAccess("readwrite") accessCtlTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 18, 1), ) accessCtlEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 18, 1, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "accessCtlService")) accessCtlService = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 18, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7,))).clone(namedValues=NamedValues(("telnet", 1), ("ssh", 2), ("ftp", 3), ("http", 4), ("https", 5), ("icmp", 6), ("snmp", 7),))).setMaxAccess("readonly") accessCtlEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 18, 1, 1, 2), EnabledStatus()).setMaxAccess("readwrite") accessCtlServicePort = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 18, 1, 1, 3), Integer32()).setMaxAccess("readwrite") accessCtlTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 18, 1, 1, 4), Integer32()).setMaxAccess("readwrite") securedClientTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 18, 2), ) securedClientEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 18, 2, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "securedClientIndex")) securedClientIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 18, 2, 1, 1), Integer32()).setMaxAccess("readonly") securedClientEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 18, 2, 1, 2), EnabledStatus()).setMaxAccess("readwrite") securedClientStartIp = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 18, 2, 1, 3), IpAddress()).setMaxAccess("readwrite") securedClientEndIp = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 18, 2, 1, 4), IpAddress()).setMaxAccess("readwrite") securedClientService = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 18, 2, 1, 5), Bits().clone(namedValues=NamedValues(("telnet", 0), ("ftp", 1), ("http", 2), ("icmp", 3), ("snmp", 4), ("ssh", 5), ("https", 6),))).setMaxAccess("readwrite") portQueuingMethodTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 19, 1), ) portQueuingMethodEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 19, 1, 1), ).setIndexNames((0, "BRIDGE-MIB", "dot1dBasePort"), (0, "ZYXEL-XGS4728F-MIB", "portQueuingMethodQueue")) portQueuingMethodQueue = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 19, 1, 1, 1), Integer32()).setMaxAccess("readonly") portQueuingMethodWeight = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 19, 1, 1, 2), Integer32()).setMaxAccess("readwrite") portQueuingMethodMode = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 19, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2,))).clone(namedValues=NamedValues(("strictly-priority", 0), ("weighted-fair-scheduling", 1), ("weighted-round-robin", 2),))).setMaxAccess("readwrite") portQueuingMethodHybridSpqTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 19, 2), ) portQueuingMethodHybridSpqEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 19, 2, 1), ).setIndexNames((0, "BRIDGE-MIB", "dot1dBasePort")) portQueuingMethodHybridSpq = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 19, 2, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8,))).clone(namedValues=NamedValues(("none", 0), ("q0", 1), ("q1", 2), ("q2", 3), ("q3", 4), ("q4", 5), ("q5", 6), ("q6", 7), ("q7", 8),))).setMaxAccess("readwrite") globalDhcpRelay = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 1)) globalDhcpRelayEnable = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 1, 1), EnabledStatus()).setMaxAccess("readwrite") globalDhcpRelayOption82Enable = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 1, 2), EnabledStatus()).setMaxAccess("readwrite") globalDhcpRelayInfoEnable = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 1, 3), EnabledStatus()).setMaxAccess("readwrite") globalDhcpRelayInfoData = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 1, 4), DisplayString()).setMaxAccess("readonly") maxNumberOfGlobalDhcpRelayRemoteServer = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 1, 5), Integer32()).setMaxAccess("readonly") globalDhcpRelayRemoteServerTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 1, 6), ) globalDhcpRelayRemoteServerEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 1, 6, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "globalDhcpRelayRemoteServerIp")) globalDhcpRelayRemoteServerIp = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 1, 6, 1, 1), IpAddress()).setMaxAccess("readonly") globalDhcpRelayRemoteServerRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 1, 6, 1, 2), RowStatus()).setMaxAccess("readcreate") dhcpServer = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 2)) maxNumberOfDhcpServers = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 2, 1), Integer32()).setMaxAccess("readonly") dhcpServerTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 2, 2), ) dhcpServerEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 2, 2, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "dhcpServerVid")) dhcpServerVid = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 2, 2, 1, 1), Integer32()).setMaxAccess("readonly") dhcpServerStartAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 2, 2, 1, 2), IpAddress()).setMaxAccess("readwrite") dhcpServerPoolSize = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 2, 2, 1, 3), Integer32()).setMaxAccess("readwrite") dhcpServerMask = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 2, 2, 1, 4), IpAddress()).setMaxAccess("readwrite") dhcpServerGateway = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 2, 2, 1, 5), IpAddress()).setMaxAccess("readwrite") dhcpServerPrimaryDNS = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 2, 2, 1, 6), IpAddress()).setMaxAccess("readwrite") dhcpServerSecondaryDNS = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 2, 2, 1, 7), IpAddress()).setMaxAccess("readwrite") dhcpServerRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 2, 2, 1, 8), RowStatus()).setMaxAccess("readcreate") dhcpRelay = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 3)) dhcpRelayInfoData = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 3, 1), DisplayString()).setMaxAccess("readonly") maxNumberOfDhcpRelay = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 3, 2), Integer32()).setMaxAccess("readonly") maxNumberOfDhcpRelayRemoteServer = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 3, 3), Integer32()).setMaxAccess("readonly") dhcpRelayRemoteServerTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 3, 4), ) dhcpRelayRemoteServerEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 3, 4, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "dhcpRelayVid"), (0, "ZYXEL-XGS4728F-MIB", "dhcpRelayRemoteServerIp")) dhcpRelayVid = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 3, 4, 1, 1), Integer32()).setMaxAccess("readonly") dhcpRelayRemoteServerIp = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 3, 4, 1, 2), IpAddress()).setMaxAccess("readonly") dhcpRelayRemoteServerRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 3, 4, 1, 3), RowStatus()).setMaxAccess("readcreate") dhcpRelayTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 3, 5), ) dhcpRelayEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 3, 5, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "dhcpRelayVid")) dhcpRelayOption82Enable = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 3, 5, 1, 1), EnabledStatus()).setMaxAccess("readwrite") dhcpRelayInfoEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 3, 5, 1, 2), EnabledStatus()).setMaxAccess("readwrite") arpTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 22, 1), ) arpEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 22, 1, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "arpIpAddr"), (0, "ZYXEL-XGS4728F-MIB", "arpMacVid")) arpIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 22, 1, 1, 1), Integer32()).setMaxAccess("readonly") arpIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 22, 1, 1, 2), IpAddress()).setMaxAccess("readonly") arpMacAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 22, 1, 1, 3), MacAddress()).setMaxAccess("readonly") arpMacVid = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 22, 1, 1, 4), Integer32()).setMaxAccess("readonly") arpType = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 22, 1, 1, 5), Integer32()).setMaxAccess("readonly") portOpModePortTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 23, 1), ) portOpModePortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 23, 1, 1), ).setIndexNames((0, "BRIDGE-MIB", "dot1dBasePort")) portOpModePortSpeedDuplex = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 23, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7,))).clone(namedValues=NamedValues(("auto", 0), ("speed-10-half", 1), ("speed-10-full", 2), ("speed-100-half", 3), ("speed-100-full", 4), ("speed-1000-full", 5), ("speed-10000-full", 6), ("speed-12000-full", 7),))).setMaxAccess("readwrite") portOpModePortFlowCntl = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 23, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1,))).clone(namedValues=NamedValues(("off", 0), ("on", 1),))).setMaxAccess("readwrite") portOpModePortName = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 23, 1, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0,64))).setMaxAccess("readwrite") portOpModePortModuleType = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 23, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2,))).clone(namedValues=NamedValues(("fast-ethernet-10-100", 0), ("gigabit-ethernet-100-1000", 1), ("xg-ethernet-10000", 2),))).setMaxAccess("readonly") portOpModePortLinkUpType = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 23, 1, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4,))).clone(namedValues=NamedValues(("down", 0), ("utp", 1), ("sfp", 2), ("xfp", 3), ("cx4", 4),))).setMaxAccess("readonly") portOpModePortIntrusionLock = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 23, 1, 1, 6), EnabledStatus()).setMaxAccess("readwrite") portOpModePortLBTestStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 23, 1, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3,))).clone(namedValues=NamedValues(("none", 0), ("under-testing", 1), ("success", 2), ("fail", 3),))).setMaxAccess("readonly") portOpModePortCounterReset = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 23, 1, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2,))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2),))).setMaxAccess("readwrite") portOpModePortCX4CableLength = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 23, 1, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5,))).clone(namedValues=NamedValues(("half-meter", 0), ("one-meter", 1), ("three-meters", 2), ("five-meters", 3), ("ten-meters", 4), ("fifteen-meters", 5),))).setMaxAccess("readwrite") portBasedVlanPortListTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 24, 1), ) portBasedVlanPortListEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 24, 1, 1), ).setIndexNames((0, "BRIDGE-MIB", "dot1dBasePort")) portBasedVlanPortListMembers = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 24, 1, 1, 1), PortList()).setMaxAccess("readwrite") multicastPortTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 25, 1), ) multicastPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 25, 1, 1), ).setIndexNames((0, "BRIDGE-MIB", "dot1dBasePort")) multicastPortMaxGroupLimited = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 25, 1, 1, 2), EnabledStatus()).setMaxAccess("readwrite") multicastPortMaxOfGroup = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 25, 1, 1, 3), Integer32()).setMaxAccess("readwrite") multicastPortIgmpFilteringProfile = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 25, 1, 1, 4), DisplayString()).setMaxAccess("readwrite") multicastPortQuerierMode = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 25, 1, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3,))).clone(namedValues=NamedValues(("auto", 1), ("fixed", 2), ("edge", 3),))).setMaxAccess("readwrite") multicastPortThrottlingAction = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 25, 1, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2,))).clone(namedValues=NamedValues(("deny", 1), ("replace", 2),))).setMaxAccess("readwrite") multicastPortLeaveMode = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 25, 1, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2,))).clone(namedValues=NamedValues(("normal", 0), ("immediate", 1), ("fast", 2),))).setMaxAccess("readwrite") multicastPortLeaveTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 25, 1, 1, 8), Integer32()).setMaxAccess("readwrite") multicastPortFastLeaveTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 25, 1, 1, 9), Integer32()).setMaxAccess("readwrite") multicastStatusTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 1), ) multicastStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 1, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "multicastStatusVlanID"), (0, "ZYXEL-XGS4728F-MIB", "multicastStatusPort"), (0, "ZYXEL-XGS4728F-MIB", "multicastStatusGroup")) multicastStatusIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 1, 1, 1), Integer32()).setMaxAccess("readonly") multicastStatusVlanID = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 1, 1, 2), Integer32()).setMaxAccess("readonly") multicastStatusPort = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 1, 1, 3), Integer32()).setMaxAccess("readonly") multicastStatusGroup = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 1, 1, 4), IpAddress()).setMaxAccess("readonly") multicastVlanStatusTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 2), ) multicastVlanStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 2, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "multicastVlanStatusVlanID")) multicastVlanStatusVlanID = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 2, 1, 1), Integer32()).setMaxAccess("readonly") multicastVlanStatusType = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3,))).clone(namedValues=NamedValues(("dynamic", 1), ("mvr", 2), ("static", 3),))).setMaxAccess("readonly") multicastVlanQueryPort = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 2, 1, 3), PortList()).setMaxAccess("readonly") igmpSnpCountTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 3), ) igmpSnpCountEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 3, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "igmpSnpCountIndex")) igmpSnpCountIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 3, 1, 1), Integer32()).setMaxAccess("readonly") igmpSnpV2CountQueryRx = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 3, 1, 2), Integer32()).setMaxAccess("readonly") igmpSnpV2CountReportRx = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 3, 1, 3), Integer32()).setMaxAccess("readonly") igmpSnpV2CountLeaveRx = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 3, 1, 4), Integer32()).setMaxAccess("readonly") igmpSnpV2CountQueryRxDrop = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 3, 1, 5), Integer32()).setMaxAccess("readonly") igmpSnpV2CountReportRxDrop = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 3, 1, 6), Integer32()).setMaxAccess("readonly") igmpSnpV2CountLeaveRxDrop = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 3, 1, 7), Integer32()).setMaxAccess("readonly") igmpSnpV2CountQueryTx = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 3, 1, 8), Integer32()).setMaxAccess("readonly") igmpSnpV2CountReportTx = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 3, 1, 9), Integer32()).setMaxAccess("readonly") igmpSnpV2CountLeaveTx = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 3, 1, 10), Integer32()).setMaxAccess("readonly") igmpSnpV3CountQueryRx = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 3, 1, 11), Integer32()).setMaxAccess("readonly") igmpSnpV3CountReportRx = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 3, 1, 12), Integer32()).setMaxAccess("readonly") igmpSnpV3CountQueryRxDrop = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 3, 1, 13), Integer32()).setMaxAccess("readonly") igmpSnpV3CountReportRxDrop = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 3, 1, 14), Integer32()).setMaxAccess("readonly") igmpSnpV3CountQueryTx = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 3, 1, 15), Integer32()).setMaxAccess("readonly") igmpSnpV3CountReportTx = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 3, 1, 16), Integer32()).setMaxAccess("readonly") igmpSnpCountVlanTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 4), ) igmpSnpCountVlanEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 4, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "igmpSnpCountVlanIndex")) igmpSnpCountVlanIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 4, 1, 1), Integer32()).setMaxAccess("readonly") igmpSnpV2CountVlanQueryRx = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 4, 1, 2), Integer32()).setMaxAccess("readonly") igmpSnpV2CountVlanReportRx = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 4, 1, 3), Integer32()).setMaxAccess("readonly") igmpSnpV2CountVlanLeaveRx = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 4, 1, 4), Integer32()).setMaxAccess("readonly") igmpSnpV2CountVlanQueryRxDrop = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 4, 1, 5), Integer32()).setMaxAccess("readonly") igmpSnpV2CountVlanReportRxDrop = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 4, 1, 6), Integer32()).setMaxAccess("readonly") igmpSnpV2CountVlanLeaveRxDrop = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 4, 1, 7), Integer32()).setMaxAccess("readonly") igmpSnpV2CountVlanQueryTx = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 4, 1, 8), Integer32()).setMaxAccess("readonly") igmpSnpV2CountVlanReportTx = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 4, 1, 9), Integer32()).setMaxAccess("readonly") igmpSnpV2CountVlanLeaveTx = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 4, 1, 10), Integer32()).setMaxAccess("readonly") igmpSnpV3CountVlanQueryRx = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 4, 1, 11), Integer32()).setMaxAccess("readonly") igmpSnpV3CountVlanReportRx = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 4, 1, 12), Integer32()).setMaxAccess("readonly") igmpSnpV3CountVlanQueryRxDrop = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 4, 1, 13), Integer32()).setMaxAccess("readonly") igmpSnpV3CountVlanReportRxDrop = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 4, 1, 14), Integer32()).setMaxAccess("readonly") igmpSnpV3CountVlanQueryTx = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 4, 1, 15), Integer32()).setMaxAccess("readonly") igmpSnpV3CountVlanReportTx = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 4, 1, 16), Integer32()).setMaxAccess("readonly") igmpSnpCountPortTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 5), ) igmpSnpCountPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 5, 1), ).setIndexNames((0, "BRIDGE-MIB", "dot1dBasePort")) igmpSnpV2CountPortQueryRx = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 5, 1, 1), Integer32()).setMaxAccess("readonly") igmpSnpV2CountPortReportRx = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 5, 1, 2), Integer32()).setMaxAccess("readonly") igmpSnpV2CountPortLeaveRx = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 5, 1, 3), Integer32()).setMaxAccess("readonly") igmpSnpV2CountPortReportRxDrop = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 5, 1, 4), Integer32()).setMaxAccess("readonly") igmpSnpV2CountPortLeaveRxDrop = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 5, 1, 5), Integer32()).setMaxAccess("readonly") igmpSnpV2CountPortReportTx = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 5, 1, 6), Integer32()).setMaxAccess("readonly") igmpSnpV2CountPortLeaveTx = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 5, 1, 7), Integer32()).setMaxAccess("readonly") igmpSnpV3CountPortQueryRx = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 5, 1, 8), Integer32()).setMaxAccess("readonly") igmpSnpV3CountPortReportRx = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 5, 1, 9), Integer32()).setMaxAccess("readonly") igmpSnpV3CountPortReportRxDrop = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 5, 1, 10), Integer32()).setMaxAccess("readonly") igmpSnpV3CountPortReportTx = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 5, 1, 11), Integer32()).setMaxAccess("readonly") igmpSnpGroupCountStatus = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 6)) igmpSnpGroupCountNum = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 6, 1), Integer32()).setMaxAccess("readonly") igmpSnpGroupCountVlanTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 6, 2), ) igmpSnpGroupCountVlanEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 6, 2, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "igmpSnpGroupCountVlanIndex")) igmpSnpGroupCountVlanIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 6, 2, 1, 1), Integer32()).setMaxAccess("readonly") igmpSnpGroupCountVlanNum = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 6, 2, 1, 2), Integer32()).setMaxAccess("readonly") igmpSnpGroupCountPortTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 6, 3), ) igmpSnpGroupCountPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 6, 3, 1), ).setIndexNames((0, "BRIDGE-MIB", "dot1dBasePort")) igmpSnpGroupCountPortNum = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 6, 3, 1, 1), Integer32()).setMaxAccess("readonly") igmpFilteringMaxNumberOfProfile = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 27, 1), Integer32()).setMaxAccess("readonly") igmpFilteringProfileTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 27, 2), ) igmpFilteringProfileEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 27, 2, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "igmpFilteringProfileName"), (0, "ZYXEL-XGS4728F-MIB", "igmpFilteringProfileStartAddress"), (0, "ZYXEL-XGS4728F-MIB", "igmpFilteringProfileEndAddress")) igmpFilteringProfileName = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 27, 2, 1, 1), DisplayString()).setMaxAccess("readonly") igmpFilteringProfileStartAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 27, 2, 1, 2), IpAddress()).setMaxAccess("readonly") igmpFilteringProfileEndAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 27, 2, 1, 3), IpAddress()).setMaxAccess("readonly") igmpFilteringProfileRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 27, 2, 1, 4), RowStatus()).setMaxAccess("readcreate") maxNumberOfMVR = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 1), Integer32()).setMaxAccess("readonly") mvrTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 2), ) mvrEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 2, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "mvrVlanID")) mvrVlanID = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 2, 1, 1), Integer32()).setMaxAccess("readonly") mvrName = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 2, 1, 2), DisplayString()).setMaxAccess("readwrite") mvrMode = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1,))).clone(namedValues=NamedValues(("dynamic", 0), ("compatible", 1),))).setMaxAccess("readwrite") mvrRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 2, 1, 4), RowStatus()).setMaxAccess("readcreate") mvr8021pPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 2, 1, 5), Integer32()).setMaxAccess("readwrite") mvrPortTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 3), ) mvrPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 3, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "mvrVlanID"), (0, "BRIDGE-MIB", "dot1dBasePort")) mvrPortRole = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 3, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3,))).clone(namedValues=NamedValues(("none", 1), ("source-port", 2), ("receiver-port", 3),))).setMaxAccess("readwrite") mvrPortTagging = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 3, 1, 2), EnabledStatus()).setMaxAccess("readwrite") maxNumberOfMvrGroup = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 4), Integer32()).setMaxAccess("readonly") mvrGroupTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 5), ) mvrGroupEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 5, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "mvrVlanID"), (0, "ZYXEL-XGS4728F-MIB", "mvrGroupName")) mvrGroupName = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 5, 1, 1), DisplayString()).setMaxAccess("readonly") mvrGroupStartAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 5, 1, 2), IpAddress()).setMaxAccess("readwrite") mvrGroupEndAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 5, 1, 3), IpAddress()).setMaxAccess("readwrite") mvrGroupRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 5, 1, 4), RowStatus()).setMaxAccess("readcreate") clusterManager = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 1)) clusterMaxNumOfManager = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 1, 1), Integer32()).setMaxAccess("readonly") clusterManagerTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 1, 2), ) clusterManagerEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 1, 2, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "clusterManagerVid")) clusterManagerVid = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 1, 2, 1, 1), Integer32()).setMaxAccess("readonly") clusterManagerName = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 1, 2, 1, 2), DisplayString()).setMaxAccess("readwrite") clusterManagerRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 1, 2, 1, 3), RowStatus()).setMaxAccess("readcreate") clusterMembers = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 2)) clusterMaxNumOfMember = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 2, 1), Integer32()).setMaxAccess("readonly") clusterMemberTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 2, 2), ) clusterMemberEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 2, 2, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "clusterMemberMac")) clusterMemberMac = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 2, 2, 1, 1), MacAddress()) clusterMemberName = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 2, 2, 1, 2), DisplayString()).setMaxAccess("readonly") clusterMemberModel = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 2, 2, 1, 3), DisplayString()).setMaxAccess("readonly") clusterMemberPassword = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 2, 2, 1, 4), DisplayString()).setMaxAccess("readwrite") clusterMemberRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 2, 2, 1, 5), RowStatus()).setMaxAccess("readcreate") clusterCandidates = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 3)) clusterCandidateTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 3, 1), ) clusterCandidateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 3, 1, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "clusterCandidateMac")) clusterCandidateMac = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 3, 1, 1, 1), MacAddress()).setMaxAccess("readonly") clusterCandidateName = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 3, 1, 1, 2), DisplayString()).setMaxAccess("readonly") clusterCandidateModel = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 3, 1, 1, 3), DisplayString()).setMaxAccess("readonly") clusterStatus = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 4)) clusterStatusRole = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 4, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2,))).clone(namedValues=NamedValues(("none", 0), ("manager", 1), ("member", 2),))).setMaxAccess("readonly") clusterStatusManager = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 4, 2), DisplayString()).setMaxAccess("readonly") clsuterStatusMaxNumOfMember = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 4, 3), Integer32()).setMaxAccess("readonly") clusterStatusMemberTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 4, 4), ) clusterStatusMemberEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 4, 4, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "clusterStatusMemberMac")) clusterStatusMemberMac = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 4, 4, 1, 1), MacAddress()).setMaxAccess("readonly") clusterStatusMemberName = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 4, 4, 1, 2), DisplayString()).setMaxAccess("readonly") clusterStatusMemberModel = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 4, 4, 1, 3), DisplayString()).setMaxAccess("readonly") clusterStatusMemberStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 4, 4, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2,))).clone(namedValues=NamedValues(("error", 0), ("online", 1), ("offline", 2),))).setMaxAccess("readonly") class UtcTimeStamp(Unsigned32, TextualConvention): pass class EventIdNumber(Integer32, TextualConvention): pass class EventSeverity(Integer32, TextualConvention): subtypeSpec = Integer32.subtypeSpec+ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4,)) namedValues = NamedValues(("critical", 1), ("major", 2), ("minor", 3), ("informational", 4),) class EventServiceAffective(Integer32, TextualConvention): subtypeSpec = Integer32.subtypeSpec+ConstraintsUnion(SingleValueConstraint(1, 2,)) namedValues = NamedValues(("noServiceAffected", 1), ("serviceAffected", 2),) class InstanceType(Integer32, TextualConvention): subtypeSpec = Integer32.subtypeSpec+ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9,)) namedValues = NamedValues(("unknown", 1), ("node", 2), ("shelf", 3), ("line", 4), ("switch", 5), ("lsp", 6), ("l2Interface", 7), ("l3Interface", 8), ("rowIndex", 9),) eventObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 30, 1)) eventTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 30, 1, 1), ) eventEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 30, 1, 1, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "eventSeqNum")) eventSeqNum = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 30, 1, 1, 1, 1), Integer32()).setMaxAccess("readonly") eventEventId = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 30, 1, 1, 1, 2), EventIdNumber()).setMaxAccess("readonly") eventName = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 30, 1, 1, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0,40))).setMaxAccess("readonly") eventInstanceType = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 30, 1, 1, 1, 4), InstanceType()).setMaxAccess("readonly") eventInstanceId = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 30, 1, 1, 1, 5), DisplayString()).setMaxAccess("readonly") eventInstanceName = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 30, 1, 1, 1, 6), DisplayString()).setMaxAccess("readonly") eventSeverity = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 30, 1, 1, 1, 7), EventSeverity()).setMaxAccess("readonly") eventSetTime = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 30, 1, 1, 1, 8), UtcTimeStamp()).setMaxAccess("readonly") eventDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 30, 1, 1, 1, 9), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0,255))).setMaxAccess("readonly") eventServAffective = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 30, 1, 1, 1, 10), EventServiceAffective()).setMaxAccess("readonly") eventInstanceIdNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 30, 1, 1, 1, 11), Integer32()).setMaxAccess("readonly") trapInfoObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 31, 1)) trapNotifications = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 31, 2)) class EventPersistence(Integer32, TextualConvention): subtypeSpec = Integer32.subtypeSpec+ConstraintsUnion(SingleValueConstraint(1, 2,)) namedValues = NamedValues(("normal", 1), ("delta", 2),) trapRefSeqNum = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 31, 1, 1), Integer32()).setMaxAccess("readonly") trapPersistence = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 31, 1, 2), EventPersistence()).setMaxAccess("readonly") trapSenderNodeId = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 31, 1, 3), Integer32()).setMaxAccess("readonly") trapSenderStatus = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 31, 1, 4), Integer32()).setMaxAccess("readonly") eventOnTrap = NotificationType((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 31, 2, 1)).setObjects(*(("ZYXEL-XGS4728F-MIB", "eventSeqNum"), ("ZYXEL-XGS4728F-MIB", "eventEventId"), ("ZYXEL-XGS4728F-MIB", "eventName"), ("ZYXEL-XGS4728F-MIB", "eventSetTime"), ("ZYXEL-XGS4728F-MIB", "eventSeverity"), ("ZYXEL-XGS4728F-MIB", "eventInstanceType"), ("ZYXEL-XGS4728F-MIB", "eventInstanceId"), ("ZYXEL-XGS4728F-MIB", "eventInstanceName"), ("ZYXEL-XGS4728F-MIB", "eventServAffective"), ("ZYXEL-XGS4728F-MIB", "eventDescription"), ("ZYXEL-XGS4728F-MIB", "trapPersistence"), ("ZYXEL-XGS4728F-MIB", "trapSenderNodeId"), ("ZYXEL-XGS4728F-MIB", "sysObjectID"),)) eventClearedTrap = NotificationType((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 31, 2, 2)).setObjects(*(("ZYXEL-XGS4728F-MIB", "eventSeqNum"), ("ZYXEL-XGS4728F-MIB", "eventEventId"), ("ZYXEL-XGS4728F-MIB", "eventSetTime"), ("ZYXEL-XGS4728F-MIB", "eventInstanceType"), ("ZYXEL-XGS4728F-MIB", "eventInstanceId"), ("ZYXEL-XGS4728F-MIB", "trapRefSeqNum"), ("ZYXEL-XGS4728F-MIB", "trapSenderNodeId"), ("ZYXEL-XGS4728F-MIB", "sysObjectID"),)) protoBasedVlanTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 32, 1), ) protoBasedVlanEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 32, 1, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "protoBasedVlanPort"), (0, "ZYXEL-XGS4728F-MIB", "protoBasedVlanPacketType"), (0, "ZYXEL-XGS4728F-MIB", "protoBasedVlanEtherType")) protoBasedVlanPort = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 32, 1, 1, 1), Integer32()).setMaxAccess("readonly") protoBasedVlanPacketType = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 32, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1,))).clone(namedValues=NamedValues(("etherII", 1),))).setMaxAccess("readonly") protoBasedVlanEtherType = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 32, 1, 1, 3), Integer32()).setMaxAccess("readonly") protoBasedVlanName = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 32, 1, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0,32))).setMaxAccess("readwrite") protoBasedVlanVid = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 32, 1, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1,4094))).setMaxAccess("readwrite") protoBasedVlanPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 32, 1, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0,7))).setMaxAccess("readwrite") protoBasedVlanState = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 32, 1, 1, 7), RowStatus()).setMaxAccess("readcreate") sysLogState = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 33, 1), EnabledStatus()).setMaxAccess("readwrite") sysLogTypeTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 33, 2), ) sysLogTypeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 33, 2, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "sysLogTypeIndex")) sysLogTypeIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 33, 2, 1, 1), Integer32()) sysLogTypeName = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 33, 2, 1, 2), DisplayString()).setMaxAccess("readonly") sysLogTypeState = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 33, 2, 1, 3), EnabledStatus()).setMaxAccess("readwrite") sysLogTypeFacility = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 33, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7,))).clone(namedValues=NamedValues(("local-user0", 0), ("local-user1", 1), ("local-user2", 2), ("local-user3", 3), ("local-user4", 4), ("local-user5", 5), ("local-user6", 6), ("local-user7", 7),))).setMaxAccess("readwrite") sysLogServerTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 33, 3), ) sysLogServerEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 33, 3, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "sysLogServerAddress")) sysLogServerAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 33, 3, 1, 1), IpAddress()) sysLogServerLogLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 33, 3, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7,))).clone(namedValues=NamedValues(("level0", 0), ("level0-1", 1), ("level0-2", 2), ("level0-3", 3), ("level0-4", 4), ("level0-5", 5), ("level0-6", 6), ("level0-7", 7),))).setMaxAccess("readwrite") sysLogServerRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 33, 3, 1, 3), RowStatus()).setMaxAccess("readcreate") diffservState = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 34, 1), EnabledStatus()).setMaxAccess("readwrite") diffservMapTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 34, 2), ) diffservMapEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 34, 2, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "diffservMapDscp")) diffservMapDscp = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 34, 2, 1, 1), Integer32()).setMaxAccess("readonly") diffservMapPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 34, 2, 1, 2), Integer32()).setMaxAccess("readwrite") diffservPortTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 34, 3), ) diffservPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 34, 3, 1), ).setIndexNames((0, "BRIDGE-MIB", "dot1dBasePort")) diffservPortState = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 34, 3, 1, 1), EnabledStatus()).setMaxAccess("readwrite") routerRipState = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 35, 1), EnabledStatus()).setMaxAccess("readwrite") routerIgmpState = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 35, 2), EnabledStatus()).setMaxAccess("readwrite") routerDvmrpState = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 35, 3), EnabledStatus()).setMaxAccess("readwrite") routerDvmrpThreshold = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 35, 4), Integer32()).setMaxAccess("readwrite") loadSharing = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 35, 5), EnabledStatus()).setMaxAccess("readwrite") loadSharingCriteria = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 35, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2,))).clone(namedValues=NamedValues(("src-ip", 1), ("src-dst-ip", 2),))).setMaxAccess("readwrite") loadSharingAgingTime = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 35, 7), Integer32()).setMaxAccess("readwrite") loadSharingDiscoverTime = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 35, 8), Integer32()).setMaxAccess("readwrite") routerRipDistance = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 35, 9), Integer32()).setMaxAccess("readwrite") routerDomainTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 38, 1), ) routerDomainEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 38, 1, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "routerDomainIpAddress"), (0, "ZYXEL-XGS4728F-MIB", "routerDomainIpMaskBits")) routerDomainIpAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 38, 1, 1, 1), IpAddress()).setMaxAccess("readonly") routerDomainIpMaskBits = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 38, 1, 1, 2), Integer32()).setMaxAccess("readonly") routerDomainVid = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 38, 1, 1, 3), Integer32()).setMaxAccess("readonly") routerDomainIpTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 38, 2), ) routerDomainIpEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 38, 2, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "routerDomainIpAddress"), (0, "ZYXEL-XGS4728F-MIB", "routerDomainIpMaskBits")) routerDomainIpRipDirection = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 38, 2, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3,))).clone(namedValues=NamedValues(("none", 0), ("outgoing", 1), ("incoming", 2), ("both", 3),))).setMaxAccess("readwrite") routerDomainIpRipVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 38, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2,))).clone(namedValues=NamedValues(("v1", 0), ("v2b", 1), ("v2m", 2),))).setMaxAccess("readwrite") routerDomainIpIgmpVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 38, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3,))).clone(namedValues=NamedValues(("none", 0), ("igmp-v1", 1), ("igmp-v2", 2), ("igmp-v3", 3),))).setMaxAccess("readwrite") routerDomainIpDvmrp = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 38, 2, 1, 4), EnabledStatus()).setMaxAccess("readwrite") routerVrrpMaxNumber = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 36, 1), Integer32()).setMaxAccess("readonly") routerVrrpTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 36, 2), ) routerVrrpEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 36, 2, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "routerDomainIpAddress"), (0, "ZYXEL-XGS4728F-MIB", "routerDomainIpMaskBits"), (0, "ZYXEL-XGS4728F-MIB", "routerVrrpVirtualID"), (0, "ZYXEL-XGS4728F-MIB", "routerVrrpUplinkGateway")) routerVrrpVirtualID = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 36, 2, 1, 1), Integer32()).setMaxAccess("readonly") routerVrrpUplinkGateway = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 36, 2, 1, 2), IpAddress()).setMaxAccess("readonly") routerVrrpPreempt = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 36, 2, 1, 3), EnabledStatus()).setMaxAccess("readwrite") routerVrrpInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 36, 2, 1, 4), Integer32()).setMaxAccess("readwrite") routerVrrpPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 36, 2, 1, 5), Integer32()).setMaxAccess("readwrite") routerVrrpPrimaryVirtualIP = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 36, 2, 1, 6), IpAddress()).setMaxAccess("readwrite") routerVrrpName = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 36, 2, 1, 7), DisplayString()).setMaxAccess("readwrite") routerVrrpSecondaryVirtualIP = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 36, 2, 1, 8), IpAddress()).setMaxAccess("readwrite") rpVrrpRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 36, 2, 1, 9), RowStatus()).setMaxAccess("readcreate") routerVrrpDomainTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 36, 3), ) routerVrrpDomainEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 36, 3, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "routerDomainIpAddress"), (0, "ZYXEL-XGS4728F-MIB", "routerDomainIpMaskBits")) routerVrrpAuthType = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 36, 3, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1,))).clone(namedValues=NamedValues(("none", 0), ("simple", 1),))).setMaxAccess("readwrite") routerVrrpAuthKey = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 36, 3, 1, 2), DisplayString()).setMaxAccess("readwrite") routerVrrpStatusTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 37, 1), ) routerVrrpStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 37, 1, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "routerVrrpStatusIpAddress"), (0, "ZYXEL-XGS4728F-MIB", "routerVrrpStatusIpMaskBits"), (0, "ZYXEL-XGS4728F-MIB", "routerVrrpStatusVirtualID")) routerVrrpStatusIpAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 37, 1, 1, 1), IpAddress()).setMaxAccess("readonly") routerVrrpStatusIpMaskBits = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 37, 1, 1, 2), Integer32()).setMaxAccess("readonly") routerVrrpStatusVirtualID = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 37, 1, 1, 3), Integer32()).setMaxAccess("readonly") routerVrrpStatusVRStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 37, 1, 1, 4), DisplayString()).setMaxAccess("readonly") routerVrrpStatusUpLinkStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 37, 1, 1, 5), DisplayString()).setMaxAccess("readonly") ipStatusTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 39, 1), ) ipStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 39, 1, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "ipStatusIPAddress"), (0, "ZYXEL-XGS4728F-MIB", "ipStatusVid")) ipStatusIPAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 39, 1, 1, 1), IpAddress()).setMaxAccess("readonly") ipStatusVid = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 39, 1, 1, 2), Integer32()).setMaxAccess("readonly") ipStatusPort = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 39, 1, 1, 3), DisplayString()).setMaxAccess("readonly") ipStatusType = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 39, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2,))).clone(namedValues=NamedValues(("static", 1), ("dynamic", 2),))).setMaxAccess("readonly") ospfInterfaceTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 1), ) ospfInterfaceEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 1, 1), ).setIndexNames((0, "OSPF-MIB", "ospfIfIpAddress"), (0, "OSPF-MIB", "ospfAddressLessIf")) ospfIfKeyId = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 1, 1, 1), Integer32()).setMaxAccess("readwrite") ospfIfMaskbits = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 1, 1, 2), Integer32()).setMaxAccess("readonly") ospfIfDesignatedRouterID = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 1, 1, 3), IpAddress()).setMaxAccess("readonly") ospfIfBackupDesignatedRouterID = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 1, 1, 4), IpAddress()).setMaxAccess("readonly") ospfIfNbrCount = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 1, 1, 5), Integer32()).setMaxAccess("readonly") ospfIfAdjacentNbrCount = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 1, 1, 6), Integer32()).setMaxAccess("readonly") ospfIfHelloDueTime = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 1, 1, 7), DisplayString()).setMaxAccess("readonly") ospfAreaExtTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 2), ) ospfAreaExtEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 2, 1), ).setIndexNames((0, "OSPF-MIB", "ospfAreaId")) ospfAreaExtName = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 2, 1, 1), DisplayString()).setMaxAccess("readwrite") ospfRedistributeRouteTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 3), ) ospfRedistributeRouteEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 3, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "ospfRedistributeRouteProtocol")) ospfRedistributeRouteProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 3, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2,))).clone(namedValues=NamedValues(("rip", 1), ("static", 2),))).setMaxAccess("readonly") ospfRedistributeRouteState = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 3, 1, 2), EnabledStatus()).setMaxAccess("readwrite") ospfRedistributeRouteType = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 3, 1, 3), Integer32()).setMaxAccess("readwrite") ospfRedistributeRouteMetric = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 3, 1, 4), Integer32()).setMaxAccess("readwrite") ospfNbrExtTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 4), ) ospfNbrExtEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 4, 1), ).setIndexNames((0, "OSPF-MIB", "ospfNbrIpAddr"), (0, "OSPF-MIB", "ospfNbrAddressLessIndex")) ospfNbrExtRole = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 4, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3,))).clone(namedValues=NamedValues(("dr", 1), ("backup", 2), ("dr-other", 3),))).setMaxAccess("readonly") ospfNbrExtDeadtime = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 4, 1, 2), DisplayString()).setMaxAccess("readonly") ospfNbrExtInterface = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 4, 1, 3), IpAddress()).setMaxAccess("readonly") ospfNbrExtRXmtL = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 4, 1, 4), Integer32()).setMaxAccess("readonly") ospfNbrExtRqstL = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 4, 1, 5), Integer32()).setMaxAccess("readonly") ospfNbrExtDBsmL = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 4, 1, 6), Integer32()).setMaxAccess("readonly") ospfLsdbExtTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 5), ) ospfLsdbExtEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 5, 1), ).setIndexNames((0, "OSPF-MIB", "ospfLsdbAreaId"), (0, "OSPF-MIB", "ospfLsdbType"), (0, "OSPF-MIB", "ospfLsdbLsid"), (0, "OSPF-MIB", "ospfLsdbRouterId")) ospfLsdbExtLinkCount = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 5, 1, 1), Integer32()).setMaxAccess("readonly") ospfLsdbExtRouteAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 5, 1, 2), IpAddress()).setMaxAccess("readonly") ospfLsdbExtRouteMaskbits = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 5, 1, 3), Integer32()).setMaxAccess("readonly") ospfVirtualLinkTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 6), ) ospfVirtualLinkEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 6, 1), ).setIndexNames((0, "OSPF-MIB", "ospfVirtIfAreaId"), (0, "OSPF-MIB", "ospfVirtIfNeighbor")) ospfVirtualLinkName = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 6, 1, 1), DisplayString()).setMaxAccess("readwrite") ospfVirtualLinkKeyId = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 6, 1, 2), Integer32()).setMaxAccess("readwrite") ospfSummaryAddrTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 7), ) ospfSummaryAddrEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 7, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "ospfSummaryAddress"), (0, "ZYXEL-XGS4728F-MIB", "ospfSummaryAddrMaskBit")) ospfSummaryAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 7, 1, 1), IpAddress()).setMaxAccess("readonly") ospfSummaryAddrMaskBit = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 7, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1,32))).setMaxAccess("readonly") ospfSummaryAddrRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 7, 1, 3), RowStatus()).setMaxAccess("readcreate") ospfGeneralExtGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 8)) ospfDistance = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 8, 1), Integer32()).setMaxAccess("readwrite") mrstpSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1)) mrstpBridgeTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 1), ) mrstpBridgeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 1, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "mrstpBridgeIndex")) mrstpBridgeIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 1, 1, 1), Integer32()).setMaxAccess("readonly") mrstpState = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 1, 1, 2), EnabledStatus()).setMaxAccess("readwrite") mrstpProtocolSpecification = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3,))).clone(namedValues=NamedValues(("unknown", 1), ("decLb100", 2), ("ieee8021d", 3),))).setMaxAccess("readonly") mrstpPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 1, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0,65535))).setMaxAccess("readwrite") mrstpTimeSinceTopologyChange = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 1, 1, 5), TimeTicks()).setMaxAccess("readonly") mrstpTopChanges = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 1, 1, 6), Counter32()).setMaxAccess("readonly") mrstpDesignatedRoot = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 1, 1, 7), BridgeId()).setMaxAccess("readonly") mrstpRootCost = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 1, 1, 8), Integer32()).setMaxAccess("readonly") mrstpRootPort = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 1, 1, 9), Integer32()).setMaxAccess("readonly") mrstpMaxAge = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 1, 1, 10), Timeout()).setMaxAccess("readonly") mrstpHelloTime = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 1, 1, 11), Timeout()).setMaxAccess("readonly") mrstpHoldTime = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 1, 1, 12), Integer32()).setMaxAccess("readonly") mrstpForwardDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 1, 1, 13), Timeout()).setMaxAccess("readonly") mrstpBridgeMaxAge = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 1, 1, 14), Timeout().subtype(subtypeSpec=ValueRangeConstraint(600,4000))).setMaxAccess("readwrite") mrstpBridgeHelloTime = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 1, 1, 15), Timeout().subtype(subtypeSpec=ValueRangeConstraint(100,1000))).setMaxAccess("readwrite") mrstpBridgeForwardDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 1, 1, 16), Timeout().subtype(subtypeSpec=ValueRangeConstraint(400,3000))).setMaxAccess("readwrite") mrstpPortTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 2), ) mrstpPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 2, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "mrstpPort")) mrstpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1,65535))).setMaxAccess("readonly") mrstpPortPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 2, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0,255))).setMaxAccess("readwrite") mrstpPortState = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6,))).clone(namedValues=NamedValues(("disabled", 1), ("blocking", 2), ("listening", 3), ("learning", 4), ("forwarding", 5), ("broken", 6),))).setMaxAccess("readonly") mrstpPortEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2,))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2),))).setMaxAccess("readwrite") mrstpPortPathCost = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 2, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1,65535))).setMaxAccess("readwrite") mrstpPortDesignatedRoot = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 2, 1, 6), BridgeId()).setMaxAccess("readonly") mrstpPortDesignatedCost = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 2, 1, 7), Integer32()).setMaxAccess("readonly") mrstpPortDesignatedBridge = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 2, 1, 8), BridgeId()).setMaxAccess("readonly") mrstpPortDesignatedPort = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 2, 1, 9), OctetString().subtype(subtypeSpec=ValueSizeConstraint(2,2)).setFixedLength(2)).setMaxAccess("readonly") mrstpPortForwardTransitions = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 2, 1, 10), Counter32()).setMaxAccess("readonly") mrstpPortOnBridgeIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 2, 1, 11), Integer32()).setMaxAccess("readwrite") mrstpPortAdminEdgePort = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 2, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2,))).clone(namedValues=NamedValues(("true", 1), ("false", 2),))).setMaxAccess("readwrite") mrstpPortOperEdgePort = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 2, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2,))).clone(namedValues=NamedValues(("true", 1), ("false", 2),))).setMaxAccess("readonly") mrstpNotifications = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 2)) mrstpNewRoot = NotificationType((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 2, 1)).setObjects(*(("ZYXEL-XGS4728F-MIB", "mrstpBridgeIndex"),)) mrstpTopologyChange = NotificationType((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 2, 2)).setObjects(*(("ZYXEL-XGS4728F-MIB", "mrstpBridgeIndex"),)) dhcpSnpVlanTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 1), ) dhcpSnpVlanEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 1, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "dhcpSnpVlanEntryVid")) dhcpSnpVlanEntryVid = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1,4094))).setMaxAccess("readonly") dhcpSnpVlanEntryEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 1, 1, 2), EnabledStatus()).setMaxAccess("readwrite") dhcpSnpVlanEntryOption82Enable = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 1, 1, 3), EnabledStatus()).setMaxAccess("readwrite") dhcpSnpVlanEntryInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 1, 1, 4), EnabledStatus()).setMaxAccess("readwrite") dhcpSnpPortTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 2), ) dhcpSnpPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 2, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "dhcpSnpPortEntryPort")) dhcpSnpPortEntryPort = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 2, 1, 1), Integer32()).setMaxAccess("readonly") dhcpSnpPortEntryTrust = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 2, 1, 2), EnabledStatus()).setMaxAccess("readwrite") dhcpSnpPortEntryRate = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 2, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0,2048))).setMaxAccess("readwrite") dhcpSnpBindTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 3), ) dhcpSnpBindEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 3, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "dhcpSnpBindEntryMac"), (0, "ZYXEL-XGS4728F-MIB", "dhcpSnpBindEntryVid")) dhcpSnpBindEntryMac = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 3, 1, 1), MacAddress()).setMaxAccess("readonly") dhcpSnpBindEntryVid = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 3, 1, 2), Integer32()).setMaxAccess("readonly") dhcpSnpBindEntryIP = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 3, 1, 3), IpAddress()).setMaxAccess("readonly") dhcpSnpBindEntryLease = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 3, 1, 4), Integer32()).setMaxAccess("readonly") dhcpSnpBindEntryType = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 3, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(2,))).clone(namedValues=NamedValues(("dynamic", 2),))).setMaxAccess("readonly") dhcpSnpBindEntryPort = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 3, 1, 6), Integer32()).setMaxAccess("readonly") dhcpSnpEnable = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 4), EnabledStatus()).setMaxAccess("readwrite") dhcpSnpDb = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5)) dhcpSnpDbAbort = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1,65535))).setMaxAccess("readwrite") dhcpSnpDbWriteDelay = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1,65535))).setMaxAccess("readwrite") dhcpSnpDbUrl = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0,255))).setMaxAccess("readwrite") dhcpSnpDbUrlRenew = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0,255))).setMaxAccess("readwrite") dhcpSnpDbStat = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5)) dhcpSnpDbStatClear = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 1), EnabledStatus()).setMaxAccess("readwrite") dhcpSnpDbStatAgentRunning = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2,))).clone(namedValues=NamedValues(("none", 0), ("read", 1), ("write", 2),))).setMaxAccess("readonly") dhcpSnpDbStatDelayExpiry = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 3), Integer32()).setMaxAccess("readonly") dhcpSnpDbStatAbortExpiry = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 4), Integer32()).setMaxAccess("readonly") dhcpSnpDbStatLastSuccTime = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 5), DisplayString()).setMaxAccess("readonly") dhcpSnpDbStatLastFailTime = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 6), DisplayString()).setMaxAccess("readonly") dhcpSnpDbStatLastFailReason = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 7), DisplayString()).setMaxAccess("readonly") dhcpSnpDbStatTotalAttempt = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 8), Integer32()).setMaxAccess("readonly") dhcpSnpDbStatStartupFail = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 9), Integer32()).setMaxAccess("readonly") dhcpSnpDbStatSuccTrans = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 10), Integer32()).setMaxAccess("readonly") dhcpSnpDbStatFailTrans = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 11), Integer32()).setMaxAccess("readonly") dhcpSnpDbStatSuccRead = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 12), Integer32()).setMaxAccess("readonly") dhcpSnpDbStatFailRead = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 13), Integer32()).setMaxAccess("readonly") dhcpSnpDbStatSuccWrite = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 14), Integer32()).setMaxAccess("readonly") dhcpSnpDbStatFailWrite = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 15), Integer32()).setMaxAccess("readonly") dhcpSnpDbStatFirstSuccAccess = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2,))).clone(namedValues=NamedValues(("none", 0), ("read", 1), ("write", 2),))).setMaxAccess("readonly") dhcpSnpDbStatLastIgnoreBindCol = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 17), Integer32()).setMaxAccess("readonly") dhcpSnpDbStatLastIgnoreExpireLease = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 18), Integer32()).setMaxAccess("readonly") dhcpSnpDbStatLastIgnoreInvalidIntf = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 19), Integer32()).setMaxAccess("readonly") dhcpSnpDbStatLastIgnoreUnsuppVlan = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 20), Integer32()).setMaxAccess("readonly") dhcpSnpDbStatLastIgnoreParse = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 21), Integer32()).setMaxAccess("readonly") dhcpSnpDbStatTotalIgnoreBindCol = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 22), Integer32()).setMaxAccess("readonly") dhcpSnpDbStatTotalIgnoreExpireLease = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 23), Integer32()).setMaxAccess("readonly") dhcpSnpDbStatTotalIgnoreInvalidIntf = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 24), Integer32()).setMaxAccess("readonly") dhcpSnpDbStatTotalIgnoreUnsuppVlan = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 25), Integer32()).setMaxAccess("readonly") dhcpSnpDbStatTotalIgnoreParse = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 26), Integer32()).setMaxAccess("readonly") dhcpSnpDbStatFirstSuccessAccess = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 27), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2,))).clone(namedValues=NamedValues(("none", 0), ("read", 1), ("write", 2),))).setMaxAccess("readonly") dhcpSnpDhcpVlan = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 6)) dhcpSnpDhcpVlanVid = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 6, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0,4094))).setMaxAccess("readwrite") ipsgTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 101, 1), ) ipsgEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 101, 1, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "ipsgEntryMac"), (0, "ZYXEL-XGS4728F-MIB", "ipsgEntryVid")) ipsgEntryMac = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 101, 1, 1, 1), MacAddress()).setMaxAccess("readonly") ipsgEntryVid = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 101, 1, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1,4094))).setMaxAccess("readonly") ipsgEntryIp = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 101, 1, 1, 3), IpAddress()).setMaxAccess("readwrite") ipsgEntryLease = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 101, 1, 1, 4), Integer32()).setMaxAccess("readonly") ipsgEntryType = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 101, 1, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2,))).clone(namedValues=NamedValues(("static", 1), ("dhcp", 2),))).setMaxAccess("readonly") ipsgEntryPort = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 101, 1, 1, 6), Integer32()).setMaxAccess("readwrite") ipsgEntryState = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 101, 1, 1, 7), RowStatus()).setMaxAccess("readcreate") arpInspectSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 1)) arpInspectState = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 1, 1), EnabledStatus()).setMaxAccess("readwrite") arpInspectFilterAgingTime = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0,2147483647))).setMaxAccess("readwrite") arpInspectLog = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 1, 3)) arpInspectLogEntries = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 1, 3, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0,1024))).setMaxAccess("readwrite") arpInspectLogRate = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 1, 3, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0,1024))).setMaxAccess("readwrite") arpInspectLogInterval = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 1, 3, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0,2147483647))).setMaxAccess("readwrite") arpInspectVlanTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 1, 4), ) arpInspectVlanEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 1, 4, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "arpInspectVlanVid")) arpInspectVlanVid = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 1, 4, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1,4094))).setMaxAccess("readonly") arpInspectVlanLog = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 1, 4, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4,))).clone(namedValues=NamedValues(("all", 1), ("none", 2), ("permit", 3), ("deny", 4),))).setMaxAccess("readwrite") arpInspectVlanStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 1, 4, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2,))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2),))).setMaxAccess("readwrite") arpInspectPortTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 1, 5), ) arpInspectPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 1, 5, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "arpInspectPortIndex")) arpInspectPortIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 1, 5, 1, 1), Integer32()).setMaxAccess("readonly") arpInspectPortTrust = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 1, 5, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2,))).clone(namedValues=NamedValues(("trusted", 1), ("untrusted", 2),))).setMaxAccess("readwrite") arpInspectPortRate = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 1, 5, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0,2048))).setMaxAccess("readwrite") arpInspectPortInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 1, 5, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1,15))).setMaxAccess("readwrite") arpInspectStatus = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2)) arpInspectFilterClear = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 1), EnabledStatus()).setMaxAccess("readwrite") arpInspectLogClear = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 2), EnabledStatus()).setMaxAccess("readwrite") arpInspectFilterTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 3), ) arpInspectFilterEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 3, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "arpInspectFilterMac"), (0, "ZYXEL-XGS4728F-MIB", "arpInspectFilterVid")) arpInspectFilterMac = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 3, 1, 1), MacAddress()).setMaxAccess("readonly") arpInspectFilterVid = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1,4094))).setMaxAccess("readonly") arpInspectFilterPort = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 3, 1, 3), Integer32()).setMaxAccess("readonly") arpInspectFilterExpiry = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 3, 1, 4), Integer32()).setMaxAccess("readonly") arpInspectFilterReason = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 3, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3,))).clone(namedValues=NamedValues(("macVid", 1), ("port", 2), ("ip", 3),))).setMaxAccess("readonly") arpInspectFilterRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 3, 1, 6), RowStatus()).setMaxAccess("readcreate") arpInspectLogTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 4), ) arpInspectLogEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 4, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "arpInspectLogMac"), (0, "ZYXEL-XGS4728F-MIB", "arpInspectLogVid"), (0, "ZYXEL-XGS4728F-MIB", "arpInspectLogPort"), (0, "ZYXEL-XGS4728F-MIB", "arpInspectLogIp"), (0, "ZYXEL-XGS4728F-MIB", "arpInspectLogReason")) arpInspectLogMac = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 4, 1, 1), MacAddress()).setMaxAccess("readonly") arpInspectLogVid = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 4, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1,4094))).setMaxAccess("readonly") arpInspectLogPort = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 4, 1, 3), Integer32()).setMaxAccess("readonly") arpInspectLogIp = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 4, 1, 4), IpAddress()).setMaxAccess("readonly") arpInspectLogNumPkt = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 4, 1, 5), Integer32()).setMaxAccess("readonly") arpInspectLogReason = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 4, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5,))).clone(namedValues=NamedValues(("deny", 1), ("denyStatic", 2), ("denyDHCP", 3), ("permitStatic", 4), ("permitDHCP", 5),))).setMaxAccess("readonly") arpInspectLogTime = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 4, 1, 7), DateAndTime()).setMaxAccess("readonly") arpInspectStatisticsTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 5), ) arpInspectStatisticsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 5, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "arpInspectStatisticsVid")) arpInspectStatisticsVid = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 5, 1, 1), Integer32()).setMaxAccess("readonly") arpInspectStatisticsReceived = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 5, 1, 2), Counter32()).setMaxAccess("readonly") arpInspectStatisticsRequest = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 5, 1, 3), Counter32()).setMaxAccess("readonly") arpInspectStatisticsReply = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 5, 1, 4), Counter32()).setMaxAccess("readonly") arpInspectStatisticsForward = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 5, 1, 5), Counter32()).setMaxAccess("readonly") arpInspectStatisticsDrop = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 5, 1, 6), Counter32()).setMaxAccess("readonly") arpInspectStatisticsClear = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 5, 1, 7), EnabledStatus()).setMaxAccess("readwrite") trTCMState = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 103, 1), EnabledStatus()).setMaxAccess("readwrite") trTCMMode = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 103, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1,))).clone(namedValues=NamedValues(("color-aware", 0), ("color-blind", 1),))).setMaxAccess("readwrite") trTCMPortTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 103, 3), ) trTCMPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 103, 3, 1), ).setIndexNames((0, "BRIDGE-MIB", "dot1dBasePort")) trTCMPortState = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 103, 3, 1, 1), EnabledStatus()).setMaxAccess("readcreate") trTCMPortCIR = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 103, 3, 1, 2), Integer32()).setMaxAccess("readwrite") trTCMPortPIR = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 103, 3, 1, 3), Integer32()).setMaxAccess("readwrite") trTCMPortDscpGreen = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 103, 3, 1, 4), Integer32()).setMaxAccess("readwrite") trTCMPortDscpYellow = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 103, 3, 1, 5), Integer32()).setMaxAccess("readwrite") trTCMPortDscpRed = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 103, 3, 1, 6), Integer32()).setMaxAccess("readwrite") loopGuardState = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 104, 1), EnabledStatus()).setMaxAccess("readwrite") loopGuardPortTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 104, 2), ) loopGuardPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 104, 2, 1), ).setIndexNames((0, "BRIDGE-MIB", "dot1dBasePort")) loopGuardPortState = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 104, 2, 1, 1), EnabledStatus()).setMaxAccess("readwrite") subnetBasedVlanState = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 105, 1), EnabledStatus()).setMaxAccess("readwrite") dhcpVlanOverrideState = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 105, 2), EnabledStatus()).setMaxAccess("readwrite") subnetBasedVlanTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 105, 3), ) subnetBasedVlanEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 105, 3, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "subnetBasedVlanSrcIp"), (0, "ZYXEL-XGS4728F-MIB", "subnetBasedVlanSrcMaskBit")) subnetBasedVlanSrcIp = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 105, 3, 1, 1), IpAddress()).setMaxAccess("readonly") subnetBasedVlanSrcMaskBit = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 105, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1,32))).setMaxAccess("readonly") subnetBasedVlanName = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 105, 3, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0,32))).setMaxAccess("readwrite") subnetBasedVlanVid = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 105, 3, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1,4094))).setMaxAccess("readwrite") subnetBasedVlanPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 105, 3, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0,7))).setMaxAccess("readwrite") subnetBasedVlanEntryState = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 105, 3, 1, 6), RowStatus()).setMaxAccess("readcreate") macAuthenticationState = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 106, 1), EnabledStatus()).setMaxAccess("readwrite") macAuthenticationNamePrefix = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 106, 2), DisplayString()).setMaxAccess("readwrite") macAuthenticationPassword = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 106, 3), DisplayString()).setMaxAccess("readwrite") macAuthenticationTimeout = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 106, 4), Integer32()).setMaxAccess("readwrite") macAuthenticationPortTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 106, 5), ) macAuthenticationPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 106, 5, 1), ).setIndexNames((0, "BRIDGE-MIB", "dot1dBasePort")) macAuthenticationPortState = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 106, 5, 1, 1), EnabledStatus()).setMaxAccess("readwrite") class MstiOrCistInstanceIndex(Integer32, TextualConvention): subtypeSpec = Integer32.subtypeSpec+ValueRangeConstraint(0,16) mstpGen = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 1)) mstpGenState = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 1, 1), EnabledStatus()).setMaxAccess("readwrite") mstpGenCfgIdName = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 1, 2), DisplayString()).setMaxAccess("readwrite") mstpGenCfgIdRevLevel = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 1, 3), Integer32()).setMaxAccess("readwrite") mstpGenCfgIdCfgDigest = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(16,16)).setFixedLength(16)).setMaxAccess("readonly") mstpGenHelloTime = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 1, 5), Timeout().subtype(subtypeSpec=ValueRangeConstraint(1,10))).setMaxAccess("readwrite") mstpGenMaxAge = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 1, 6), Timeout().subtype(subtypeSpec=ValueRangeConstraint(6,40))).setMaxAccess("readwrite") mstpGenForwardDelay = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 1, 7), Timeout().subtype(subtypeSpec=ValueRangeConstraint(4,30))).setMaxAccess("readwrite") mstpGenMaxHops = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1,255))).setMaxAccess("readwrite") mstpGenCistRootPathCost = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 1, 9), Integer32()).setMaxAccess("readonly") mstpGenCistRootBrid = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 1, 10), OctetString().subtype(subtypeSpec=ValueSizeConstraint(8,8)).setFixedLength(8)).setMaxAccess("readonly") mstMapTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 20), ) mstMapEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 20, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "mstMapIndex")) mstMapIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 20, 1, 1), MstiOrCistInstanceIndex()) mstMapVlans1k = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 20, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0,128))).setMaxAccess("readwrite") mstMapVlans2k = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 20, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0,128))).setMaxAccess("readwrite") mstMapVlans3k = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 20, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0,128))).setMaxAccess("readwrite") mstMapVlans4k = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 20, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0,128))).setMaxAccess("readwrite") mstMapRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 20, 1, 6), RowStatus()).setMaxAccess("readcreate") mstVlanTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 30), ) mstVlanEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 30, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "mstVlanIndex")) mstVlanIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 30, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1,4094))) mstVlanMstIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 30, 1, 2), MstiOrCistInstanceIndex()).setMaxAccess("readonly") mstpPortTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 40), ) mstpPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 40, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "mstpPortIndex")) mstpPortIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 40, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1,65535))) mstpPortOperEdgePort = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 40, 1, 2), TruthValue()).setMaxAccess("readonly") mstpPortOperPointToPointMAC = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 40, 1, 3), TruthValue()).setMaxAccess("readonly") mstpPortAdminEdgePort = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 40, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2,))).clone(namedValues=NamedValues(("true", 1), ("false", 2),))).setMaxAccess("readwrite") mstpXstTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 50), ) mstpXstEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 50, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "mstpXstId")) mstpXstId = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 50, 1, 1), MstiOrCistInstanceIndex()).setMaxAccess("readonly") mstpXstBridgePriority = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 50, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0,61440)).clone(32768)).setMaxAccess("readwrite") mstpXstBridgeId = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 50, 1, 3), BridgeId()).setMaxAccess("readonly") mstpXstInternalRootCost = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 50, 1, 4), Integer32()).setMaxAccess("readonly") mstpXstRootPort = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 50, 1, 5), Integer32()).setMaxAccess("readonly") mstpXstTimeSinceTopologyChange = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 50, 1, 6), TimeTicks()).setMaxAccess("readonly") mstpXstTopologyChangesCount = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 50, 1, 7), Counter32()).setMaxAccess("readonly") mstpXstPortTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 60), ) mstpXstPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 60, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "mstpXstPortXstId"), (0, "ZYXEL-XGS4728F-MIB", "mstpXstPortIndex")) mstpXstPortXstId = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 60, 1, 1), MstiOrCistInstanceIndex()) mstpXstPortIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 60, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1,65535))).setMaxAccess("readonly") mstpXstPortEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 60, 1, 3), EnabledStatus()).setMaxAccess("readwrite") mstpXstPortPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 60, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0,255)).clone(128)).setMaxAccess("readwrite") mstpXstPortPathCost = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 60, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1,65535))).setMaxAccess("readwrite") mstpXstPortState = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 60, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4,))).clone(namedValues=NamedValues(("disabled", 0), ("discarding", 1), ("learning", 2), ("forwarding", 3), ("unknown", 4),))).setMaxAccess("readonly") mstpXstPortDesignatedRoot = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 60, 1, 7), BridgeId()).setMaxAccess("readonly") mstpXstPortDesignatedCost = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 60, 1, 8), Integer32()).setMaxAccess("readonly") mstpXstPortDesignatedBridge = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 60, 1, 9), BridgeId()).setMaxAccess("readonly") mstpXstPortDesignatedPort = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 60, 1, 10), Integer32()).setMaxAccess("readonly") mstpNotifications = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 70)) mstpNewRoot = NotificationType((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 70, 1)).setObjects(*(("ZYXEL-XGS4728F-MIB", "mstpXstId"),)) mstpTopologyChange = NotificationType((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 70, 2)).setObjects(*(("ZYXEL-XGS4728F-MIB", "mstpXstId"),)) radiusAuthServerSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 108, 1)) radiusAuthServerMode = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 108, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2,))).clone(namedValues=NamedValues(("index-priority", 1), ("round-robin", 2),))).setMaxAccess("readwrite") radiusAuthServerTimeout = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 108, 1, 2), Integer32()).setMaxAccess("readwrite") radiusAuthServerTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 108, 1, 3), ) radiusAuthServerEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 108, 1, 3, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "radiusAuthServerIndex")) radiusAuthServerIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 108, 1, 3, 1, 1), Integer32()) radiusAuthServerIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 108, 1, 3, 1, 2), IpAddress()).setMaxAccess("readwrite") radiusAuthServerUdpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 108, 1, 3, 1, 3), Integer32()).setMaxAccess("readwrite") radiusAuthServerSharedSecret = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 108, 1, 3, 1, 4), DisplayString()).setMaxAccess("readwrite") radiusAcctServerSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 108, 2)) radiusAcctServerTimeout = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 108, 2, 1), Integer32()).setMaxAccess("readwrite") radiusAcctServerTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 108, 2, 2), ) radiusAcctServerEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 108, 2, 2, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "radiusAcctServerIndex")) radiusAcctServerIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 108, 2, 2, 1, 1), Integer32()) radiusAcctServerIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 108, 2, 2, 1, 2), IpAddress()).setMaxAccess("readwrite") radiusAcctServerUdpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 108, 2, 2, 1, 3), Integer32()).setMaxAccess("readwrite") radiusAcctServerSharedSecret = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 108, 2, 2, 1, 4), DisplayString()).setMaxAccess("readwrite") tacacsAuthServerSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 109, 1)) tacacsAuthServerMode = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 109, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2,))).clone(namedValues=NamedValues(("index-priority", 1), ("round-robin", 2),))).setMaxAccess("readwrite") tacacsAuthServerTimeout = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 109, 1, 2), Integer32()).setMaxAccess("readwrite") tacacsAuthServerTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 109, 1, 3), ) tacacsAuthServerEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 109, 1, 3, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "tacacsAuthServerIndex")) tacacsAuthServerIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 109, 1, 3, 1, 1), Integer32()) tacacsAuthServerIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 109, 1, 3, 1, 2), IpAddress()).setMaxAccess("readwrite") tacacsAuthServerTcpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 109, 1, 3, 1, 3), Integer32()).setMaxAccess("readwrite") tacacsAuthServerSharedSecret = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 109, 1, 3, 1, 4), DisplayString()).setMaxAccess("readwrite") tacacsAcctServerSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 109, 2)) tacacsAcctServerTimeout = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 109, 2, 1), Integer32()).setMaxAccess("readwrite") tacacsAcctServerTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 109, 2, 2), ) tacacsAcctServerEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 109, 2, 2, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "tacacsAcctServerIndex")) tacacsAcctServerIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 109, 2, 2, 1, 1), Integer32()) tacacsAcctServerIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 109, 2, 2, 1, 2), IpAddress()).setMaxAccess("readwrite") tacacsAcctServerTcpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 109, 2, 2, 1, 3), Integer32()).setMaxAccess("readwrite") tacacsAcctServerSharedSecret = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 109, 2, 2, 1, 4), DisplayString()).setMaxAccess("readwrite") authenticationSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 1)) authenticationTypeTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 1, 1), ) authenticationTypeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 1, 1, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "authenticationTypeName")) authenticationTypeName = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 1, 1, 1, 1), DisplayString()).setMaxAccess("readonly") authenticationTypeMethodList = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 1, 1, 1, 2), OctetString()).setMaxAccess("readwrite") accountingSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 2)) accountingUpdatePeriod = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 2, 1), Integer32()).setMaxAccess("readwrite") accountingTypeTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 2, 2), ) accountingTypeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 2, 2, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "accountingTypeName")) accountingTypeName = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 2, 2, 1, 1), DisplayString()).setMaxAccess("readonly") accountingTypeActive = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 2, 2, 1, 2), EnabledStatus()).setMaxAccess("readwrite") accountingTypeBroadcast = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 2, 2, 1, 3), EnabledStatus()).setMaxAccess("readwrite") accountingTypeMode = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 2, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(255, 1, 2,))).clone(namedValues=NamedValues(("not-available", 255), ("start-stop", 1), ("stop-only", 2),))).setMaxAccess("readwrite") accountingTypeMethod = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 2, 2, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2,))).clone(namedValues=NamedValues(("radius", 1), ("tacacs", 2),))).setMaxAccess("readwrite") accountingTypePrivilege = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 2, 2, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(255, 0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14,))).clone(namedValues=NamedValues(("not-available", 255), ("privilege-0", 0), ("privilege-1", 1), ("privilege-2", 2), ("privilege-3", 3), ("privilege-4", 4), ("privilege-5", 5), ("privilege-6", 6), ("privilege-7", 7), ("privilege-8", 8), ("privilege-9", 9), ("privilege-10", 10), ("privilege-11", 11), ("privilege-12", 12), ("privilege-13", 13), ("privilege-14", 14),))).setMaxAccess("readwrite") authorizationSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 3)) authorizationTypeTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 3, 1), ) authorizationTypeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 3, 1, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "authorizationTypeName")) authorizationTypeName = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 3, 1, 1, 1), DisplayString()).setMaxAccess("readonly") authorizationTypeActive = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 3, 1, 1, 2), EnabledStatus()).setMaxAccess("readwrite") authorizationTypeMethod = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 3, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2,))).clone(namedValues=NamedValues(("radius", 1), ("tacacs", 2),))).setMaxAccess("readwrite") portIsolationTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 112, 1), ) portIsolationEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 112, 1, 1), ).setIndexNames((0, "BRIDGE-MIB", "dot1dBasePort")) portIsolationState = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 112, 1, 1, 1), EnabledStatus()).setMaxAccess("readwrite") l2ptState = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 115, 1), EnabledStatus()).setMaxAccess("readwrite") l2ptMacAddr = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 115, 2), MacAddress()).setMaxAccess("readwrite") l2ptTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 115, 3), ) l2ptEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 115, 3, 1), ).setIndexNames((0, "BRIDGE-MIB", "dot1dBasePort")) l2ptProtocolGroup = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 115, 3, 1, 1), Bits().clone(namedValues=NamedValues(("cdp", 0), ("stp", 1), ("vtp", 2),))).setMaxAccess("readwrite") l2ptPointToPointProtocolGroup = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 115, 3, 1, 2), Bits().clone(namedValues=NamedValues(("pagp", 0), ("lacp", 1), ("udld", 2),))).setMaxAccess("readwrite") l2ptMode = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 115, 3, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2,))).clone(namedValues=NamedValues(("access", 1), ("tunnel", 2),))).setMaxAccess("readwrite") vlanMappingState = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 116, 1), EnabledStatus()).setMaxAccess("readwrite") vlanMappingPortTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 116, 2), ) vlanMappingPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 116, 2, 1), ).setIndexNames((0, "BRIDGE-MIB", "dot1dBasePort")) vlanMappingPortState = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 116, 2, 1, 1), EnabledStatus()).setMaxAccess("readwrite") vlanMappingRuleTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 116, 3), ) vlanMappingRuleEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 116, 3, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "vlanMappingRulePort"), (0, "ZYXEL-XGS4728F-MIB", "vlanMappingRuleVid")) vlanMappingRuleName = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 116, 3, 1, 1), DisplayString()).setMaxAccess("readwrite") vlanMappingRulePort = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 116, 3, 1, 2), Integer32()).setMaxAccess("readonly") vlanMappingRuleVid = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 116, 3, 1, 3), Integer32()).setMaxAccess("readonly") vlanMappingRuleTransVid = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 116, 3, 1, 4), Integer32()).setMaxAccess("readwrite") vlanMappingRulePriority = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 116, 3, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7,))).clone(namedValues=NamedValues(("prioriry-0", 0), ("prioriry-1", 1), ("prioriry-2", 2), ("prioriry-3", 3), ("prioriry-4", 4), ("prioriry-5", 5), ("prioriry-6", 6), ("prioriry-7", 7),))).setMaxAccess("readwrite") vlanMappingRuleRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 116, 3, 1, 6), RowStatus()).setMaxAccess("readcreate") transceiverSerialInfoTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 1), ) transceiverSerialInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 1, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "transceiverSerialInfoEntryPort")) transceiverSerialInfoEntryPort = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 1, 1, 1), Integer32()).setMaxAccess("readonly") transceiverSerialInfoEntryStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3,))).clone(namedValues=NamedValues(("ok-with-DDM", 1), ("ok-without-DDM", 2), ("nonoperational", 3),))).setMaxAccess("readonly") transceiverSerialInfoEntryVendor = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 1, 1, 3), DisplayString()).setMaxAccess("readonly") transceiverSerialInfoEntryPartNo = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 1, 1, 4), DisplayString()).setMaxAccess("readonly") transceiverSerialInfoEntrySerialNo = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 1, 1, 5), DisplayString()).setMaxAccess("readonly") transceiverSerialInfoEntryRevision = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 1, 1, 6), DisplayString()).setMaxAccess("readonly") transceiverSerialInfoEntryDateCode = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 1, 1, 7), DisplayString()).setMaxAccess("readonly") transceiverSerialInfoEntryTransceiver = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 1, 1, 8), DisplayString()).setMaxAccess("readonly") transceiverDdmInfoTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 2), ) transceiverDdmInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 2, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "transceiverDdmInfoEntryPort"), (0, "ZYXEL-XGS4728F-MIB", "transceiverDdmInfoEntryType")) transceiverDdmInfoEntryPort = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 2, 1, 1), Integer32()).setMaxAccess("readonly") transceiverDdmInfoEntryType = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 2, 1, 2), Integer32()).setMaxAccess("readonly") transceiverDdmInfoEntryAlarmMax = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 2, 1, 3), Integer32()).setMaxAccess("readonly") transceiverDdmInfoEntryAlarmMin = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 2, 1, 4), Integer32()).setMaxAccess("readonly") transceiverDdmInfoEntryWarnMax = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 2, 1, 5), Integer32()).setMaxAccess("readonly") transceiverDdmInfoEntryWarnMin = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 2, 1, 6), Integer32()).setMaxAccess("readonly") transceiverDdmInfoEntryCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 2, 1, 7), Integer32()).setMaxAccess("readonly") transceiverDdmInfoEntryDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 2, 1, 8), DisplayString()).setMaxAccess("readonly") dot3OamState = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 118, 1), EnabledStatus()).setMaxAccess("readwrite") dot3OamPortTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 118, 2), ) dot3OamPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 118, 2, 1), ).setIndexNames((0, "IF-MIB", "ifIndex")) dot3OamFunctionsSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 118, 2, 1, 1), Bits().clone(namedValues=NamedValues(("unidirectionalSupport", 0), ("loopbackSupport", 1), ("eventSupport", 2), ("variableSupport", 3),))).setMaxAccess("readwrite") dot1agCfmMIBObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 119, 1)) dot1agCfmMep = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 119, 1, 7)) zyswdot1agCfmMepTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 119, 1, 7, 1), ) zyswdot1agCfmMepEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 119, 1, 7, 1, 1), ).setIndexNames((0, "IEEE8021-CFM-MIB", "dot1agCfmMdIndex"), (0, "IEEE8021-CFM-MIB", "dot1agCfmMaIndex"), (0, "IEEE8021-CFM-MIB", "dot1agCfmMepIdentifier")) zyswdot1agCfmMepTransmitLbmDataTlvSize = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 119, 1, 7, 1, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0,1500))).setMaxAccess("readwrite") vlanCounterTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122, 1), ) vlanCounterEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122, 1, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "vlanCounterVlanID")) vlanCounterVlanID = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122, 1, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1,4094))).setMaxAccess("readonly") vlanCounterHCOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122, 1, 1, 2), Counter64()).setUnits('Octets').setMaxAccess("readonly") vlanCounterHCPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122, 1, 1, 3), Counter64()).setMaxAccess("readonly") vlanCounterHCMulticastPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122, 1, 1, 4), Counter64()).setMaxAccess("readonly") vlanCounterHCBroadcastPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122, 1, 1, 5), Counter64()).setMaxAccess("readonly") vlanCounterHCTaggedPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122, 1, 1, 6), Counter64()).setMaxAccess("readonly") vlanCounterHCPkts64Octets = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122, 1, 1, 7), Counter64()).setMaxAccess("readonly") vlanCounterHCPkts65to127Octets = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122, 1, 1, 8), Counter64()).setMaxAccess("readonly") vlanCounterHCPkts128to255Octets = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122, 1, 1, 9), Counter64()).setMaxAccess("readonly") vlanCounterHCPkts256to511Octets = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122, 1, 1, 10), Counter64()).setMaxAccess("readonly") vlanCounterHCPkts512to1023Octets = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122, 1, 1, 11), Counter64()).setMaxAccess("readonly") vlanCounterHCPkts1024to1518Octets = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122, 1, 1, 12), Counter64()).setMaxAccess("readonly") vlanCounterHCOversizePkts = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122, 1, 1, 13), Counter64()).setMaxAccess("readonly") vlanCounterTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122, 1, 1, 14), Unsigned32()).setMaxAccess("readwrite") vlanCounterRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122, 1, 1, 15), RowStatus()).setMaxAccess("readwrite") vlanCounterPort = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122, 1, 1, 16), PortList()).setMaxAccess("readwrite") sysMemoryPoolTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 124, 1), ) sysMemoryPoolEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 124, 1, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "sysMemoryPoolId")) sysMemoryPoolId = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 124, 1, 1, 1), Unsigned32()).setMaxAccess("readonly") sysMemoryPoolName = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 124, 1, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0,32))).setMaxAccess("readonly") sysMemoryPoolTotal = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 124, 1, 1, 3), Unsigned32()).setMaxAccess("readonly") sysMemoryPoolUsed = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 124, 1, 1, 4), Unsigned32()).setMaxAccess("readonly") sysMemoryPoolUtil = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 124, 1, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0,100))).setMaxAccess("readonly") pppoeIaSetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1)) pppoeIaState = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 1), EnabledStatus()).setMaxAccess("readwrite") pppoeIaAccessNodeIdentifierString = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 2), DisplayString()).setMaxAccess("readwrite") pppoeIaFlexibleCircuitIDSyntaxActive = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 3), EnabledStatus()).setMaxAccess("readwrite") pppoeIaFlexibleCircuitIDSyntaxIdentifierString = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 4), DisplayString()).setMaxAccess("readwrite") pppoeIaFlexibleCircuitIDSyntaxOption = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4,))).clone(namedValues=NamedValues(("sp", 1), ("sv", 2), ("pv", 3), ("spv", 4),))).setMaxAccess("readwrite") pppoeIaFlexibleCircuitIDSyntaxDelimiter = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6,))).clone(namedValues=NamedValues(("pound-sign", 1), ("dot", 2), ("comma", 3), ("semicolon", 4), ("slash", 5), ("space", 6),))).setMaxAccess("readwrite") pppoeIaPortTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 7), ) pppoeIaPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 7, 1), ).setIndexNames((0, "BRIDGE-MIB", "dot1dBasePort")) pppoeIaPortEntryPort = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 7, 1, 1), Integer32()).setMaxAccess("readonly") pppoeIaPortEntryTrust = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 7, 1, 2), EnabledStatus()).setMaxAccess("readwrite") pppoeIaPortEntryCircuitIDString = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 7, 1, 3), DisplayString()).setMaxAccess("readwrite") pppoeIaPortEntryRemoteIDString = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 7, 1, 4), DisplayString()).setMaxAccess("readwrite") pppoeIaVlanTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 8), ) pppoeIaVlanEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 8, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "pppoeIaVlanEntryVid")) pppoeIaVlanEntryVid = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 8, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1,4094))).setMaxAccess("readonly") pppoeIaVlanEntryCircuitID = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 8, 1, 2), EnabledStatus()).setMaxAccess("readwrite") pppoeIaVlanEntryRemoteID = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 8, 1, 3), EnabledStatus()).setMaxAccess("readwrite") pppoeIaVlanEntryRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 8, 1, 4), RowStatus()).setMaxAccess("readcreate") pppoeIaPortVlanTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 9), ) pppoeIaPortVlanEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 9, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "pppoeIaPortVlanEntryPort"), (0, "ZYXEL-XGS4728F-MIB", "pppoeIaPortVlanEntryVid")) pppoeIaPortVlanEntryPort = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 9, 1, 1), Integer32()).setMaxAccess("readonly") pppoeIaPortVlanEntryVid = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 9, 1, 2), Integer32()).setMaxAccess("readonly") pppoeIaPortVlanEntryCircuitIDString = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 9, 1, 3), DisplayString()).setMaxAccess("readwrite") pppoeIaPortVlanEntryRemoteIDString = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 9, 1, 4), DisplayString()).setMaxAccess("readwrite") pppoeIaPortVlanEntryRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 9, 1, 5), RowStatus()).setMaxAccess("readcreate") arpLearningPortTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 126, 1), ) arpLearningPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 126, 1, 1), ).setIndexNames((0, "BRIDGE-MIB", "dot1dBasePort")) arpLearningPortMode = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 126, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2,))).clone(namedValues=NamedValues(("arp-reply", 0), ("gratuitous-arp", 1), ("arp-request", 2),))).setMaxAccess("readwrite") maxNumberOfStaticRoutes = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 127, 1), Integer32()).setMaxAccess("readonly") staticRouteTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 127, 2), ) staticRouteEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 127, 2, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "staticRouteIp"), (0, "ZYXEL-XGS4728F-MIB", "staticRouteMask"), (0, "ZYXEL-XGS4728F-MIB", "staticRouteGateway")) staticRouteName = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 127, 2, 1, 1), DisplayString()).setMaxAccess("readwrite") staticRouteIp = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 127, 2, 1, 2), IpAddress()) staticRouteMask = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 127, 2, 1, 3), IpAddress()) staticRouteGateway = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 127, 2, 1, 4), IpAddress()) staticRouteMetric = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 127, 2, 1, 5), Integer32()).setMaxAccess("readwrite") staticRouteRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 127, 2, 1, 6), RowStatus()).setMaxAccess("readcreate") routingStatusTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 128, 1), ) routingStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 128, 1, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "routingStatusDestAddress"), (0, "ZYXEL-XGS4728F-MIB", "routingStatusDestMaskbits"), (0, "ZYXEL-XGS4728F-MIB", "routingStatusGateway")) routingStatusDestAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 128, 1, 1, 1), IpAddress()).setMaxAccess("readonly") routingStatusDestMaskbits = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 128, 1, 1, 2), Integer32()).setMaxAccess("readonly") routingStatusGateway = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 128, 1, 1, 3), IpAddress()).setMaxAccess("readonly") routingStatusInterface = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 128, 1, 1, 4), IpAddress()).setMaxAccess("readonly") routingStatusMetric = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 128, 1, 1, 5), Integer32()).setMaxAccess("readonly") routingStatusType = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 128, 1, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4,))).clone(namedValues=NamedValues(("rip", 1), ("bgp", 2), ("ospf", 3), ("static", 4),))).setMaxAccess("readonly") recovery = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 1)) errdisableRecoverySetup = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 1, 1)) errdisableRecoveryState = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 1, 1, 1), EnabledStatus()).setMaxAccess("readwrite") errdisableRecoveryReasonTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 1, 1, 2), ) errdisableRecoveryReasonEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 1, 1, 2, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "errdisableRecoveryReason")) errdisableRecoveryReason = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 1, 1, 2, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3,))).clone(namedValues=NamedValues(("loopguard", 0), ("arp", 1), ("bpdu", 2), ("igmp", 3),))).setMaxAccess("readonly") errdisableRecoveryReasonActive = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 1, 1, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2,))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2),))).setMaxAccess("readwrite") errdisableRecoveryReasonInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 1, 1, 2, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(30,2592000))).setMaxAccess("readwrite") errdisableRecoveryIfStatusTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 1, 1, 3), ) errdisableRecoveryIfStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 1, 1, 3, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "errdisableRecoveryIfStatusReason"), (0, "ZYXEL-XGS4728F-MIB", "errdisableRecoveryIfStatusPort")) errdisableRecoveryIfStatusReason = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 1, 1, 3, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3,))).clone(namedValues=NamedValues(("loopguard", 0), ("arp", 1), ("bpdu", 2), ("igmp", 3),))).setMaxAccess("readonly") errdisableRecoveryIfStatusPort = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 1, 1, 3, 1, 2), Integer32()).setMaxAccess("readonly") errdisableRecoveryIfStatusTimeToRecover = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 1, 1, 3, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(30,2592000))).setMaxAccess("readonly") detect = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 2)) errdisableDetectReasonTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 2, 1), ) errdisableDetectReasonEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 2, 1, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "errdisableDetectReason")) errdisableDetectReason = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 2, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3,))).clone(namedValues=NamedValues(("arp", 1), ("bpdu", 2), ("igmp", 3),))).setMaxAccess("readonly") errdisableDetectReasonEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 2, 1, 1, 2), EnabledStatus()).setMaxAccess("readwrite") errdisableDetectReasonMode = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 2, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3,))).clone(namedValues=NamedValues(("inactive-port", 1), ("inactive-reason", 2), ("rate-limitation", 3),))).setMaxAccess("readwrite") errdisableTrapInfoObject = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 3)) errdisableTrapPort = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 3, 1), Integer32()).setMaxAccess("readonly") errdisableTrapReason = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 3, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3,))).clone(namedValues=NamedValues(("loopguard", 0), ("arp", 1), ("bpdu", 2), ("igmp", 3),))).setMaxAccess("readonly") errdisableTrapMode = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 3, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2,))).clone(namedValues=NamedValues(("inactive-port", 0), ("inactive-reason", 1), ("rate-limitation", 2),))).setMaxAccess("readonly") errdisableTrapNotifications = MibIdentifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 4)) errdisableDetectTrap = NotificationType((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 4, 1)).setObjects(*(("ZYXEL-XGS4728F-MIB", "errdisableTrapPort"), ("ZYXEL-XGS4728F-MIB", "errdisableTrapReason"), ("ZYXEL-XGS4728F-MIB", "errdisableTrapMode"),)) errdisableRecoveryTrap = NotificationType((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 4, 2)).setObjects(*(("ZYXEL-XGS4728F-MIB", "errdisableTrapPort"), ("ZYXEL-XGS4728F-MIB", "errdisableTrapReason"), ("ZYXEL-XGS4728F-MIB", "errdisableTrapMode"),)) cpuProtectionTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 131, 1), ) cpuProtectionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 131, 1, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "cpuProtectionPort"), (0, "ZYXEL-XGS4728F-MIB", "cpuProtectionReason")) cpuProtectionPort = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 131, 1, 1, 1), Integer32()).setMaxAccess("readonly") cpuProtectionReason = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 131, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3,))).clone(namedValues=NamedValues(("arp", 1), ("bpdu", 2), ("igmp", 3),))).setMaxAccess("readonly") cpuProtectionRateLimitSet = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 131, 1, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0,256))).setMaxAccess("readwrite") policyRouteProfileTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 132, 1), ) policyRouteProfileEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 132, 1, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "policyRouteProfileName")) policyRouteProfileEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 132, 1, 1, 1), EnabledStatus()).setMaxAccess("readwrite") policyRouteProfileName = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 132, 1, 1, 2), DisplayString()).setMaxAccess("readonly") policyRouteProfileRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 132, 1, 1, 3), RowStatus()).setMaxAccess("readcreate") policyRouteRuleTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 132, 2), ) policyRouteRuleEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 132, 2, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "policyRouteRuleProfileName"), (0, "ZYXEL-XGS4728F-MIB", "policyRouteRuleSequence")) policyRouteRuleProfileName = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 132, 2, 1, 1), DisplayString()).setMaxAccess("readonly") policyRouteRuleSequence = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 132, 2, 1, 2), Integer32()).setMaxAccess("readonly") policyRouteRuleStatement = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 132, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1,))).clone(namedValues=NamedValues(("permit", 0), ("deny", 1),))).setMaxAccess("readwrite") policyRouteRuleCalssifier = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 132, 2, 1, 4), DisplayString()).setMaxAccess("readwrite") policyRouteRuleSetNextHop = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 132, 2, 1, 5), IpAddress()).setMaxAccess("readwrite") policyRouteRuleRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 132, 2, 1, 6), RowStatus()).setMaxAccess("readcreate") privateVLANTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 133, 1), ) privateVLANEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 133, 1, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "privateVLANVid")) privateVLANName = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 133, 1, 1, 1), DisplayString()).setMaxAccess("readwrite") privateVLANVid = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 133, 1, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1,4094))).setMaxAccess("readonly") privateVLANPromiscuousPorts = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 133, 1, 1, 3), PortList()).setMaxAccess("readwrite") privateVLANRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 133, 1, 1, 4), RowStatus()).setMaxAccess("readwrite") sFlowState = MibScalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 134, 1), EnabledStatus()).setMaxAccess("readwrite") sFlowCollectorTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 134, 2), ) sFlowCollectorEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 134, 2, 1), ).setIndexNames((0, "ZYXEL-XGS4728F-MIB", "sFlowCollectorAddressType"), (0, "ZYXEL-XGS4728F-MIB", "sFlowCollectorAddress")) sFlowCollectorAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 134, 2, 1, 1), InetAddressType()).setMaxAccess("readonly") sFlowCollectorAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 134, 2, 1, 2), InetAddress()).setMaxAccess("readonly") sFlowCollectorUdpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 134, 2, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1,65535))).setMaxAccess("readwrite") sFlowCollectorRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 134, 2, 1, 4), RowStatus()).setMaxAccess("readwrite") sFlowPortTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 134, 3), ) sFlowPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 134, 3, 1), ).setIndexNames((0, "BRIDGE-MIB", "dot1dBasePort")) sFlowPortState = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 134, 3, 1, 1), EnabledStatus()).setMaxAccess("readwrite") sFlowPortCollectorTable = MibTable((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 134, 4), ) sFlowPortCollectorEntry = MibTableRow((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 134, 4, 1), ).setIndexNames((0, "BRIDGE-MIB", "dot1dBasePort"), (0, "ZYXEL-XGS4728F-MIB", "sFlowPortCollectorAddressType"), (0, "ZYXEL-XGS4728F-MIB", "sFlowPortCollectorAddress")) sFlowPortCollectorAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 134, 4, 1, 1), InetAddressType()).setMaxAccess("readonly") sFlowPortCollectorAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 134, 4, 1, 2), InetAddress()).setMaxAccess("readonly") sFlowPortCollectorSampleRate = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 134, 4, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(256,65535))).setMaxAccess("readwrite") sFlowPortCollectorPollInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 134, 4, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(20,120))).setMaxAccess("readwrite") sFlowPortCollectorRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 134, 4, 1, 5), RowStatus()).setMaxAccess("readwrite") mibBuilder.exportSymbols("ZYXEL-XGS4728F-MIB", PYSNMP_MODULE_ID=ZYXEL_xgs4728f_MIB) mibBuilder.exportSymbols("ZYXEL-XGS4728F-MIB", sysMgmtCounterReset=sysMgmtCounterReset, sysMgmtReboot=sysMgmtReboot, dhcpSnpEnable=dhcpSnpEnable, portSecurityVMLTable=portSecurityVMLTable, errdisableRecoveryIfStatusEntry=errdisableRecoveryIfStatusEntry, filterName=filterName, mrstpPortPathCost=mrstpPortPathCost, igmpSnpV3CountQueryTx=igmpSnpV3CountQueryTx, mvrGroupRowStatus=mvrGroupRowStatus, mstpPortOperPointToPointMAC=mstpPortOperPointToPointMAC, securedClientIndex=securedClientIndex, EventSeverity=EventSeverity, sysLogServerTable=sysLogServerTable, igmpFilteringProfileName=igmpFilteringProfileName, dhcpSnpDbStatClear=dhcpSnpDbStatClear, sysLogState=sysLogState, routerVrrpDomainEntry=routerVrrpDomainEntry, dhcpSnpDbAbort=dhcpSnpDbAbort, arpType=arpType, aggrPortTable=aggrPortTable, clsuterStatusMaxNumOfMember=clsuterStatusMaxNumOfMember, vlanCounterHCBroadcastPkts=vlanCounterHCBroadcastPkts, portSecurityVMLEntry=portSecurityVMLEntry, mrstp=mrstp, tempDescr=tempDescr, snmpUserAuthProtocol=snmpUserAuthProtocol, portBasedVlanPortListTable=portBasedVlanPortListTable, dhcpSnpDbStatLastIgnoreInvalidIntf=dhcpSnpDbStatLastIgnoreInvalidIntf, mrstpPortPriority=mrstpPortPriority, ospfRedistributeRouteEntry=ospfRedistributeRouteEntry, mstVlanEntry=mstVlanEntry, radiusAcctServerIndex=radiusAcctServerIndex, arpInspectSetup=arpInspectSetup, multicastPortIgmpFilteringProfile=multicastPortIgmpFilteringProfile, dateTimeNewTimeSecond=dateTimeNewTimeSecond, radiusAuthServerEntry=radiusAuthServerEntry, radiusAuthServerUdpPort=radiusAuthServerUdpPort, radiusAuthServerIndex=radiusAuthServerIndex, mrstpNewRoot=mrstpNewRoot, rateLimitPortEgrState=rateLimitPortEgrState, privateVLANTable=privateVLANTable, cpuProtectionSetup=cpuProtectionSetup, routerVrrpTable=routerVrrpTable, dhcpSnpDbStatLastFailTime=dhcpSnpDbStatLastFailTime, sysMemoryPoolId=sysMemoryPoolId, trTCMState=trTCMState, transceiverDdmInfoEntryType=transceiverDdmInfoEntryType, clusterStatusMemberModel=clusterStatusMemberModel, routerDomainIpDvmrp=routerDomainIpDvmrp, policyRouteRuleStatement=policyRouteRuleStatement, authenticationTypeMethodList=authenticationTypeMethodList, igmpSnpV2CountVlanQueryTx=igmpSnpV2CountVlanQueryTx, dot1xSetup=dot1xSetup, pppoeIaVlanEntryVid=pppoeIaVlanEntryVid, policyRouteProfileEnable=policyRouteProfileEnable, igmpsnpVlanMode=igmpsnpVlanMode, sFlowPortState=sFlowPortState, loopGuardState=loopGuardState, eventInstanceName=eventInstanceName, arpInspectState=arpInspectState, policyRouteRuleSetNextHop=policyRouteRuleSetNextHop, arpInspectFilterVid=arpInspectFilterVid, maxNumberOfStaticRoutes=maxNumberOfStaticRoutes, protoBasedVlanSetup=protoBasedVlanSetup, trTCMPortCIR=trTCMPortCIR, ospfInterfaceTable=ospfInterfaceTable, errdisableTrapMode=errdisableTrapMode, ipStatus=ipStatus, selectiveQinQTable=selectiveQinQTable, cpuProtectionReason=cpuProtectionReason, pppoeIaSetup=pppoeIaSetup, portAuthGuestVlanHostMode=portAuthGuestVlanHostMode, dhcpRelayVid=dhcpRelayVid, loopGuardSetup=loopGuardSetup, mstpNotifications=mstpNotifications, routerRipState=routerRipState, radiusAuthServerSetup=radiusAuthServerSetup, vlanCounterEntry=vlanCounterEntry, clusterManagerEntry=clusterManagerEntry, loadSharingDiscoverTime=loadSharingDiscoverTime, vlanMappingPortState=vlanMappingPortState, ipStatusEntry=ipStatusEntry, zyswdot1agCfmMepTransmitLbmDataTlvSize=zyswdot1agCfmMepTransmitLbmDataTlvSize, tacacsAcctServerSharedSecret=tacacsAcctServerSharedSecret, portIsolationSetup=portIsolationSetup, arpLearningSetup=arpLearningSetup, sysLogTypeFacility=sysLogTypeFacility, sysSerialNumber=sysSerialNumber, dhcpRelay=dhcpRelay, mrstpBridgeMaxAge=mrstpBridgeMaxAge, dot1agCfmMIBObjects=dot1agCfmMIBObjects, brLimitState=brLimitState, fanRpmEntry=fanRpmEntry, mirrorEntry=mirrorEntry, routerVrrpAuthType=routerVrrpAuthType, ipsgEntryIp=ipsgEntryIp, igmpFilteringProfileStartAddress=igmpFilteringProfileStartAddress, arpIpAddr=arpIpAddr, mrstpPortDesignatedPort=mrstpPortDesignatedPort, portOpModePortModuleType=portOpModePortModuleType, authorizationTypeName=authorizationTypeName, arpInspect=arpInspect, radiusAcctServerTable=radiusAcctServerTable, accountingTypeBroadcast=accountingTypeBroadcast, transceiverSerialInfoTable=transceiverSerialInfoTable, pppoeIaVlanEntryRemoteID=pppoeIaVlanEntryRemoteID, globalDhcpRelay=globalDhcpRelay, voltageCurValue=voltageCurValue, outOfBandIp=outOfBandIp, igmpSnpV3CountReportRxDrop=igmpSnpV3CountReportRxDrop, igmpSnpV2CountVlanReportRx=igmpSnpV2CountVlanReportRx, accountingTypeMethod=accountingTypeMethod, routerVrrpDomainTable=routerVrrpDomainTable, mstMapVlans3k=mstMapVlans3k, sFlowPortCollectorSampleRate=sFlowPortCollectorSampleRate, igmpFilteringProfileSetup=igmpFilteringProfileSetup, sysMgmtTftpConfigIndex=sysMgmtTftpConfigIndex, dhcpSnpDbStatLastIgnoreBindCol=dhcpSnpDbStatLastIgnoreBindCol, protoBasedVlanPriority=protoBasedVlanPriority, igmpSnpV3CountVlanQueryRx=igmpSnpV3CountVlanQueryRx, mvrRowStatus=mvrRowStatus, mirrorMonitorPort=mirrorMonitorPort, dhcpSnpDbStatTotalIgnoreBindCol=dhcpSnpDbStatTotalIgnoreBindCol, snmpTrapIPGroup=snmpTrapIPGroup, accessCtlEnable=accessCtlEnable, mvrMode=mvrMode, snmpTrapDestEntry=snmpTrapDestEntry, clusterMemberName=clusterMemberName, portQueuingMethodHybridSpq=portQueuingMethodHybridSpq, tacacsAcctServerIndex=tacacsAcctServerIndex, sysMemoryPoolUsed=sysMemoryPoolUsed, vlanMappingPortEntry=vlanMappingPortEntry, dhcpSnpDbStatLastFailReason=dhcpSnpDbStatLastFailReason, trTCMSetup=trTCMSetup, sysMgmtDefaultConfig=sysMgmtDefaultConfig, ethernetCfmStateSetup=ethernetCfmStateSetup, subnetBasedVlanName=subnetBasedVlanName, transceiverSerialInfoEntryPort=transceiverSerialInfoEntryPort, selectiveQinQPort=selectiveQinQPort, clusterSetup=clusterSetup, rateLimitPortCommitRate=rateLimitPortCommitRate, filterRowStatus=filterRowStatus, trTCMPortDscpYellow=trTCMPortDscpYellow, vlanCounterHCOctets=vlanCounterHCOctets, cpuProtectionRateLimitSet=cpuProtectionRateLimitSet, dhcpSnpVlanEntry=dhcpSnpVlanEntry, snmpUserTable=snmpUserTable, daylightSavingTimeEndDateWeek=daylightSavingTimeEndDateWeek, mstpXstRootPort=mstpXstRootPort, inbandEntryRowStatus=inbandEntryRowStatus, maxNumberOfGlobalDhcpRelayRemoteServer=maxNumberOfGlobalDhcpRelayRemoteServer, dhcpServerPrimaryDNS=dhcpServerPrimaryDNS, ospfLsdbExtLinkCount=ospfLsdbExtLinkCount, vlanCounterHCPkts512to1023Octets=vlanCounterHCPkts512to1023Octets, mstpGenForwardDelay=mstpGenForwardDelay, dhcpSnpBindEntryIP=dhcpSnpBindEntryIP, portSecurityVMLPort=portSecurityVMLPort, brLimitPortDlfRate=brLimitPortDlfRate, sysMgmtTftpActionPrivilege13=sysMgmtTftpActionPrivilege13, filterVid=filterVid, sysMgmtDefaultConfigPrivilege13=sysMgmtDefaultConfigPrivilege13, radiusAuthServerSharedSecret=radiusAuthServerSharedSecret, brLimitPortMcState=brLimitPortMcState, globalDhcpRelayInfoData=globalDhcpRelayInfoData, dhcpSnpDbStatAbortExpiry=dhcpSnpDbStatAbortExpiry, inbandEntrySubnetMask=inbandEntrySubnetMask, ospfNbrExtRqstL=ospfNbrExtRqstL, radiusAcctServerTimeout=radiusAcctServerTimeout, dhcpSnpBindEntryVid=dhcpSnpBindEntryVid, dot3OamSetup=dot3OamSetup, tacacsAuthServerIndex=tacacsAuthServerIndex, ipsgEntryType=ipsgEntryType, mrstpNotifications=mrstpNotifications, pppoeIaVlanEntryRowStatus=pppoeIaVlanEntryRowStatus, snmpSetup=snmpSetup, mrstpPortDesignatedBridge=mrstpPortDesignatedBridge, vlanStackSetup=vlanStackSetup, tagVlanPortIsolationState=tagVlanPortIsolationState, igmpSnpV2CountVlanLeaveTx=igmpSnpV2CountVlanLeaveTx, ospfNbrExtDBsmL=ospfNbrExtDBsmL, protoBasedVlanTable=protoBasedVlanTable, routingStatusMetric=routingStatusMetric, multicastStatusTable=multicastStatusTable, ospfRedistributeRouteState=ospfRedistributeRouteState, policyRouteRuleEntry=policyRouteRuleEntry, ospfSummaryAddress=ospfSummaryAddress, loadSharingCriteria=loadSharingCriteria, igmpSnpV2CountVlanReportRxDrop=igmpSnpV2CountVlanReportRxDrop, arpInspectLogEntry=arpInspectLogEntry, igmpSnpCountTable=igmpSnpCountTable, vlanCounterHCPkts1024to1518Octets=vlanCounterHCPkts1024to1518Octets, privateVLANSetup=privateVLANSetup, sFlowCollectorAddress=sFlowCollectorAddress, errdisable=errdisable, aggrGroupState=aggrGroupState, clusterStatusMemberTable=clusterStatusMemberTable, mstpXstId=mstpXstId, vlanMappingRulePort=vlanMappingRulePort, snmpUserGroup=snmpUserGroup, cpuProtectionTable=cpuProtectionTable, aaaSetup=aaaSetup, pppoeIaAccessNodeIdentifierString=pppoeIaAccessNodeIdentifierString, globalDhcpRelayEnable=globalDhcpRelayEnable, dhcpServerMask=dhcpServerMask, authenticationTypeTable=authenticationTypeTable, sFlowState=sFlowState, transceiverSerialInfoEntryVendor=transceiverSerialInfoEntryVendor, errdisableDetectReasonTable=errdisableDetectReasonTable, portReAuthEntryState=portReAuthEntryState, arpInspectLogReason=arpInspectLogReason, daylightSavingTimeStartDateMonth=daylightSavingTimeStartDateMonth, snmpUserPrivProtocol=snmpUserPrivProtocol, igmpSnpV3CountVlanQueryTx=igmpSnpV3CountVlanQueryTx, pppoeIaFlexibleCircuitIDSyntaxOption=pppoeIaFlexibleCircuitIDSyntaxOption, igmpFilteringProfileEntry=igmpFilteringProfileEntry, vlanCounterHCMulticastPkts=vlanCounterHCMulticastPkts, vlanMappingRuleTable=vlanMappingRuleTable, pppoeIaVlanEntryCircuitID=pppoeIaVlanEntryCircuitID, defaultGateway=defaultGateway, mstMapVlans4k=mstMapVlans4k, securedClientEndIp=securedClientEndIp, routerVrrpStatusEntry=routerVrrpStatusEntry, portSecuritySetup=portSecuritySetup, mrstpRootCost=mrstpRootCost, privateVLANRowStatus=privateVLANRowStatus, staticRouteGateway=staticRouteGateway, protoBasedVlanPacketType=protoBasedVlanPacketType, ospfGeneralExtGroup=ospfGeneralExtGroup, radiusServerSetup=radiusServerSetup, ipsgEntryMac=ipsgEntryMac, clusterStatusManager=clusterStatusManager, mrstpDesignatedRoot=mrstpDesignatedRoot, eventServAffective=eventServAffective, tempEntry=tempEntry, dhcpServerTable=dhcpServerTable, selectiveQinQPriority=selectiveQinQPriority, selectiveQinQRowStatus=selectiveQinQRowStatus, arpInspectLogNumPkt=arpInspectLogNumPkt, arpInspectLogPort=arpInspectLogPort, trTCMMode=trTCMMode, arpInfo=arpInfo, eventClearedTrap=eventClearedTrap, sysMgmtTftpActionStatus=sysMgmtTftpActionStatus, tacacsAuthServerSharedSecret=tacacsAuthServerSharedSecret, dhcpRelayRemoteServerEntry=dhcpRelayRemoteServerEntry, vlanCounterPort=vlanCounterPort, pppoeIaPortVlanEntryPort=pppoeIaPortVlanEntryPort, arpInspectFilterMac=arpInspectFilterMac, aggrGroupCriteria=aggrGroupCriteria, portAuthQuietPeriod=portAuthQuietPeriod, igmpSnpV3CountQueryRx=igmpSnpV3CountQueryRx, routerVrrpInterval=routerVrrpInterval, mrstpBridgeEntry=mrstpBridgeEntry, arpInspectLogClear=arpInspectLogClear) mibBuilder.exportSymbols("ZYXEL-XGS4728F-MIB", mirrorSetup=mirrorSetup, arpInspectFilterPort=arpInspectFilterPort, trTCMPortTable=trTCMPortTable, vlanCounterHCTaggedPkts=vlanCounterHCTaggedPkts, loopGuardPortTable=loopGuardPortTable, daylightSavingTimeStartDateDay=daylightSavingTimeStartDateDay, sysMgmtTftpServerIp=sysMgmtTftpServerIp, routerDomainIpMaskBits=routerDomainIpMaskBits, multicastVlanQueryPort=multicastVlanQueryPort, dateTimeNewDateYear=dateTimeNewDateYear, daylightSavingTimeEndDateHour=daylightSavingTimeEndDateHour, routerVrrpStatusIpAddress=routerVrrpStatusIpAddress, ospfAreaExtName=ospfAreaExtName, mrstpPriority=mrstpPriority, sFlowSetup=sFlowSetup, igmpSnoopingStateSetup=igmpSnoopingStateSetup, macAuthenticationPortState=macAuthenticationPortState, globalDhcpRelayRemoteServerRowStatus=globalDhcpRelayRemoteServerRowStatus, igmpSnpCountPortEntry=igmpSnpCountPortEntry, recovery=recovery, aggrGroupTable=aggrGroupTable, routerVrrpSetup=routerVrrpSetup, igmpSnpV3CountQueryRxDrop=igmpSnpV3CountQueryRxDrop, routingStatusInterface=routingStatusInterface, sysMgmtTftpServiceSetup=sysMgmtTftpServiceSetup, arpInspectStatisticsRequest=arpInspectStatisticsRequest, lldpStateSetup=lldpStateSetup, subnetBasedVlanSrcMaskBit=subnetBasedVlanSrcMaskBit, ctlProtTransTunnelMode=ctlProtTransTunnelMode, trapNotifications=trapNotifications, tacacsAuthServerIpAddr=tacacsAuthServerIpAddr, ctlProtTransTunnelPortTable=ctlProtTransTunnelPortTable, routingStatusDestAddress=routingStatusDestAddress, errdisableRecoveryReasonEntry=errdisableRecoveryReasonEntry, igmpsnp8021pPriority=igmpsnp8021pPriority, igmpSnpV3CountVlanReportRxDrop=igmpSnpV3CountVlanReportRxDrop, mrstpPortEntry=mrstpPortEntry, sysSwYear=sysSwYear, macAuthenticationNamePrefix=macAuthenticationNamePrefix, vlanMappingState=vlanMappingState, clusterManagerVid=clusterManagerVid, fanRpmDescr=fanRpmDescr, routerVrrpName=routerVrrpName, ipsgEntry=ipsgEntry, vlanCounterHCOversizePkts=vlanCounterHCOversizePkts, policyRouteRuleProfileName=policyRouteRuleProfileName, authorizationTypeTable=authorizationTypeTable, ospfNbrExtDeadtime=ospfNbrExtDeadtime, mstpXstPortEntry=mstpXstPortEntry, sysSwModelString=sysSwModelString, macAuthenticationTimeout=macAuthenticationTimeout, tacacsAcctServerIpAddr=tacacsAcctServerIpAddr, loadSharingAgingTime=loadSharingAgingTime, transceiverDdmInfoEntryAlarmMin=transceiverDdmInfoEntryAlarmMin, mstpXstTopologyChangesCount=mstpXstTopologyChangesCount, transceiverSerialInfoEntryTransceiver=transceiverSerialInfoEntryTransceiver, voltageTable=voltageTable, arpInspectPortInterval=arpInspectPortInterval, mirrorState=mirrorState, portQueuingMethodEntry=portQueuingMethodEntry, arpInspectVlanEntry=arpInspectVlanEntry, policyRouteRuleSequence=policyRouteRuleSequence, ospfLsdbExtEntry=ospfLsdbExtEntry, ospfNbrExtTable=ospfNbrExtTable, clusterCandidateModel=clusterCandidateModel, mstMapEntry=mstMapEntry, macAuthenticationPortEntry=macAuthenticationPortEntry, privateVLANName=privateVLANName, mstVlanTable=mstVlanTable, mirrorMirroredState=mirrorMirroredState, products=products, dhcpSnpDbStatLastIgnoreParse=dhcpSnpDbStatLastIgnoreParse, filterEntry=filterEntry, igmpsnpVid=igmpsnpVid, dhcpSnpDbStatFailTrans=dhcpSnpDbStatFailTrans, arpInspectFilterAgingTime=arpInspectFilterAgingTime, globalDhcpRelayRemoteServerTable=globalDhcpRelayRemoteServerTable, pppoeIaVlanEntry=pppoeIaVlanEntry, igmpSnpV3CountPortReportTx=igmpSnpV3CountPortReportTx, routingStatusEntry=routingStatusEntry, ospfSummaryAddrRowStatus=ospfSummaryAddrRowStatus, snmpTrapInterfaceGroup=snmpTrapInterfaceGroup, igmpFilteringProfileEndAddress=igmpFilteringProfileEndAddress, eventDescription=eventDescription, selectiveQinQSpvid=selectiveQinQSpvid, trapSenderNodeId=trapSenderNodeId, mrstpPortAdminEdgePort=mrstpPortAdminEdgePort, multicastPortMaxGroupLimited=multicastPortMaxGroupLimited, arpInspectFilterRowStatus=arpInspectFilterRowStatus, sysMgmtLastActionStatus=sysMgmtLastActionStatus, snmpTrapGroupTable=snmpTrapGroupTable, macAuthenticationPortTable=macAuthenticationPortTable, mstMapIndex=mstMapIndex, dhcpServerPoolSize=dhcpServerPoolSize, mvrVlanID=mvrVlanID, mstVlanIndex=mstVlanIndex, staticRouteTable=staticRouteTable, igmpSnpGroupCountVlanNum=igmpSnpGroupCountVlanNum, clusterStatus=clusterStatus, pppoeIaState=pppoeIaState, arpInspectVlanVid=arpInspectVlanVid, mirrorTable=mirrorTable, tacacsAcctServerEntry=tacacsAcctServerEntry, l2ptPointToPointProtocolGroup=l2ptPointToPointProtocolGroup, transceiverSerialInfoEntryDateCode=transceiverSerialInfoEntryDateCode, multicastVlanStatusTable=multicastVlanStatusTable, trTCMPortEntry=trTCMPortEntry, transceiverDdmInfoEntryWarnMin=transceiverDdmInfoEntryWarnMin, routerDomainVid=routerDomainVid, ospfLsdbExtTable=ospfLsdbExtTable, aggrSystemPriority=aggrSystemPriority, InstanceType=InstanceType, sFlowPortTable=sFlowPortTable, portOpModeSetup=portOpModeSetup, protoBasedVlanPort=protoBasedVlanPort, multicastPortLeaveTimeout=multicastPortLeaveTimeout, ospfSummaryAddrTable=ospfSummaryAddrTable, accountingTypeName=accountingTypeName, igmpSnpCountEntry=igmpSnpCountEntry, rateLimitPortState=rateLimitPortState, mrstpPort=mrstpPort, ospfRedistributeRouteMetric=ospfRedistributeRouteMetric, pppoeIaPortVlanEntryRowStatus=pppoeIaPortVlanEntryRowStatus, igmpSnpV2CountPortReportRxDrop=igmpSnpV2CountPortReportRxDrop, dhcpSnpDhcpVlanVid=dhcpSnpDhcpVlanVid, mrstpSetup=mrstpSetup, multicastStatusGroup=multicastStatusGroup, ospfVirtualLinkEntry=ospfVirtualLinkEntry, routerDomainIpRipDirection=routerDomainIpRipDirection, diffservState=diffservState, arpInspectPortEntry=arpInspectPortEntry, protoBasedVlanVid=protoBasedVlanVid, mrstpRootPort=mrstpRootPort, layer3Setup=layer3Setup, l2ptProtocolGroup=l2ptProtocolGroup, igmpsnpVlanTable=igmpsnpVlanTable, igmpSnpV2CountLeaveTx=igmpSnpV2CountLeaveTx, pppoeIaPortEntryTrust=pppoeIaPortEntryTrust, errdisableRecoverySetup=errdisableRecoverySetup, eventObjects=eventObjects, sysLogServerLogLevel=sysLogServerLogLevel, errdisableTrapReason=errdisableTrapReason, inbandIpEntry=inbandIpEntry, portAuthGuestVlanHostModeMultiSecureNumber=portAuthGuestVlanHostModeMultiSecureNumber, ipsgEntryPort=ipsgEntryPort, authorizationSetup=authorizationSetup, igmpsnpVlanEntry=igmpsnpVlanEntry, mstpGenMaxAge=mstpGenMaxAge, portAuthTable=portAuthTable, staticRouteMetric=staticRouteMetric, cpuProtectionEntry=cpuProtectionEntry, aggrGroupIndex=aggrGroupIndex, authenticationTypeEntry=authenticationTypeEntry, l2ptTable=l2ptTable, dhcpRelayTable=dhcpRelayTable, arpLearningPortTable=arpLearningPortTable, subnetBasedVlanSrcIp=subnetBasedVlanSrcIp, transceiverDdmInfoTable=transceiverDdmInfoTable, accessCtlTable=accessCtlTable, ipStatusIPAddress=ipStatusIPAddress, multicastPortQuerierMode=multicastPortQuerierMode, tacacsAcctServerTable=tacacsAcctServerTable, mstMapTable=mstMapTable, mstpXstPortTable=mstpXstPortTable, outOfBandIpSetup=outOfBandIpSetup, vlanStackTunnelPortTpid=vlanStackTunnelPortTpid, igmpSnpReportProxySetup=igmpSnpReportProxySetup, portAuthGuestVlan=portAuthGuestVlan, dateTimeZone=dateTimeZone, tacacsAcctServerTcpPort=tacacsAcctServerTcpPort, portSecurityPortState=portSecurityPortState, subnetBasedVlanTable=subnetBasedVlanTable, selectiveQinQName=selectiveQinQName, ospfSummaryAddrMaskBit=ospfSummaryAddrMaskBit, policyRouteProfileName=policyRouteProfileName, eventTable=eventTable, mstpXstPortEnable=mstpXstPortEnable, multicastStatusIndex=multicastStatusIndex, dhcpSnpDhcpVlan=dhcpSnpDhcpVlan, selectiveQinQCvid=selectiveQinQCvid, snmpTrapDestPort=snmpTrapDestPort, trapPersistence=trapPersistence, rpVrrpRowStatus=rpVrrpRowStatus, mvrName=mvrName, aggrPortEntry=aggrPortEntry, aggrGroupEntry=aggrGroupEntry, trTCMPortPIR=trTCMPortPIR, clusterCandidates=clusterCandidates, accessCtlTimeout=accessCtlTimeout, multicastStatusEntry=multicastStatusEntry, mvrGroupName=mvrGroupName, ospfInterfaceEntry=ospfInterfaceEntry, portBasedVlanSetup=portBasedVlanSetup, ipsgEntryVid=ipsgEntryVid, arpLearningPortMode=arpLearningPortMode, igmpSnpV3CountReportTx=igmpSnpV3CountReportTx, mrstpBridgeHelloTime=mrstpBridgeHelloTime, rateLimitSetup=rateLimitSetup, transceiverDdmInfoEntryDescription=transceiverDdmInfoEntryDescription, sFlowPortCollectorTable=sFlowPortCollectorTable, sysSwPlatformMajorVers=sysSwPlatformMajorVers, mvrGroupTable=mvrGroupTable, fanRpmMaxValue=fanRpmMaxValue, snmpTrapSwitchGroup=snmpTrapSwitchGroup, protoBasedVlanName=protoBasedVlanName, routerDomainIpRipVersion=routerDomainIpRipVersion, brLimitPortTable=brLimitPortTable, routerVrrpStatus=routerVrrpStatus, sysSwVersionControlNbr=sysSwVersionControlNbr, tempHighThresh=tempHighThresh, subnetBasedVlanState=subnetBasedVlanState, routerDomainSetup=routerDomainSetup, igmpSnpGroupCountStatus=igmpSnpGroupCountStatus, dhcpSnpDbStatLastIgnoreExpireLease=dhcpSnpDbStatLastIgnoreExpireLease, rateLimitState=rateLimitState, igmpSnpV2CountQueryRx=igmpSnpV2CountQueryRx, authorizationTypeMethod=authorizationTypeMethod, vlanTrunkPortTable=vlanTrunkPortTable, igmpSnpV2CountVlanLeaveRxDrop=igmpSnpV2CountVlanLeaveRxDrop, voltageLowThresh=voltageLowThresh, dot3OamPortEntry=dot3OamPortEntry, vlanStackState=vlanStackState, sysInfo=sysInfo, vlanTrunkPortState=vlanTrunkPortState, dhcpSnpDbStatFirstSuccessAccess=dhcpSnpDbStatFirstSuccessAccess, ospfSummaryAddrEntry=ospfSummaryAddrEntry, igmpsnpVlanName=igmpsnpVlanName, esSeries=esSeries, igmpSnpV2CountReportTx=igmpSnpV2CountReportTx, arpInspectLogInterval=arpInspectLogInterval, authorizationTypeActive=authorizationTypeActive, vlanMappingRulePriority=vlanMappingRulePriority, brLimitPortBrState=brLimitPortBrState, portOpModePortIntrusionLock=portOpModePortIntrusionLock, zyswdot1agCfmMepTable=zyswdot1agCfmMepTable, sFlowPortEntry=sFlowPortEntry, rateLimitPortPeakState=rateLimitPortPeakState, eventSeqNum=eventSeqNum, errdisableRecoveryIfStatusTable=errdisableRecoveryIfStatusTable, vlanCounterVlanID=vlanCounterVlanID, routerDomainEntry=routerDomainEntry, pppoeIaVlanTable=pppoeIaVlanTable, macAuthenticationSetup=macAuthenticationSetup, errdisableTrapNotifications=errdisableTrapNotifications, fanRpmIndex=fanRpmIndex, protoBasedVlanState=protoBasedVlanState, arpInspectLogIp=arpInspectLogIp, dhcpServer=dhcpServer, tacacsAuthServerSetup=tacacsAuthServerSetup, sFlowCollectorAddressType=sFlowCollectorAddressType, securedClientEnable=securedClientEnable, policyRouteProfileTable=policyRouteProfileTable, multicastPortSetup=multicastPortSetup) mibBuilder.exportSymbols("ZYXEL-XGS4728F-MIB", mstp=mstp, ospfIfBackupDesignatedRouterID=ospfIfBackupDesignatedRouterID, radiusAcctServerEntry=radiusAcctServerEntry, radiusAcctServerIpAddr=radiusAcctServerIpAddr, filterMacAddr=filterMacAddr, snmpTrapUserName=snmpTrapUserName, portOpModePortLBTestStatus=portOpModePortLBTestStatus, mstpTopologyChange=mstpTopologyChange, ospfLsdbExtRouteAddress=ospfLsdbExtRouteAddress, accessCtlSetup=accessCtlSetup, sysLogTypeIndex=sysLogTypeIndex, ipStatusVid=ipStatusVid, diffservSetup=diffservSetup, dateTimeNewTimeMinute=dateTimeNewTimeMinute, sysMemoryPoolName=sysMemoryPoolName, pppoeIaFlexibleCircuitIDSyntaxActive=pppoeIaFlexibleCircuitIDSyntaxActive, radiusAuthServerTimeout=radiusAuthServerTimeout, arpInspectPortTrust=arpInspectPortTrust, sFlowPortCollectorAddress=sFlowPortCollectorAddress, igmpSnpCountIndex=igmpSnpCountIndex, tempTable=tempTable, ctlProtTransTunnelPortEntry=ctlProtTransTunnelPortEntry, mstpXstEntry=mstpXstEntry, transceiverSerialInfoEntry=transceiverSerialInfoEntry, ospfIfAdjacentNbrCount=ospfIfAdjacentNbrCount, ospfRedistributeRouteType=ospfRedistributeRouteType, mvrPortTagging=mvrPortTagging, clusterMembers=clusterMembers, mrstpHoldTime=mrstpHoldTime, ospfAreaExtTable=ospfAreaExtTable, privateVLANEntry=privateVLANEntry, dateTimeServerType=dateTimeServerType, portOpModePortCX4CableLength=portOpModePortCX4CableLength, dhcpServerGateway=dhcpServerGateway, igmpSnpV2CountVlanReportTx=igmpSnpV2CountVlanReportTx, dhcpSnpDbStat=dhcpSnpDbStat, staticRouteEntry=staticRouteEntry, errdisableRecoveryIfStatusReason=errdisableRecoveryIfStatusReason, multicastVlanStatusVlanID=multicastVlanStatusVlanID, igmpSnpV2CountPortLeaveRxDrop=igmpSnpV2CountPortLeaveRxDrop, clusterCandidateName=clusterCandidateName, clusterStatusRole=clusterStatusRole, tacacsServerSetup=tacacsServerSetup, mstpXstTable=mstpXstTable, portOpModePortTable=portOpModePortTable, portSecurityPortCount=portSecurityPortCount, clusterCandidateTable=clusterCandidateTable, sFlowCollectorRowStatus=sFlowCollectorRowStatus, ospfNbrExtEntry=ospfNbrExtEntry, arpInspectPortRate=arpInspectPortRate, accountingTypeActive=accountingTypeActive, inbandEntryIp=inbandEntryIp, portSecurityState=portSecurityState, igmpSnpCountVlanEntry=igmpSnpCountVlanEntry, dhcpSnp=dhcpSnp, ipStatusType=ipStatusType, snmpSetCommunity=snmpSetCommunity, aggrState=aggrState, mvrPortRole=mvrPortRole, arpInspectVlanStatus=arpInspectVlanStatus, mrstpPortDesignatedRoot=mrstpPortDesignatedRoot, ipSetup=ipSetup, mstpXstInternalRootCost=mstpXstInternalRootCost, aggrGroupDynamicState=aggrGroupDynamicState, ospfVirtualLinkTable=ospfVirtualLinkTable, routerVrrpStatusVRStatus=routerVrrpStatusVRStatus, arpInspectFilterTable=arpInspectFilterTable, portIsolationEntry=portIsolationEntry, arpInspectStatisticsClear=arpInspectStatisticsClear, portOpModePortLinkUpType=portOpModePortLinkUpType, igmpSnpV3CountVlanQueryRxDrop=igmpSnpV3CountVlanQueryRxDrop, subnetBasedVlanEntryState=subnetBasedVlanEntryState, portIsolationState=portIsolationState, igmpSnpV2CountReportRx=igmpSnpV2CountReportRx, mrstpForwardDelay=mrstpForwardDelay, dhcpSnpDbStatSuccWrite=dhcpSnpDbStatSuccWrite, diffservMapDscp=diffservMapDscp, dhcpSnpVlanEntryInfo=dhcpSnpVlanEntryInfo, sysLogSetup=sysLogSetup, ipsgTable=ipsgTable, pppoeIaPortVlanEntry=pppoeIaPortVlanEntry, authenticationTypeName=authenticationTypeName, igmpFilteringMaxNumberOfProfile=igmpFilteringMaxNumberOfProfile, eventName=eventName, trTCMPortDscpGreen=trTCMPortDscpGreen, dhcpSnpDb=dhcpSnpDb, tempMinValue=tempMinValue, snmpTrapSystemGroup=snmpTrapSystemGroup, mstpPortOperEdgePort=mstpPortOperEdgePort, multicastVlanStatusEntry=multicastVlanStatusEntry, accessCtlEntry=accessCtlEntry, multicastStatusVlanID=multicastStatusVlanID, clusterStatusMemberMac=clusterStatusMemberMac, dhcpSnpPortEntryRate=dhcpSnpPortEntryRate, loopGuardPortEntry=loopGuardPortEntry, mstpXstPortDesignatedRoot=mstpXstPortDesignatedRoot, dhcpSnpDbStatStartupFail=dhcpSnpDbStatStartupFail, radiusAuthServerMode=radiusAuthServerMode, igmpSnpCountVlanIndex=igmpSnpCountVlanIndex, clusterMaxNumOfMember=clusterMaxNumOfMember, eventSetTime=eventSetTime, dhcpSnpDbStatTotalIgnoreParse=dhcpSnpDbStatTotalIgnoreParse, portAuthSupplicantTimeout=portAuthSupplicantTimeout, l2ptState=l2ptState, mstpGenCistRootBrid=mstpGenCistRootBrid, sysMgmt=sysMgmt, igmpFilteringProfileTable=igmpFilteringProfileTable, mrstpBridgeIndex=mrstpBridgeIndex, igmpSnpV3CountVlanReportTx=igmpSnpV3CountVlanReportTx, fanRpmMinValue=fanRpmMinValue, mvrSetup=mvrSetup, vlanMappingRuleEntry=vlanMappingRuleEntry, vlanCounterHCPkts=vlanCounterHCPkts, selectiveQinQEntry=selectiveQinQEntry, outOfBandSubnetMask=outOfBandSubnetMask, arpInspectLog=arpInspectLog, radiusAuthServerIpAddr=radiusAuthServerIpAddr, dhcpSnpBindEntryMac=dhcpSnpBindEntryMac, mstpXstBridgeId=mstpXstBridgeId, errdisableDetectReasonEntry=errdisableDetectReasonEntry, routingStatus=routingStatus, maxNumberOfDhcpRelay=maxNumberOfDhcpRelay, eventEventId=eventEventId, authorizationTypeEntry=authorizationTypeEntry, arpInspectLogRate=arpInspectLogRate, igmpSnpV2CountPortLeaveTx=igmpSnpV2CountPortLeaveTx, globalDhcpRelayInfoEnable=globalDhcpRelayInfoEnable, snmpTrapDestTable=snmpTrapDestTable, routingStatusGateway=routingStatusGateway, portOpModePortFlowCntl=portOpModePortFlowCntl, trapInfoObjects=trapInfoObjects, trapSenderStatus=trapSenderStatus, portAuthEntryState=portAuthEntryState, brLimitPortDlfState=brLimitPortDlfState, mstpGenCfgIdCfgDigest=mstpGenCfgIdCfgDigest, dhcpServerSecondaryDNS=dhcpServerSecondaryDNS, vlanMappingSetup=vlanMappingSetup, mstpXstPortIndex=mstpXstPortIndex, vlanMappingRuleVid=vlanMappingRuleVid, securedClientTable=securedClientTable, MstiOrCistInstanceIndex=MstiOrCistInstanceIndex, routerDvmrpState=routerDvmrpState, securedClientStartIp=securedClientStartIp, vlanMappingPortTable=vlanMappingPortTable, mvrTable=mvrTable, portReAuthEntryTimer=portReAuthEntryTimer, arpInspectVlanTable=arpInspectVlanTable, layer2Setup=layer2Setup, daylightSavingTimeStartDateHour=daylightSavingTimeStartDateHour, l2ptMode=l2ptMode, dhcpRelayOption82Enable=dhcpRelayOption82Enable, routerDvmrpThreshold=routerDvmrpThreshold, dhcpSnpPortEntry=dhcpSnpPortEntry, portSecurityVMLMacLimit=portSecurityVMLMacLimit, igmpSnpCountVlanTable=igmpSnpCountVlanTable, igmpSnpCountPortTable=igmpSnpCountPortTable, eventInstanceId=eventInstanceId, errdisableRecoveryTrap=errdisableRecoveryTrap, mvrGroupEntry=mvrGroupEntry, dhcpSnpDbStatTotalIgnoreInvalidIntf=dhcpSnpDbStatTotalIgnoreInvalidIntf, radiusAcctServerUdpPort=radiusAcctServerUdpPort, multicastPortTable=multicastPortTable, dhcpSnpBindEntryLease=dhcpSnpBindEntryLease, portSecurityVMLRowStatus=portSecurityVMLRowStatus, protoBasedVlanEntry=protoBasedVlanEntry, sFlowCollectorEntry=sFlowCollectorEntry, dhcpSnpDbStatTotalIgnoreExpireLease=dhcpSnpDbStatTotalIgnoreExpireLease, globalDhcpRelayRemoteServerIp=globalDhcpRelayRemoteServerIp, igmpSnpGroupCountPortNum=igmpSnpGroupCountPortNum, portIsolationTable=portIsolationTable, stpMode=stpMode, clusterMemberPassword=clusterMemberPassword, arpMacAddr=arpMacAddr, ospfIfNbrCount=ospfIfNbrCount, ospfNbrExtRole=ospfNbrExtRole, maxNumberOfMVR=maxNumberOfMVR, vlanCounterHCPkts64Octets=vlanCounterHCPkts64Octets, arpInspectStatisticsForward=arpInspectStatisticsForward, dateTimeNewDateMonth=dateTimeNewDateMonth, portQueuingMethodTable=portQueuingMethodTable, loadSharing=loadSharing, mstpGenMaxHops=mstpGenMaxHops, arpInspectPortIndex=arpInspectPortIndex, ospfRedistributeRouteTable=ospfRedistributeRouteTable, dhcpRelayRemoteServerRowStatus=dhcpRelayRemoteServerRowStatus, portSecurityMacFreeze=portSecurityMacFreeze, transceiverSerialInfoEntryRevision=transceiverSerialInfoEntryRevision, snmpUserSecurityLevel=snmpUserSecurityLevel, transceiverDdmInfoEntry=transceiverDdmInfoEntry, mrstpState=mrstpState, sFlowCollectorTable=sFlowCollectorTable, routerDomainIpIgmpVersion=routerDomainIpIgmpVersion, hwMonitorInfo=hwMonitorInfo, dateTimeDaylightSavingTimeSetup=dateTimeDaylightSavingTimeSetup, dhcpSnpDbStatAgentRunning=dhcpSnpDbStatAgentRunning, fanRpmCurValue=fanRpmCurValue, igmpSnpV3CountVlanReportRx=igmpSnpV3CountVlanReportRx, errdisableRecoveryIfStatusPort=errdisableRecoveryIfStatusPort, vlanMappingRuleRowStatus=vlanMappingRuleRowStatus, dhcpSnpDbStatTotalAttempt=dhcpSnpDbStatTotalAttempt, faultTrapsMIB=faultTrapsMIB, dhcpRelayRemoteServerTable=dhcpRelayRemoteServerTable, mstpXstTimeSinceTopologyChange=mstpXstTimeSinceTopologyChange, sysMgmtBootupImage=sysMgmtBootupImage, routerVrrpVirtualID=routerVrrpVirtualID, arpInspectLogVid=arpInspectLogVid, mrstpTopologyChange=mrstpTopologyChange, mstpGenCistRootPathCost=mstpGenCistRootPathCost, vlanCounterHCPkts128to255Octets=vlanCounterHCPkts128to255Octets, aggrPortDynamicStateTimeout=aggrPortDynamicStateTimeout, staticRouteRowStatus=staticRouteRowStatus, sysMgmtSystemStatus=sysMgmtSystemStatus, routerVrrpStatusUpLinkStatus=routerVrrpStatusUpLinkStatus, routerVrrpAuthKey=routerVrrpAuthKey, arpInspectVlanLog=arpInspectVlanLog, policyRouteProfileEntry=policyRouteProfileEntry, policyRouteRuleRowStatus=policyRouteRuleRowStatus, trTCMPortDscpRed=trTCMPortDscpRed, transceiverInfo=transceiverInfo, portBasedVlanPortListEntry=portBasedVlanPortListEntry, EventPersistence=EventPersistence, dhcpRelayInfoEnable=dhcpRelayInfoEnable, ospfIfKeyId=ospfIfKeyId, accessCtlServicePort=accessCtlServicePort, mstpGenHelloTime=mstpGenHelloTime, brLimitPortMcRate=brLimitPortMcRate, inbandEntryVid=inbandEntryVid, errdisableRecoveryReason=errdisableRecoveryReason, accountingTypePrivilege=accountingTypePrivilege, igmpsnpVlanRowStatus=igmpsnpVlanRowStatus, ospfIfHelloDueTime=ospfIfHelloDueTime, igmpSnpV2CountVlanQueryRx=igmpSnpV2CountVlanQueryRx, arpEntry=arpEntry, portQueuingMethodHybridSpqTable=portQueuingMethodHybridSpqTable, routerVrrpMaxNumber=routerVrrpMaxNumber, zyswdot1agCfmMepEntry=zyswdot1agCfmMepEntry, cpuProtectionPort=cpuProtectionPort, sysMgmtTftpAction=sysMgmtTftpAction, l2ptSetup=l2ptSetup, dhcpServerVid=dhcpServerVid, clusterMemberMac=clusterMemberMac, mrstpPortOperEdgePort=mrstpPortOperEdgePort, eventSeverity=eventSeverity, ospfDistance=ospfDistance, accountingSetup=accountingSetup, sysSwDay=sysSwDay, dhcpSnpDbStatFirstSuccAccess=dhcpSnpDbStatFirstSuccAccess, dhcpRelayInfoData=dhcpRelayInfoData, dateTimeNewTimeHour=dateTimeNewTimeHour, dhcpSnpBindTable=dhcpSnpBindTable, arpInspectLogTime=arpInspectLogTime, tacacsAuthServerTable=tacacsAuthServerTable, multicastPortEntry=multicastPortEntry, igmpSnpV3CountReportRx=igmpSnpV3CountReportRx) mibBuilder.exportSymbols("ZYXEL-XGS4728F-MIB", igmpFilteringProfileRowStatus=igmpFilteringProfileRowStatus, sysMemoryPoolTotal=sysMemoryPoolTotal, igmpSnpV3CountPortQueryRx=igmpSnpV3CountPortQueryRx, sysLogTypeTable=sysLogTypeTable, reservedMulticastFrameForwarding=reservedMulticastFrameForwarding, clusterStatusMemberName=clusterStatusMemberName, filterActionState=filterActionState, routerRipDistance=routerRipDistance, igmpSnpV2CountPortReportTx=igmpSnpV2CountPortReportTx, vlanCounterTimeout=vlanCounterTimeout, pppoeIaPortVlanEntryRemoteIDString=pppoeIaPortVlanEntryRemoteIDString, portSecurityVMLVID=portSecurityVMLVID, dhcpSnpDbStatLastSuccTime=dhcpSnpDbStatLastSuccTime, xgs4728f=xgs4728f, portBasedVlanPortListMembers=portBasedVlanPortListMembers, transceiverDdmInfoEntryWarnMax=transceiverDdmInfoEntryWarnMax, mvrEntry=mvrEntry, ospfIfMaskbits=ospfIfMaskbits, arpInspectFilterClear=arpInspectFilterClear, clusterMemberRowStatus=clusterMemberRowStatus, eventInstanceType=eventInstanceType, radiusAcctServerSetup=radiusAcctServerSetup, brLimitPortBrRate=brLimitPortBrRate, snmpTrapVersion=snmpTrapVersion, transceiverDdmInfoEntryAlarmMax=transceiverDdmInfoEntryAlarmMax, eventOnTrap=eventOnTrap, ospfVirtualLinkKeyId=ospfVirtualLinkKeyId, ospfIfDesignatedRouterID=ospfIfDesignatedRouterID, portAuthMaxRequest=portAuthMaxRequest, dhcpRelayRemoteServerIp=dhcpRelayRemoteServerIp, vlanCounterTable=vlanCounterTable, sysMgmtConfigSavePrivilege13=sysMgmtConfigSavePrivilege13, arpTable=arpTable, multicastGrpHostTimeout=multicastGrpHostTimeout, maxNumberOfDhcpRelayRemoteServer=maxNumberOfDhcpRelayRemoteServer, tacacsAcctServerSetup=tacacsAcctServerSetup, snmpTrapDestIP=snmpTrapDestIP, rateLimitPortPeakRate=rateLimitPortPeakRate, arpInspectStatisticsReceived=arpInspectStatisticsReceived, mrstpTopChanges=mrstpTopChanges, portAuthState=portAuthState, snmpGetCommunity=snmpGetCommunity, policyRouteRuleCalssifier=policyRouteRuleCalssifier, pppoeIaPortVlanEntryVid=pppoeIaPortVlanEntryVid, ospfNbrExtInterface=ospfNbrExtInterface, globalDhcpRelayOption82Enable=globalDhcpRelayOption82Enable, mrstpPortTable=mrstpPortTable, ipsgEntryState=ipsgEntryState, sFlowPortCollectorPollInterval=sFlowPortCollectorPollInterval, dhcpRelayEntry=dhcpRelayEntry, mrstpPortOnBridgeIndex=mrstpPortOnBridgeIndex, mstMapVlans2k=mstMapVlans2k, staticRouteSetup=staticRouteSetup, ospfLsdbExtRouteMaskbits=ospfLsdbExtRouteMaskbits, clusterStatusMemberEntry=clusterStatusMemberEntry, rateLimitPortEgrRate=rateLimitPortEgrRate, tacacsAuthServerTimeout=tacacsAuthServerTimeout, errdisableDetectReasonEnable=errdisableDetectReasonEnable, rateLimitPortTable=rateLimitPortTable, multicastPortMaxOfGroup=multicastPortMaxOfGroup, mrstpPortForwardTransitions=mrstpPortForwardTransitions, arpInspectLogMac=arpInspectLogMac, arpInspectStatisticsEntry=arpInspectStatisticsEntry, pppoe=pppoe, mrstpMaxAge=mrstpMaxAge, mstpXstPortXstId=mstpXstPortXstId, staticRouteIp=staticRouteIp, errdisableDetectReason=errdisableDetectReason, portQueuingMethodWeight=portQueuingMethodWeight, clusterManagerRowStatus=clusterManagerRowStatus, igmpFilteringStateSetup=igmpFilteringStateSetup, dhcpSnpVlanEntryEnable=dhcpSnpVlanEntryEnable, faultMIB=faultMIB, igmpSnpV2CountLeaveRx=igmpSnpV2CountLeaveRx, routerDomainIpEntry=routerDomainIpEntry, voltageMinValue=voltageMinValue, arpInspectStatisticsVid=arpInspectStatisticsVid, privateVLANVid=privateVLANVid, routerVrrpStatusVirtualID=routerVrrpStatusVirtualID, unknownMulticastFrameForwarding=unknownMulticastFrameForwarding, dhcpSnpDbStatFailRead=dhcpSnpDbStatFailRead, routerIgmpState=routerIgmpState, errdisableDetectReasonMode=errdisableDetectReasonMode, rateLimitPortCommitState=rateLimitPortCommitState, dhcpSnpDbStatLastIgnoreUnsuppVlan=dhcpSnpDbStatLastIgnoreUnsuppVlan, trapRefSeqNum=trapRefSeqNum, queuingMethodSetup=queuingMethodSetup, igmpSnpV2CountPortLeaveRx=igmpSnpV2CountPortLeaveRx, mstpXstPortPriority=mstpXstPortPriority, sysMemoryPoolUtil=sysMemoryPoolUtil, arpInspectFilterEntry=arpInspectFilterEntry, globalDhcpRelayRemoteServerEntry=globalDhcpRelayRemoteServerEntry, arpInspectFilterReason=arpInspectFilterReason, igmpSnpV2CountVlanQueryRxDrop=igmpSnpV2CountVlanQueryRxDrop, policyRouteRuleTable=policyRouteRuleTable, vlanStackPortMode=vlanStackPortMode, sysMgmtBootupConfig=sysMgmtBootupConfig, portQueuingMethodHybridSpqEntry=portQueuingMethodHybridSpqEntry, mvrGroupEndAddress=mvrGroupEndAddress, clusterMemberModel=clusterMemberModel, mrstpHelloTime=mrstpHelloTime, mrstpPortState=mrstpPortState, dhcpServerEntry=dhcpServerEntry, multicastStatus=multicastStatus, ctlProtTransSetup=ctlProtTransSetup, mvrPortTable=mvrPortTable, dot1agCfmSetup=dot1agCfmSetup, tempMaxValue=tempMaxValue, sFlowCollectorUdpPort=sFlowCollectorUdpPort, sysLogServerAddress=sysLogServerAddress, igmpSnpV3CountPortReportRxDrop=igmpSnpV3CountPortReportRxDrop, voltageIndex=voltageIndex, sysSwPlatformMinorVers=sysSwPlatformMinorVers, snmpTrapAAAGroup=snmpTrapAAAGroup, eventInstanceIdNumber=eventInstanceIdNumber, filterTable=filterTable, mstMapRowStatus=mstMapRowStatus, staticRouteName=staticRouteName, arpInspectLogEntries=arpInspectLogEntries, mstpGenCfgIdName=mstpGenCfgIdName, vlanStackPortTable=vlanStackPortTable, portAuthGuestVlanState=portAuthGuestVlanState, tacacsAuthServerMode=tacacsAuthServerMode, dhcpSnpDbStatFailWrite=dhcpSnpDbStatFailWrite, dot3OamFunctionsSupported=dot3OamFunctionsSupported, mstpGenCfgIdRevLevel=mstpGenCfgIdRevLevel, igmpSnpV2CountQueryRxDrop=igmpSnpV2CountQueryRxDrop, daylightSavingTimeState=daylightSavingTimeState, maxNumberOfDhcpServers=maxNumberOfDhcpServers, clusterManagerTable=clusterManagerTable, vlanCounterRowStatus=vlanCounterRowStatus, errdisableRecoveryState=errdisableRecoveryState, voltageEntry=voltageEntry, igmpSnpV2CountPortQueryRx=igmpSnpV2CountPortQueryRx, transceiverSerialInfoEntryPartNo=transceiverSerialInfoEntryPartNo, dot3OamState=dot3OamState, routerVrrpUplinkGateway=routerVrrpUplinkGateway, transceiverDdmInfoEntryCurrent=transceiverDdmInfoEntryCurrent, sysHwMinorVers=sysHwMinorVers, sysLogServerRowStatus=sysLogServerRowStatus, mstpGenState=mstpGenState, pppoeIaPortEntryRemoteIDString=pppoeIaPortEntryRemoteIDString, arpInspectStatisticsDrop=arpInspectStatisticsDrop, daylightSavingTimeStartDateWeek=daylightSavingTimeStartDateWeek, policyRouteSetup=policyRouteSetup, dhcpSnpVlanEntryVid=dhcpSnpVlanEntryVid, dot3OamPortTable=dot3OamPortTable, dhcpSnpDbStatSuccRead=dhcpSnpDbStatSuccRead, pppoeIaPortEntry=pppoeIaPortEntry, igmpSnpV2CountPortReportRx=igmpSnpV2CountPortReportRx, dhcpSnpPortEntryPort=dhcpSnpPortEntryPort, dhcpSnpDbWriteDelay=dhcpSnpDbWriteDelay, tempCurValue=tempCurValue, clusterMemberTable=clusterMemberTable, sysLogServerEntry=sysLogServerEntry, arpMacVid=arpMacVid, snmpVersion=snmpVersion, daylightSavingTimeEndDateDay=daylightSavingTimeEndDateDay, dhcpSnpDbStatDelayExpiry=dhcpSnpDbStatDelayExpiry, mstVlanMstIndex=mstVlanMstIndex, vlanMappingRuleName=vlanMappingRuleName, portOpModePortEntry=portOpModePortEntry, ipStatusPort=ipStatusPort, pppoeIaPortEntryCircuitIDString=pppoeIaPortEntryCircuitIDString, diffservPortState=diffservPortState, dhcpSnpBindEntry=dhcpSnpBindEntry, dhcpSetup=dhcpSetup, portAuthTxPeriod=portAuthTxPeriod, portSecurityPortLearnState=portSecurityPortLearnState, UtcTimeStamp=UtcTimeStamp, subnetBasedVlanPriority=subnetBasedVlanPriority, sysLogTypeName=sysLogTypeName, dot1agCfmMep=dot1agCfmMep, pppoeIaPortTable=pppoeIaPortTable, maxNumberOfMvrGroup=maxNumberOfMvrGroup, brLimitPortEntry=brLimitPortEntry, arpInspectLogTable=arpInspectLogTable, mstpXstBridgePriority=mstpXstBridgePriority, pppoeIaPortVlanTable=pppoeIaPortVlanTable, accountingTypeEntry=accountingTypeEntry, vlanStackPortEntry=vlanStackPortEntry, mstMapVlans1k=mstMapVlans1k, portQueuingMethodMode=portQueuingMethodMode, tacacsAuthServerTcpPort=tacacsAuthServerTcpPort, diffservMapPriority=diffservMapPriority, mstpPortAdminEdgePort=mstpPortAdminEdgePort, vlanCounterSetup=vlanCounterSetup, sysMemoryPoolEntry=sysMemoryPoolEntry, routerVrrpStatusTable=routerVrrpStatusTable, mstpXstPortPathCost=mstpXstPortPathCost, arpInspectPortTable=arpInspectPortTable, dhcpSnpDbStatTotalIgnoreUnsuppVlan=dhcpSnpDbStatTotalIgnoreUnsuppVlan, mvrPortEntry=mvrPortEntry, dhcpSnpVlanTable=dhcpSnpVlanTable, policyRouteProfileRowStatus=policyRouteProfileRowStatus, ospfNbrExtRXmtL=ospfNbrExtRXmtL, sFlowPortCollectorAddressType=sFlowPortCollectorAddressType, routerVrrpPrimaryVirtualIP=routerVrrpPrimaryVirtualIP, mstpXstPortDesignatedCost=mstpXstPortDesignatedCost, routingStatusDestMaskbits=routingStatusDestMaskbits, sysHwMajorVers=sysHwMajorVers, dateTimeServerIP=dateTimeServerIP, igmpSnpV3CountPortReportRx=igmpSnpV3CountPortReportRx, voltageDescr=voltageDescr, mvr8021pPriority=mvr8021pPriority, mrstpPortEnable=mrstpPortEnable, dhcpServerStartAddr=dhcpServerStartAddr, defaultMgmt=defaultMgmt, multicastPortFastLeaveTimeout=multicastPortFastLeaveTimeout, mstpPortTable=mstpPortTable, l2ptMacAddr=l2ptMacAddr, routerVrrpStatusIpMaskBits=routerVrrpStatusIpMaskBits, radiusAuthServerTable=radiusAuthServerTable, arpInspectFilterExpiry=arpInspectFilterExpiry, macAuthenticationState=macAuthenticationState, smartIsolationState=smartIsolationState, sysMemoryPoolTable=sysMemoryPoolTable, ctlProtTransState=ctlProtTransState, voltageMaxValue=voltageMaxValue, subnetBasedVlanVid=subnetBasedVlanVid, pppoeIaPortEntryPort=pppoeIaPortEntryPort, voltageNominalValue=voltageNominalValue, sysLogTypeState=sysLogTypeState, errdisableTrapInfoObject=errdisableTrapInfoObject, sFlowPortCollectorRowStatus=sFlowPortCollectorRowStatus, mstpXstPortDesignatedPort=mstpXstPortDesignatedPort, snmpTrapCommunity=snmpTrapCommunity, igmpSnpGroupCountVlanEntry=igmpSnpGroupCountVlanEntry, dhcpSnpPortTable=dhcpSnpPortTable, protoBasedVlanEtherType=protoBasedVlanEtherType, dateTimeNewDateDay=dateTimeNewDateDay, sysMemoryPool=sysMemoryPool, multicastPortLeaveMode=multicastPortLeaveMode, mrstpProtocolSpecification=mrstpProtocolSpecification, outOfBandGateway=outOfBandGateway, radiusAcctServerSharedSecret=radiusAcctServerSharedSecret, ipsg=ipsg, sFlowPortCollectorEntry=sFlowPortCollectorEntry, snmpUserEntry=snmpUserEntry, maxNumOfInbandIp=maxNumOfInbandIp, securedClientService=securedClientService, fanRpmLowThresh=fanRpmLowThresh, snmpTrapDestRowStatus=snmpTrapDestRowStatus, igmpSnpGroupCountPortEntry=igmpSnpGroupCountPortEntry, snmpUserName=snmpUserName, mstpXstPortState=mstpXstPortState, igmpSnpV2CountVlanLeaveRx=igmpSnpV2CountVlanLeaveRx, arpInspectStatus=arpInspectStatus, sysSwMonth=sysSwMonth, portAuthEntry=portAuthEntry, aggrPortGroup=aggrPortGroup, mirrorDirection=mirrorDirection, clusterManagerName=clusterManagerName) mibBuilder.exportSymbols("ZYXEL-XGS4728F-MIB", loopGuardPortState=loopGuardPortState, mstpGen=mstpGen, authenticationSetup=authenticationSetup, accountingTypeTable=accountingTypeTable, portSecurityPortEntry=portSecurityPortEntry, arpIndex=arpIndex, errdisableTrapPort=errdisableTrapPort, igmpSnpGroupCountPortTable=igmpSnpGroupCountPortTable, vlanStackPortVid=vlanStackPortVid, dateTimeSetup=dateTimeSetup, mvrGroupStartAddress=mvrGroupStartAddress, routerVrrpEntry=routerVrrpEntry, portQueuingMethodQueue=portQueuingMethodQueue, filterSetup=filterSetup, diffservPortTable=diffservPortTable, dhcpSnpDbUrlRenew=dhcpSnpDbUrlRenew, diffservPortEntry=diffservPortEntry, arpInspectStatisticsTable=arpInspectStatisticsTable, errdisableRecoveryReasonTable=errdisableRecoveryReasonTable, dhcpSnpPortEntryTrust=dhcpSnpPortEntryTrust, dhcpVlanOverrideState=dhcpVlanOverrideState, brLimitSetup=brLimitSetup, macAuthenticationPassword=macAuthenticationPassword, trTCMPortState=trTCMPortState, ospfRedistributeRouteProtocol=ospfRedistributeRouteProtocol, errdisableDetectTrap=errdisableDetectTrap, dnsIpAddress=dnsIpAddress, multicastStatusPort=multicastStatusPort, mstpNewRoot=mstpNewRoot, portOpModePortCounterReset=portOpModePortCounterReset, privateVLANPromiscuousPorts=privateVLANPromiscuousPorts, pppoeIaPortVlanEntryCircuitIDString=pppoeIaPortVlanEntryCircuitIDString, igmpSnpGroupCountNum=igmpSnpGroupCountNum, sysMgmtCPUUsage=sysMgmtCPUUsage, clusterManager=clusterManager, mrstpBridgeTable=mrstpBridgeTable, multicastPortThrottlingAction=multicastPortThrottlingAction, pppoeIaFlexibleCircuitIDSyntaxIdentifierString=pppoeIaFlexibleCircuitIDSyntaxIdentifierString, routerVrrpPreempt=routerVrrpPreempt, accessCtlService=accessCtlService, securedClientEntry=securedClientEntry, arpInspectStatisticsReply=arpInspectStatisticsReply, igmpSnpV2CountReportRxDrop=igmpSnpV2CountReportRxDrop, routerDomainIpAddress=routerDomainIpAddress, routerDomainTable=routerDomainTable, ipStatusTable=ipStatusTable, stpState=stpState, sysLogTypeEntry=sysLogTypeEntry, tacacsAuthServerEntry=tacacsAuthServerEntry, transceiverSerialInfoEntrySerialNo=transceiverSerialInfoEntrySerialNo, igmpSnpV2CountQueryTx=igmpSnpV2CountQueryTx, routerVrrpSecondaryVirtualIP=routerVrrpSecondaryVirtualIP, mrstpTimeSinceTopologyChange=mrstpTimeSinceTopologyChange, portOpModePortSpeedDuplex=portOpModePortSpeedDuplex, vlanStackPortPrio=vlanStackPortPrio, dhcpSnpVlanEntryOption82Enable=dhcpSnpVlanEntryOption82Enable, inbandIpTable=inbandIpTable, vlanMappingRuleTransVid=vlanMappingRuleTransVid, clusterMemberEntry=clusterMemberEntry, mrstpBridgeForwardDelay=mrstpBridgeForwardDelay, transceiverDdmInfoEntryPort=transceiverDdmInfoEntryPort, sysMgmtConfigSave=sysMgmtConfigSave, ospfExt=ospfExt, errdisableRecoveryReasonActive=errdisableRecoveryReasonActive, routerVrrpPriority=routerVrrpPriority, rateLimitPortEntry=rateLimitPortEntry, l2ptEntry=l2ptEntry, detect=detect, igmpSnpV2CountLeaveRxDrop=igmpSnpV2CountLeaveRxDrop, igmpsnpQuerierMode=igmpsnpQuerierMode, routingStatusType=routingStatusType, aggrSetup=aggrSetup, tempIndex=tempIndex, transceiverSerialInfoEntryStatus=transceiverSerialInfoEntryStatus, EventIdNumber=EventIdNumber, diffservMapEntry=diffservMapEntry, subnetBasedVlanSetup=subnetBasedVlanSetup, eventEntry=eventEntry, portOpModePortName=portOpModePortName, mstpPortEntry=mstpPortEntry, pppoeIaFlexibleCircuitIDSyntaxDelimiter=pppoeIaFlexibleCircuitIDSyntaxDelimiter, staticRouteMask=staticRouteMask, routerDomainIpTable=routerDomainIpTable, ipsgEntryLease=ipsgEntryLease, clusterStatusMemberStatus=clusterStatusMemberStatus, errdisableRecoveryReasonInterval=errdisableRecoveryReasonInterval, dhcpSnpBindEntryPort=dhcpSnpBindEntryPort, mrstpPortDesignatedCost=mrstpPortDesignatedCost, dhcpSnpDbStatSuccTrans=dhcpSnpDbStatSuccTrans, accessSwitch=accessSwitch, sysMgmtTftpRemoteFileName=sysMgmtTftpRemoteFileName, vlanTrunkPortEntry=vlanTrunkPortEntry, accountingUpdatePeriod=accountingUpdatePeriod, vlanTrunkSetup=vlanTrunkSetup, igmpSnpGroupCountVlanIndex=igmpSnpGroupCountVlanIndex, dhcpSnpDbUrl=dhcpSnpDbUrl, clusterCandidateMac=clusterCandidateMac, ospfAreaExtEntry=ospfAreaExtEntry, clusterCandidateEntry=clusterCandidateEntry, dhcpServerRowStatus=dhcpServerRowStatus, fanRpmTable=fanRpmTable, errdisableRecoveryIfStatusTimeToRecover=errdisableRecoveryIfStatusTimeToRecover, accountingTypeMode=accountingTypeMode, diffservMapTable=diffservMapTable, mstpXstPortDesignatedBridge=mstpXstPortDesignatedBridge, EventServiceAffective=EventServiceAffective, ospfVirtualLinkName=ospfVirtualLinkName, vlanCounterHCPkts256to511Octets=vlanCounterHCPkts256to511Octets, mstpPortIndex=mstpPortIndex, arpLearningPortEntry=arpLearningPortEntry, daylightSavingTimeEndDateMonth=daylightSavingTimeEndDateMonth, snmpTrapGroupEntry=snmpTrapGroupEntry, dhcpSnpBindEntryType=dhcpSnpBindEntryType, igmpSnpGroupCountVlanTable=igmpSnpGroupCountVlanTable, vlanCounterHCPkts65to127Octets=vlanCounterHCPkts65to127Octets, multicastVlanStatusType=multicastVlanStatusType, portSecurityPortTable=portSecurityPortTable, vlanTypeSetup=vlanTypeSetup, subnetBasedVlanEntry=subnetBasedVlanEntry, routingStatusTable=routingStatusTable, tacacsAcctServerTimeout=tacacsAcctServerTimeout, zyxel=zyxel, clusterMaxNumOfManager=clusterMaxNumOfManager)
(integer, object_identifier, octet_string) = mibBuilder.importSymbols('ASN1', 'Integer', 'ObjectIdentifier', 'OctetString') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (value_size_constraint, constraints_intersection, value_range_constraint, single_value_constraint, constraints_union) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueSizeConstraint', 'ConstraintsIntersection', 'ValueRangeConstraint', 'SingleValueConstraint', 'ConstraintsUnion') (timeout, dot1d_base_port, bridge_id) = mibBuilder.importSymbols('BRIDGE-MIB', 'Timeout', 'dot1dBasePort', 'BridgeId') (operation_response_status,) = mibBuilder.importSymbols('DISMAN-PING-MIB', 'OperationResponseStatus') (dot1ag_cfm_md_index, dot1ag_cfm_mep_identifier, dot1ag_cfm_ma_index) = mibBuilder.importSymbols('IEEE8021-CFM-MIB', 'dot1agCfmMdIndex', 'dot1agCfmMepIdentifier', 'dot1agCfmMaIndex') (if_index, interface_index_or_zero) = mibBuilder.importSymbols('IF-MIB', 'ifIndex', 'InterfaceIndexOrZero') (inet_address_type, inet_address) = mibBuilder.importSymbols('INET-ADDRESS-MIB', 'InetAddressType', 'InetAddress') (ospf_virt_if_area_id, ospf_area_id, ospf_lsdb_area_id, ospf_virt_if_neighbor, ospf_nbr_address_less_index, ospf_lsdb_type, ospf_nbr_ip_addr, ospf_lsdb_router_id, ospf_address_less_if, ospf_if_ip_address, ospf_lsdb_lsid) = mibBuilder.importSymbols('OSPF-MIB', 'ospfVirtIfAreaId', 'ospfAreaId', 'ospfLsdbAreaId', 'ospfVirtIfNeighbor', 'ospfNbrAddressLessIndex', 'ospfLsdbType', 'ospfNbrIpAddr', 'ospfLsdbRouterId', 'ospfAddressLessIf', 'ospfIfIpAddress', 'ospfLsdbLsid') (enabled_status,) = mibBuilder.importSymbols('P-BRIDGE-MIB', 'EnabledStatus') (port_list,) = mibBuilder.importSymbols('Q-BRIDGE-MIB', 'PortList') (snmp_admin_string,) = mibBuilder.importSymbols('SNMP-FRAMEWORK-MIB', 'SnmpAdminString') (notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance') (sys_object_id,) = mibBuilder.importSymbols('SNMPv2-MIB', 'sysObjectID') (gauge32, ip_address, counter64, counter32, module_identity, mib_scalar, mib_table, mib_table_row, mib_table_column, unsigned32, mib_identifier, iso, notification_type, bits, object_identity, time_ticks, enterprises, integer32) = mibBuilder.importSymbols('SNMPv2-SMI', 'Gauge32', 'IpAddress', 'Counter64', 'Counter32', 'ModuleIdentity', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Unsigned32', 'MibIdentifier', 'iso', 'NotificationType', 'Bits', 'ObjectIdentity', 'TimeTicks', 'enterprises', 'Integer32') (truth_value, textual_convention, row_status, storage_type, mac_address, display_string, date_and_time) = mibBuilder.importSymbols('SNMPv2-TC', 'TruthValue', 'TextualConvention', 'RowStatus', 'StorageType', 'MacAddress', 'DisplayString', 'DateAndTime') zyxel = mib_identifier((1, 3, 6, 1, 4, 1, 890)) products = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1)) access_switch = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5)) es_series = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8)) xgs4728f = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46)) zyxel_xgs4728f_mib = module_identity((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46)) sys_info = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 1)) rate_limit_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 2)) br_limit_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 3)) port_security_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 4)) vlan_trunk_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 5)) ctl_prot_trans_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 6)) vlan_stack_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 7)) dot1x_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 8)) hw_monitor_info = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9)) snmp_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10)) date_time_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11)) sys_mgmt = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12)) layer2_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13)) ip_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 14)) filter_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 15)) mirror_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 16)) aggr_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 17)) access_ctl_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 18)) queuing_method_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 19)) dhcp_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20)) arp_info = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 22)) port_op_mode_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 23)) port_based_vlan_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 24)) multicast_port_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 25)) multicast_status = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26)) igmp_filtering_profile_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 27)) mvr_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28)) cluster_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29)) fault_mib = module_identity((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 30)) fault_traps_mib = module_identity((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 31)) proto_based_vlan_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 32)) sys_log_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 33)) diffserv_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 34)) layer3_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 35)) router_vrrp_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 36)) router_vrrp_status = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 37)) router_domain_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 38)) ip_status = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 39)) ospf_ext = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41)) mrstp = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42)) dhcp_snp = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100)) ipsg = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 101)) arp_inspect = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102)) tr_tcm_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 103)) loop_guard_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 104)) subnet_based_vlan_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 105)) mac_authentication_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 106)) mstp = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107)) radius_server_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 108)) tacacs_server_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 109)) aaa_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110)) port_isolation_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 112)) l2pt_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 115)) vlan_mapping_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 116)) transceiver_info = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117)) dot3_oam_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 118)) dot1ag_cfm_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 119)) vlan_counter_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122)) sys_memory_pool = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 124)) pppoe = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125)) arp_learning_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 126)) static_route_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 127)) routing_status = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 128)) errdisable = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130)) cpu_protection_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 131)) policy_route_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 132)) private_vlan_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 133)) s_flow_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 134)) sys_sw_platform_major_vers = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 1, 1), integer32()).setMaxAccess('readonly') sys_sw_platform_minor_vers = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 1, 2), integer32()).setMaxAccess('readonly') sys_sw_model_string = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 1, 3), display_string()).setMaxAccess('readonly') sys_sw_version_control_nbr = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 1, 4), integer32()).setMaxAccess('readonly') sys_sw_day = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 1, 5), integer32()).setMaxAccess('readonly') sys_sw_month = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 1, 6), integer32()).setMaxAccess('readonly') sys_sw_year = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 1, 7), integer32()).setMaxAccess('readonly') sys_hw_major_vers = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 1, 8), integer32()).setMaxAccess('readonly') sys_hw_minor_vers = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 1, 9), integer32()).setMaxAccess('readonly') sys_serial_number = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 1, 10), display_string()).setMaxAccess('readonly') rate_limit_state = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 2, 1), enabled_status()).setMaxAccess('readwrite') rate_limit_port_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 2, 2)) rate_limit_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 2, 2, 1)).setIndexNames((0, 'BRIDGE-MIB', 'dot1dBasePort')) rate_limit_port_state = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 2, 2, 1, 1), enabled_status()).setMaxAccess('readwrite') rate_limit_port_commit_rate = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 2, 2, 1, 2), integer32()).setMaxAccess('readwrite') rate_limit_port_peak_rate = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 2, 2, 1, 3), integer32()).setMaxAccess('readwrite') rate_limit_port_egr_rate = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 2, 2, 1, 4), integer32()).setMaxAccess('readwrite') rate_limit_port_peak_state = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 2, 2, 1, 5), enabled_status()).setMaxAccess('readwrite') rate_limit_port_egr_state = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 2, 2, 1, 6), enabled_status()).setMaxAccess('readwrite') rate_limit_port_commit_state = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 2, 2, 1, 7), enabled_status()).setMaxAccess('readwrite') br_limit_state = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 3, 1), enabled_status()).setMaxAccess('readwrite') br_limit_port_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 3, 2)) br_limit_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 3, 2, 1)).setIndexNames((0, 'BRIDGE-MIB', 'dot1dBasePort')) br_limit_port_br_state = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 3, 2, 1, 1), enabled_status()).setMaxAccess('readwrite') br_limit_port_br_rate = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 3, 2, 1, 2), integer32()).setMaxAccess('readwrite') br_limit_port_mc_state = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 3, 2, 1, 3), enabled_status()).setMaxAccess('readwrite') br_limit_port_mc_rate = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 3, 2, 1, 4), integer32()).setMaxAccess('readwrite') br_limit_port_dlf_state = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 3, 2, 1, 5), enabled_status()).setMaxAccess('readwrite') br_limit_port_dlf_rate = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 3, 2, 1, 6), integer32()).setMaxAccess('readwrite') port_security_state = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 4, 1), enabled_status()).setMaxAccess('readwrite') port_security_port_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 4, 2)) port_security_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 4, 2, 1)).setIndexNames((0, 'BRIDGE-MIB', 'dot1dBasePort')) port_security_port_state = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 4, 2, 1, 1), enabled_status()).setMaxAccess('readwrite') port_security_port_learn_state = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 4, 2, 1, 2), enabled_status()).setMaxAccess('readwrite') port_security_port_count = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 4, 2, 1, 3), integer32()).setMaxAccess('readwrite') port_security_mac_freeze = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 4, 3), port_list()).setMaxAccess('readwrite') port_security_vml_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 4, 4)) port_security_vml_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 4, 4, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'portSecurityVMLPort'), (0, 'ZYXEL-XGS4728F-MIB', 'portSecurityVMLVID')) port_security_vml_port = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 4, 4, 1, 1), integer32()).setMaxAccess('readonly') port_security_vmlvid = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 4, 4, 1, 2), integer32()).setMaxAccess('readonly') port_security_vml_mac_limit = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 4, 4, 1, 3), integer32()).setMaxAccess('readwrite') port_security_vml_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 4, 4, 1, 4), row_status()).setMaxAccess('readcreate') vlan_trunk_port_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 5, 1)) vlan_trunk_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 5, 1, 1)).setIndexNames((0, 'BRIDGE-MIB', 'dot1dBasePort')) vlan_trunk_port_state = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 5, 1, 1, 1), enabled_status()).setMaxAccess('readwrite') ctl_prot_trans_state = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 6, 1), enabled_status()).setMaxAccess('readwrite') ctl_prot_trans_tunnel_port_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 6, 2)) ctl_prot_trans_tunnel_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 6, 2, 1)).setIndexNames((0, 'BRIDGE-MIB', 'dot1dBasePort')) ctl_prot_trans_tunnel_mode = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 6, 2, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('peer', 0), ('tunnel', 1), ('discard', 2), ('network', 3)))).setMaxAccess('readwrite') vlan_stack_state = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 7, 1), enabled_status()).setMaxAccess('readwrite') vlan_stack_port_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 7, 3)) vlan_stack_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 7, 3, 1)).setIndexNames((0, 'BRIDGE-MIB', 'dot1dBasePort')) vlan_stack_port_mode = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 7, 3, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('normal', 1), ('access', 2), ('tunnel', 3)))).setMaxAccess('readwrite') vlan_stack_port_vid = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 7, 3, 1, 2), integer32()).setMaxAccess('readwrite') vlan_stack_port_prio = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 7, 3, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7))).clone(namedValues=named_values(('prioriry-0', 0), ('prioriry-1', 1), ('prioriry-2', 2), ('prioriry-3', 3), ('prioriry-4', 4), ('prioriry-5', 5), ('prioriry-6', 6), ('prioriry-7', 7)))).setMaxAccess('readwrite') vlan_stack_tunnel_port_tpid = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 7, 3, 1, 4), integer32()).setMaxAccess('readwrite') selective_qin_q_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 7, 4)) selective_qin_q_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 7, 4, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'selectiveQinQPort'), (0, 'ZYXEL-XGS4728F-MIB', 'selectiveQinQCvid')) selective_qin_q_name = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 7, 4, 1, 1), display_string()).setMaxAccess('readwrite') selective_qin_q_port = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 7, 4, 1, 2), integer32()).setMaxAccess('readonly') selective_qin_q_cvid = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 7, 4, 1, 3), integer32()).setMaxAccess('readonly') selective_qin_q_spvid = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 7, 4, 1, 4), integer32()).setMaxAccess('readwrite') selective_qin_q_priority = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 7, 4, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7))).clone(namedValues=named_values(('prioriry-0', 0), ('prioriry-1', 1), ('prioriry-2', 2), ('prioriry-3', 3), ('prioriry-4', 4), ('prioriry-5', 5), ('prioriry-6', 6), ('prioriry-7', 7)))).setMaxAccess('readwrite') selective_qin_q_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 7, 4, 1, 6), row_status()).setMaxAccess('readcreate') port_auth_state = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 8, 3), enabled_status()).setMaxAccess('readwrite') port_auth_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 8, 4)) port_auth_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 8, 4, 1)).setIndexNames((0, 'BRIDGE-MIB', 'dot1dBasePort')) port_auth_entry_state = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 8, 4, 1, 1), enabled_status()).setMaxAccess('readwrite') port_re_auth_entry_state = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 8, 4, 1, 2), enabled_status()).setMaxAccess('readwrite') port_re_auth_entry_timer = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 8, 4, 1, 3), integer32()).setMaxAccess('readwrite') port_auth_quiet_period = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 8, 4, 1, 4), integer32()).setMaxAccess('readwrite') port_auth_tx_period = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 8, 4, 1, 5), integer32()).setMaxAccess('readwrite') port_auth_supplicant_timeout = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 8, 4, 1, 6), integer32()).setMaxAccess('readwrite') port_auth_max_request = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 8, 4, 1, 7), integer32()).setMaxAccess('readwrite') port_auth_guest_vlan_state = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 8, 4, 1, 8), enabled_status()).setMaxAccess('readwrite') port_auth_guest_vlan = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 8, 4, 1, 9), integer32()).setMaxAccess('readwrite') port_auth_guest_vlan_host_mode = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 8, 4, 1, 10), integer32()).setMaxAccess('readwrite') port_auth_guest_vlan_host_mode_multi_secure_number = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 8, 4, 1, 11), integer32()).setMaxAccess('readwrite') fan_rpm_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 1)) fan_rpm_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 1, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'fanRpmIndex')) fan_rpm_index = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 1, 1, 1), integer32()).setMaxAccess('readonly') fan_rpm_cur_value = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 1, 1, 2), integer32()).setMaxAccess('readonly') fan_rpm_max_value = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 1, 1, 3), integer32()).setMaxAccess('readonly') fan_rpm_min_value = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 1, 1, 4), integer32()).setMaxAccess('readonly') fan_rpm_low_thresh = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 1, 1, 5), integer32()).setMaxAccess('readonly') fan_rpm_descr = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 1, 1, 6), display_string()).setMaxAccess('readonly') temp_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 2)) temp_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 2, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'tempIndex')) temp_index = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 2, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('mac', 1), ('cpu', 2), ('phy', 3)))).setMaxAccess('readonly') temp_cur_value = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 2, 1, 2), integer32()).setMaxAccess('readonly') temp_max_value = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 2, 1, 3), integer32()).setMaxAccess('readonly') temp_min_value = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 2, 1, 4), integer32()).setMaxAccess('readonly') temp_high_thresh = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 2, 1, 5), integer32()).setMaxAccess('readonly') temp_descr = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 2, 1, 6), display_string()).setMaxAccess('readonly') voltage_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 3)) voltage_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 3, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'voltageIndex')) voltage_index = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 3, 1, 1), integer32()).setMaxAccess('readonly') voltage_cur_value = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 3, 1, 2), integer32()).setMaxAccess('readonly') voltage_max_value = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 3, 1, 3), integer32()).setMaxAccess('readonly') voltage_min_value = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 3, 1, 4), integer32()).setMaxAccess('readonly') voltage_nominal_value = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 3, 1, 5), integer32()).setMaxAccess('readonly') voltage_low_thresh = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 3, 1, 6), integer32()).setMaxAccess('readonly') voltage_descr = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 9, 3, 1, 7), display_string()).setMaxAccess('readonly') snmp_get_community = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 1), display_string()).setMaxAccess('readwrite') snmp_set_community = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 2), display_string()).setMaxAccess('readwrite') snmp_trap_community = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 3), display_string()).setMaxAccess('readwrite') snmp_trap_dest_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 4)) snmp_trap_dest_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 4, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'snmpTrapDestIP')) snmp_trap_dest_ip = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 4, 1, 1), ip_address()).setMaxAccess('readonly') snmp_trap_dest_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 4, 1, 2), row_status()).setMaxAccess('readcreate') snmp_trap_dest_port = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 4, 1, 3), integer32()).setMaxAccess('readwrite') snmp_trap_version = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 4, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('v1', 0), ('v2c', 1), ('v3', 2)))).setMaxAccess('readwrite') snmp_trap_user_name = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 4, 1, 5), display_string()).setMaxAccess('readwrite') snmp_version = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('v2c', 0), ('v3', 1), ('v3v2c', 2)))).setMaxAccess('readwrite') snmp_user_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 6)) snmp_user_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 6, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'snmpUserName')) snmp_user_name = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 6, 1, 1), display_string()).setMaxAccess('readonly') snmp_user_security_level = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 6, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('noAuthNoPriv', 0), ('authNoPriv', 1), ('authPriv', 2)))).setMaxAccess('readwrite') snmp_user_auth_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 6, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('md5', 0), ('sha', 1)))).setMaxAccess('readwrite') snmp_user_priv_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 6, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('des', 0), ('aes', 1)))).setMaxAccess('readwrite') snmp_user_group = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 6, 1, 5), display_string()).setMaxAccess('readonly') snmp_trap_group_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 7)) snmp_trap_group_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 7, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'snmpTrapDestIP')) snmp_trap_system_group = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 7, 1, 1), bits().clone(namedValues=named_values(('coldStart', 0), ('warmStart', 1), ('fanSpeed', 2), ('temperature', 3), ('voltage', 4), ('reset', 5), ('timeSync', 6), ('intrusionlock', 7), ('loopGuard', 13)))).setMaxAccess('readwrite') snmp_trap_interface_group = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 7, 1, 2), bits().clone(namedValues=named_values(('linkup', 0), ('linkdown', 1), ('autonegotiation', 2), ('lldp', 3), ('transceiver-ddm', 4)))).setMaxAccess('readwrite') snmp_trap_aaa_group = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 7, 1, 3), bits().clone(namedValues=named_values(('authentication', 0), ('accounting', 1)))).setMaxAccess('readwrite') snmp_trap_ip_group = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 7, 1, 4), bits().clone(namedValues=named_values(('ping', 0), ('traceroute', 1)))).setMaxAccess('readwrite') snmp_trap_switch_group = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 10, 7, 1, 5), bits().clone(namedValues=named_values(('stp', 0), ('mactable', 1), ('rmon', 2), ('cfm', 3)))).setMaxAccess('readwrite') date_time_server_type = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('none', 1), ('daytime', 2), ('time', 3), ('ntp', 4)))).setMaxAccess('readwrite') date_time_server_ip = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 2), ip_address()).setMaxAccess('readwrite') date_time_zone = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 3), integer32()).setMaxAccess('readwrite') date_time_new_date_year = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 4), integer32()).setMaxAccess('readwrite') date_time_new_date_month = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 5), integer32()).setMaxAccess('readwrite') date_time_new_date_day = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 6), integer32()).setMaxAccess('readwrite') date_time_new_time_hour = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 7), integer32()).setMaxAccess('readwrite') date_time_new_time_minute = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 8), integer32()).setMaxAccess('readwrite') date_time_new_time_second = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 9), integer32()).setMaxAccess('readwrite') date_time_daylight_saving_time_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 10)) daylight_saving_time_state = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 10, 1), enabled_status()).setMaxAccess('readwrite') daylight_saving_time_start_date_week = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 10, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('first', 1), ('second', 2), ('third', 3), ('fourth', 4), ('last', 5)))).setMaxAccess('readwrite') daylight_saving_time_start_date_day = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 10, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('sunday', 0), ('monday', 1), ('tuesday', 2), ('wednesday', 3), ('thursday', 4), ('friday', 5), ('saturday', 6)))).setMaxAccess('readwrite') daylight_saving_time_start_date_month = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 10, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=named_values(('january', 1), ('february', 2), ('march', 3), ('april', 4), ('may', 5), ('june', 6), ('july', 7), ('august', 8), ('september', 9), ('october', 10), ('november', 11), ('december', 12)))).setMaxAccess('readwrite') daylight_saving_time_start_date_hour = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 10, 5), integer32()).setMaxAccess('readwrite') daylight_saving_time_end_date_week = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 10, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('first', 1), ('second', 2), ('third', 3), ('fourth', 4), ('last', 5)))).setMaxAccess('readwrite') daylight_saving_time_end_date_day = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 10, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('sunday', 0), ('monday', 1), ('tuesday', 2), ('wednesday', 3), ('thursday', 4), ('friday', 5), ('saturday', 6)))).setMaxAccess('readwrite') daylight_saving_time_end_date_month = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 10, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=named_values(('january', 1), ('february', 2), ('march', 3), ('april', 4), ('may', 5), ('june', 6), ('july', 7), ('august', 8), ('september', 9), ('october', 10), ('november', 11), ('december', 12)))).setMaxAccess('readwrite') daylight_saving_time_end_date_hour = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 11, 10, 9), integer32()).setMaxAccess('readwrite') sys_mgmt_config_save = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('config-1', 1), ('config-2', 2)))).setMaxAccess('readwrite') sys_mgmt_bootup_config = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('config-1', 1), ('config-2', 2)))).setMaxAccess('readwrite') sys_mgmt_reboot = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('nothing', 0), ('reboot', 1)))).setMaxAccess('readwrite') sys_mgmt_default_config = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('nothing', 0), ('reset-to-default', 1)))).setMaxAccess('readwrite') sys_mgmt_last_action_status = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('none', 0), ('success', 1), ('fail', 2)))).setMaxAccess('readonly') sys_mgmt_system_status = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12, 6), bits().clone(namedValues=named_values(('sysAlarmDetected', 0), ('sysTemperatureError', 1), ('sysFanRPMError', 2), ('sysVoltageRangeError', 3)))).setMaxAccess('readonly') sys_mgmt_cpu_usage = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12, 7), integer32()).setMaxAccess('readonly') sys_mgmt_bootup_image = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('image-1', 1), ('image-2', 2)))).setMaxAccess('readwrite') sys_mgmt_counter_reset = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') sys_mgmt_tftp_service_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12, 10)) sys_mgmt_tftp_server_ip = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12, 10, 1), ip_address()).setMaxAccess('readwrite') sys_mgmt_tftp_remote_file_name = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12, 10, 2), display_string()).setMaxAccess('readwrite') sys_mgmt_tftp_config_index = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12, 10, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('config-1', 1), ('config-2', 2)))).setMaxAccess('readwrite') sys_mgmt_tftp_action = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12, 10, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('none', 0), ('backup-config', 1), ('restore-config', 2), ('merge-config', 3)))).setMaxAccess('readwrite') sys_mgmt_tftp_action_status = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12, 10, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('none', 0), ('success', 1), ('fail', 2), ('under-action', 3)))).setMaxAccess('readonly') sys_mgmt_tftp_action_privilege13 = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12, 10, 113), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('none', 0), ('backup-config', 1), ('restore-config', 2), ('merge-config', 3)))).setMaxAccess('readwrite') sys_mgmt_config_save_privilege13 = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12, 113), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('config-1', 1), ('config-2', 2)))).setMaxAccess('readwrite') sys_mgmt_default_config_privilege13 = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 12, 213), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('nothing', 0), ('reset-to-default', 1)))).setMaxAccess('readwrite') vlan_type_setup = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('dot1Q', 1), ('port-based', 2)))).setMaxAccess('readwrite') igmp_snooping_state_setup = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 2), enabled_status()).setMaxAccess('readwrite') tag_vlan_port_isolation_state = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 3), enabled_status()).setMaxAccess('readwrite') stp_state = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 4), enabled_status()).setMaxAccess('readwrite') igmp_filtering_state_setup = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 5), enabled_status()).setMaxAccess('readwrite') unknown_multicast_frame_forwarding = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('flooding', 1), ('drop', 2)))).setMaxAccess('readwrite') multicast_grp_host_timeout = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 7), integer32()).setMaxAccess('readwrite') reserved_multicast_frame_forwarding = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('flooding', 1), ('drop', 2)))).setMaxAccess('readwrite') igmpsnp8021p_priority = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 10), integer32()).setMaxAccess('readwrite') igmpsnp_vlan_mode = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('auto', 1), ('fixed', 2)))).setMaxAccess('readwrite') stp_mode = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('rstp', 1), ('mrstp', 2), ('mstp', 3)))).setMaxAccess('readwrite') igmpsnp_vlan_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 13)) igmpsnp_vlan_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 13, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'igmpsnpVid')) igmpsnp_vid = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 13, 1, 1), integer32()).setMaxAccess('readonly') igmpsnp_vlan_name = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 13, 1, 2), display_string()).setMaxAccess('readwrite') igmpsnp_vlan_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 13, 1, 3), row_status()).setMaxAccess('readcreate') igmpsnp_querier_mode = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 14), enabled_status()).setMaxAccess('readwrite') ethernet_cfm_state_setup = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 15), enabled_status()).setMaxAccess('readwrite') lldp_state_setup = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 16), enabled_status()).setMaxAccess('readwrite') igmp_snp_report_proxy_setup = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 17), enabled_status()).setMaxAccess('readwrite') smart_isolation_state = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 13, 18), enabled_status()).setMaxAccess('readwrite') dns_ip_address = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 14, 1), ip_address()).setMaxAccess('readwrite') default_mgmt = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 14, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('in-band', 0), ('out-of-band', 1)))).setMaxAccess('readwrite') default_gateway = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 14, 3), ip_address()).setMaxAccess('readwrite') out_of_band_ip_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 14, 4)) out_of_band_ip = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 14, 4, 1), ip_address()).setMaxAccess('readwrite') out_of_band_subnet_mask = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 14, 4, 2), ip_address()).setMaxAccess('readwrite') out_of_band_gateway = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 14, 4, 3), ip_address()).setMaxAccess('readwrite') max_num_of_inband_ip = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 14, 5), integer32()).setMaxAccess('readonly') inband_ip_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 14, 6)) inband_ip_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 14, 6, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'inbandEntryIp'), (0, 'ZYXEL-XGS4728F-MIB', 'inbandEntrySubnetMask')) inband_entry_ip = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 14, 6, 1, 1), ip_address()).setMaxAccess('readwrite') inband_entry_subnet_mask = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 14, 6, 1, 2), ip_address()).setMaxAccess('readwrite') inband_entry_vid = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 14, 6, 1, 3), integer32()).setMaxAccess('readwrite') inband_entry_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 14, 6, 1, 4), row_status()).setMaxAccess('readcreate') filter_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 15, 1)) filter_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 15, 1, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'filterMacAddr'), (0, 'ZYXEL-XGS4728F-MIB', 'filterVid')) filter_name = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 15, 1, 1, 1), display_string()).setMaxAccess('readwrite') filter_action_state = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 15, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('discard-source', 1), ('discard-destination', 2), ('both', 3)))).setMaxAccess('readwrite') filter_mac_addr = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 15, 1, 1, 3), mac_address()) filter_vid = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 15, 1, 1, 4), integer32()) filter_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 15, 1, 1, 5), row_status()).setMaxAccess('readcreate') mirror_state = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 16, 1), enabled_status()).setMaxAccess('readwrite') mirror_monitor_port = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 16, 2), integer32()).setMaxAccess('readwrite') mirror_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 16, 3)) mirror_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 16, 3, 1)).setIndexNames((0, 'BRIDGE-MIB', 'dot1dBasePort')) mirror_mirrored_state = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 16, 3, 1, 1), enabled_status()).setMaxAccess('readwrite') mirror_direction = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 16, 3, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('ingress', 0), ('egress', 1), ('both', 2)))).setMaxAccess('readwrite') aggr_state = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 17, 1), enabled_status()).setMaxAccess('readwrite') aggr_system_priority = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 17, 2), integer32()).setMaxAccess('readwrite') aggr_group_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 17, 3)) aggr_group_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 17, 3, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'aggrGroupIndex')) aggr_group_index = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 17, 3, 1, 1), integer32()).setMaxAccess('readonly') aggr_group_state = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 17, 3, 1, 2), enabled_status()).setMaxAccess('readwrite') aggr_group_dynamic_state = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 17, 3, 1, 3), enabled_status()).setMaxAccess('readwrite') aggr_group_criteria = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 17, 3, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('src-mac', 1), ('dst-mac', 2), ('src-dst-mac', 3), ('src-ip', 4), ('dst-ip', 5), ('src-dst-ip', 6)))).setMaxAccess('readwrite') aggr_port_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 17, 4)) aggr_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 17, 4, 1)).setIndexNames((0, 'BRIDGE-MIB', 'dot1dBasePort')) aggr_port_group = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 17, 4, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=named_values(('none', 0), ('t1', 1), ('t2', 2), ('t3', 3), ('t4', 4), ('t5', 5), ('t6', 6), ('t7', 7), ('t8', 8), ('t9', 9), ('t10', 10), ('t11', 11), ('t12', 12)))).setMaxAccess('readwrite') aggr_port_dynamic_state_timeout = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 17, 4, 1, 2), integer32()).setMaxAccess('readwrite') access_ctl_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 18, 1)) access_ctl_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 18, 1, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'accessCtlService')) access_ctl_service = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 18, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=named_values(('telnet', 1), ('ssh', 2), ('ftp', 3), ('http', 4), ('https', 5), ('icmp', 6), ('snmp', 7)))).setMaxAccess('readonly') access_ctl_enable = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 18, 1, 1, 2), enabled_status()).setMaxAccess('readwrite') access_ctl_service_port = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 18, 1, 1, 3), integer32()).setMaxAccess('readwrite') access_ctl_timeout = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 18, 1, 1, 4), integer32()).setMaxAccess('readwrite') secured_client_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 18, 2)) secured_client_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 18, 2, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'securedClientIndex')) secured_client_index = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 18, 2, 1, 1), integer32()).setMaxAccess('readonly') secured_client_enable = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 18, 2, 1, 2), enabled_status()).setMaxAccess('readwrite') secured_client_start_ip = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 18, 2, 1, 3), ip_address()).setMaxAccess('readwrite') secured_client_end_ip = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 18, 2, 1, 4), ip_address()).setMaxAccess('readwrite') secured_client_service = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 18, 2, 1, 5), bits().clone(namedValues=named_values(('telnet', 0), ('ftp', 1), ('http', 2), ('icmp', 3), ('snmp', 4), ('ssh', 5), ('https', 6)))).setMaxAccess('readwrite') port_queuing_method_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 19, 1)) port_queuing_method_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 19, 1, 1)).setIndexNames((0, 'BRIDGE-MIB', 'dot1dBasePort'), (0, 'ZYXEL-XGS4728F-MIB', 'portQueuingMethodQueue')) port_queuing_method_queue = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 19, 1, 1, 1), integer32()).setMaxAccess('readonly') port_queuing_method_weight = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 19, 1, 1, 2), integer32()).setMaxAccess('readwrite') port_queuing_method_mode = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 19, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('strictly-priority', 0), ('weighted-fair-scheduling', 1), ('weighted-round-robin', 2)))).setMaxAccess('readwrite') port_queuing_method_hybrid_spq_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 19, 2)) port_queuing_method_hybrid_spq_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 19, 2, 1)).setIndexNames((0, 'BRIDGE-MIB', 'dot1dBasePort')) port_queuing_method_hybrid_spq = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 19, 2, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('none', 0), ('q0', 1), ('q1', 2), ('q2', 3), ('q3', 4), ('q4', 5), ('q5', 6), ('q6', 7), ('q7', 8)))).setMaxAccess('readwrite') global_dhcp_relay = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 1)) global_dhcp_relay_enable = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 1, 1), enabled_status()).setMaxAccess('readwrite') global_dhcp_relay_option82_enable = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 1, 2), enabled_status()).setMaxAccess('readwrite') global_dhcp_relay_info_enable = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 1, 3), enabled_status()).setMaxAccess('readwrite') global_dhcp_relay_info_data = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 1, 4), display_string()).setMaxAccess('readonly') max_number_of_global_dhcp_relay_remote_server = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 1, 5), integer32()).setMaxAccess('readonly') global_dhcp_relay_remote_server_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 1, 6)) global_dhcp_relay_remote_server_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 1, 6, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'globalDhcpRelayRemoteServerIp')) global_dhcp_relay_remote_server_ip = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 1, 6, 1, 1), ip_address()).setMaxAccess('readonly') global_dhcp_relay_remote_server_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 1, 6, 1, 2), row_status()).setMaxAccess('readcreate') dhcp_server = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 2)) max_number_of_dhcp_servers = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 2, 1), integer32()).setMaxAccess('readonly') dhcp_server_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 2, 2)) dhcp_server_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 2, 2, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'dhcpServerVid')) dhcp_server_vid = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 2, 2, 1, 1), integer32()).setMaxAccess('readonly') dhcp_server_start_addr = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 2, 2, 1, 2), ip_address()).setMaxAccess('readwrite') dhcp_server_pool_size = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 2, 2, 1, 3), integer32()).setMaxAccess('readwrite') dhcp_server_mask = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 2, 2, 1, 4), ip_address()).setMaxAccess('readwrite') dhcp_server_gateway = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 2, 2, 1, 5), ip_address()).setMaxAccess('readwrite') dhcp_server_primary_dns = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 2, 2, 1, 6), ip_address()).setMaxAccess('readwrite') dhcp_server_secondary_dns = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 2, 2, 1, 7), ip_address()).setMaxAccess('readwrite') dhcp_server_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 2, 2, 1, 8), row_status()).setMaxAccess('readcreate') dhcp_relay = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 3)) dhcp_relay_info_data = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 3, 1), display_string()).setMaxAccess('readonly') max_number_of_dhcp_relay = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 3, 2), integer32()).setMaxAccess('readonly') max_number_of_dhcp_relay_remote_server = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 3, 3), integer32()).setMaxAccess('readonly') dhcp_relay_remote_server_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 3, 4)) dhcp_relay_remote_server_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 3, 4, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'dhcpRelayVid'), (0, 'ZYXEL-XGS4728F-MIB', 'dhcpRelayRemoteServerIp')) dhcp_relay_vid = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 3, 4, 1, 1), integer32()).setMaxAccess('readonly') dhcp_relay_remote_server_ip = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 3, 4, 1, 2), ip_address()).setMaxAccess('readonly') dhcp_relay_remote_server_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 3, 4, 1, 3), row_status()).setMaxAccess('readcreate') dhcp_relay_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 3, 5)) dhcp_relay_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 3, 5, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'dhcpRelayVid')) dhcp_relay_option82_enable = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 3, 5, 1, 1), enabled_status()).setMaxAccess('readwrite') dhcp_relay_info_enable = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 20, 3, 5, 1, 2), enabled_status()).setMaxAccess('readwrite') arp_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 22, 1)) arp_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 22, 1, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'arpIpAddr'), (0, 'ZYXEL-XGS4728F-MIB', 'arpMacVid')) arp_index = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 22, 1, 1, 1), integer32()).setMaxAccess('readonly') arp_ip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 22, 1, 1, 2), ip_address()).setMaxAccess('readonly') arp_mac_addr = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 22, 1, 1, 3), mac_address()).setMaxAccess('readonly') arp_mac_vid = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 22, 1, 1, 4), integer32()).setMaxAccess('readonly') arp_type = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 22, 1, 1, 5), integer32()).setMaxAccess('readonly') port_op_mode_port_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 23, 1)) port_op_mode_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 23, 1, 1)).setIndexNames((0, 'BRIDGE-MIB', 'dot1dBasePort')) port_op_mode_port_speed_duplex = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 23, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7))).clone(namedValues=named_values(('auto', 0), ('speed-10-half', 1), ('speed-10-full', 2), ('speed-100-half', 3), ('speed-100-full', 4), ('speed-1000-full', 5), ('speed-10000-full', 6), ('speed-12000-full', 7)))).setMaxAccess('readwrite') port_op_mode_port_flow_cntl = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 23, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('off', 0), ('on', 1)))).setMaxAccess('readwrite') port_op_mode_port_name = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 23, 1, 1, 3), octet_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setMaxAccess('readwrite') port_op_mode_port_module_type = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 23, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('fast-ethernet-10-100', 0), ('gigabit-ethernet-100-1000', 1), ('xg-ethernet-10000', 2)))).setMaxAccess('readonly') port_op_mode_port_link_up_type = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 23, 1, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4))).clone(namedValues=named_values(('down', 0), ('utp', 1), ('sfp', 2), ('xfp', 3), ('cx4', 4)))).setMaxAccess('readonly') port_op_mode_port_intrusion_lock = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 23, 1, 1, 6), enabled_status()).setMaxAccess('readwrite') port_op_mode_port_lb_test_status = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 23, 1, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('none', 0), ('under-testing', 1), ('success', 2), ('fail', 3)))).setMaxAccess('readonly') port_op_mode_port_counter_reset = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 23, 1, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') port_op_mode_port_cx4_cable_length = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 23, 1, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5))).clone(namedValues=named_values(('half-meter', 0), ('one-meter', 1), ('three-meters', 2), ('five-meters', 3), ('ten-meters', 4), ('fifteen-meters', 5)))).setMaxAccess('readwrite') port_based_vlan_port_list_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 24, 1)) port_based_vlan_port_list_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 24, 1, 1)).setIndexNames((0, 'BRIDGE-MIB', 'dot1dBasePort')) port_based_vlan_port_list_members = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 24, 1, 1, 1), port_list()).setMaxAccess('readwrite') multicast_port_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 25, 1)) multicast_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 25, 1, 1)).setIndexNames((0, 'BRIDGE-MIB', 'dot1dBasePort')) multicast_port_max_group_limited = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 25, 1, 1, 2), enabled_status()).setMaxAccess('readwrite') multicast_port_max_of_group = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 25, 1, 1, 3), integer32()).setMaxAccess('readwrite') multicast_port_igmp_filtering_profile = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 25, 1, 1, 4), display_string()).setMaxAccess('readwrite') multicast_port_querier_mode = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 25, 1, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('auto', 1), ('fixed', 2), ('edge', 3)))).setMaxAccess('readwrite') multicast_port_throttling_action = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 25, 1, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('deny', 1), ('replace', 2)))).setMaxAccess('readwrite') multicast_port_leave_mode = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 25, 1, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('normal', 0), ('immediate', 1), ('fast', 2)))).setMaxAccess('readwrite') multicast_port_leave_timeout = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 25, 1, 1, 8), integer32()).setMaxAccess('readwrite') multicast_port_fast_leave_timeout = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 25, 1, 1, 9), integer32()).setMaxAccess('readwrite') multicast_status_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 1)) multicast_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 1, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'multicastStatusVlanID'), (0, 'ZYXEL-XGS4728F-MIB', 'multicastStatusPort'), (0, 'ZYXEL-XGS4728F-MIB', 'multicastStatusGroup')) multicast_status_index = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 1, 1, 1), integer32()).setMaxAccess('readonly') multicast_status_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 1, 1, 2), integer32()).setMaxAccess('readonly') multicast_status_port = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 1, 1, 3), integer32()).setMaxAccess('readonly') multicast_status_group = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 1, 1, 4), ip_address()).setMaxAccess('readonly') multicast_vlan_status_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 2)) multicast_vlan_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 2, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'multicastVlanStatusVlanID')) multicast_vlan_status_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 2, 1, 1), integer32()).setMaxAccess('readonly') multicast_vlan_status_type = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('dynamic', 1), ('mvr', 2), ('static', 3)))).setMaxAccess('readonly') multicast_vlan_query_port = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 2, 1, 3), port_list()).setMaxAccess('readonly') igmp_snp_count_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 3)) igmp_snp_count_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 3, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'igmpSnpCountIndex')) igmp_snp_count_index = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 3, 1, 1), integer32()).setMaxAccess('readonly') igmp_snp_v2_count_query_rx = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 3, 1, 2), integer32()).setMaxAccess('readonly') igmp_snp_v2_count_report_rx = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 3, 1, 3), integer32()).setMaxAccess('readonly') igmp_snp_v2_count_leave_rx = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 3, 1, 4), integer32()).setMaxAccess('readonly') igmp_snp_v2_count_query_rx_drop = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 3, 1, 5), integer32()).setMaxAccess('readonly') igmp_snp_v2_count_report_rx_drop = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 3, 1, 6), integer32()).setMaxAccess('readonly') igmp_snp_v2_count_leave_rx_drop = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 3, 1, 7), integer32()).setMaxAccess('readonly') igmp_snp_v2_count_query_tx = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 3, 1, 8), integer32()).setMaxAccess('readonly') igmp_snp_v2_count_report_tx = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 3, 1, 9), integer32()).setMaxAccess('readonly') igmp_snp_v2_count_leave_tx = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 3, 1, 10), integer32()).setMaxAccess('readonly') igmp_snp_v3_count_query_rx = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 3, 1, 11), integer32()).setMaxAccess('readonly') igmp_snp_v3_count_report_rx = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 3, 1, 12), integer32()).setMaxAccess('readonly') igmp_snp_v3_count_query_rx_drop = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 3, 1, 13), integer32()).setMaxAccess('readonly') igmp_snp_v3_count_report_rx_drop = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 3, 1, 14), integer32()).setMaxAccess('readonly') igmp_snp_v3_count_query_tx = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 3, 1, 15), integer32()).setMaxAccess('readonly') igmp_snp_v3_count_report_tx = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 3, 1, 16), integer32()).setMaxAccess('readonly') igmp_snp_count_vlan_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 4)) igmp_snp_count_vlan_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 4, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'igmpSnpCountVlanIndex')) igmp_snp_count_vlan_index = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 4, 1, 1), integer32()).setMaxAccess('readonly') igmp_snp_v2_count_vlan_query_rx = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 4, 1, 2), integer32()).setMaxAccess('readonly') igmp_snp_v2_count_vlan_report_rx = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 4, 1, 3), integer32()).setMaxAccess('readonly') igmp_snp_v2_count_vlan_leave_rx = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 4, 1, 4), integer32()).setMaxAccess('readonly') igmp_snp_v2_count_vlan_query_rx_drop = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 4, 1, 5), integer32()).setMaxAccess('readonly') igmp_snp_v2_count_vlan_report_rx_drop = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 4, 1, 6), integer32()).setMaxAccess('readonly') igmp_snp_v2_count_vlan_leave_rx_drop = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 4, 1, 7), integer32()).setMaxAccess('readonly') igmp_snp_v2_count_vlan_query_tx = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 4, 1, 8), integer32()).setMaxAccess('readonly') igmp_snp_v2_count_vlan_report_tx = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 4, 1, 9), integer32()).setMaxAccess('readonly') igmp_snp_v2_count_vlan_leave_tx = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 4, 1, 10), integer32()).setMaxAccess('readonly') igmp_snp_v3_count_vlan_query_rx = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 4, 1, 11), integer32()).setMaxAccess('readonly') igmp_snp_v3_count_vlan_report_rx = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 4, 1, 12), integer32()).setMaxAccess('readonly') igmp_snp_v3_count_vlan_query_rx_drop = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 4, 1, 13), integer32()).setMaxAccess('readonly') igmp_snp_v3_count_vlan_report_rx_drop = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 4, 1, 14), integer32()).setMaxAccess('readonly') igmp_snp_v3_count_vlan_query_tx = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 4, 1, 15), integer32()).setMaxAccess('readonly') igmp_snp_v3_count_vlan_report_tx = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 4, 1, 16), integer32()).setMaxAccess('readonly') igmp_snp_count_port_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 5)) igmp_snp_count_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 5, 1)).setIndexNames((0, 'BRIDGE-MIB', 'dot1dBasePort')) igmp_snp_v2_count_port_query_rx = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 5, 1, 1), integer32()).setMaxAccess('readonly') igmp_snp_v2_count_port_report_rx = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 5, 1, 2), integer32()).setMaxAccess('readonly') igmp_snp_v2_count_port_leave_rx = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 5, 1, 3), integer32()).setMaxAccess('readonly') igmp_snp_v2_count_port_report_rx_drop = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 5, 1, 4), integer32()).setMaxAccess('readonly') igmp_snp_v2_count_port_leave_rx_drop = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 5, 1, 5), integer32()).setMaxAccess('readonly') igmp_snp_v2_count_port_report_tx = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 5, 1, 6), integer32()).setMaxAccess('readonly') igmp_snp_v2_count_port_leave_tx = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 5, 1, 7), integer32()).setMaxAccess('readonly') igmp_snp_v3_count_port_query_rx = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 5, 1, 8), integer32()).setMaxAccess('readonly') igmp_snp_v3_count_port_report_rx = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 5, 1, 9), integer32()).setMaxAccess('readonly') igmp_snp_v3_count_port_report_rx_drop = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 5, 1, 10), integer32()).setMaxAccess('readonly') igmp_snp_v3_count_port_report_tx = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 5, 1, 11), integer32()).setMaxAccess('readonly') igmp_snp_group_count_status = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 6)) igmp_snp_group_count_num = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 6, 1), integer32()).setMaxAccess('readonly') igmp_snp_group_count_vlan_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 6, 2)) igmp_snp_group_count_vlan_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 6, 2, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'igmpSnpGroupCountVlanIndex')) igmp_snp_group_count_vlan_index = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 6, 2, 1, 1), integer32()).setMaxAccess('readonly') igmp_snp_group_count_vlan_num = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 6, 2, 1, 2), integer32()).setMaxAccess('readonly') igmp_snp_group_count_port_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 6, 3)) igmp_snp_group_count_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 6, 3, 1)).setIndexNames((0, 'BRIDGE-MIB', 'dot1dBasePort')) igmp_snp_group_count_port_num = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 26, 6, 3, 1, 1), integer32()).setMaxAccess('readonly') igmp_filtering_max_number_of_profile = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 27, 1), integer32()).setMaxAccess('readonly') igmp_filtering_profile_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 27, 2)) igmp_filtering_profile_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 27, 2, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'igmpFilteringProfileName'), (0, 'ZYXEL-XGS4728F-MIB', 'igmpFilteringProfileStartAddress'), (0, 'ZYXEL-XGS4728F-MIB', 'igmpFilteringProfileEndAddress')) igmp_filtering_profile_name = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 27, 2, 1, 1), display_string()).setMaxAccess('readonly') igmp_filtering_profile_start_address = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 27, 2, 1, 2), ip_address()).setMaxAccess('readonly') igmp_filtering_profile_end_address = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 27, 2, 1, 3), ip_address()).setMaxAccess('readonly') igmp_filtering_profile_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 27, 2, 1, 4), row_status()).setMaxAccess('readcreate') max_number_of_mvr = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 1), integer32()).setMaxAccess('readonly') mvr_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 2)) mvr_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 2, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'mvrVlanID')) mvr_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 2, 1, 1), integer32()).setMaxAccess('readonly') mvr_name = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 2, 1, 2), display_string()).setMaxAccess('readwrite') mvr_mode = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('dynamic', 0), ('compatible', 1)))).setMaxAccess('readwrite') mvr_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 2, 1, 4), row_status()).setMaxAccess('readcreate') mvr8021p_priority = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 2, 1, 5), integer32()).setMaxAccess('readwrite') mvr_port_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 3)) mvr_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 3, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'mvrVlanID'), (0, 'BRIDGE-MIB', 'dot1dBasePort')) mvr_port_role = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 3, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('none', 1), ('source-port', 2), ('receiver-port', 3)))).setMaxAccess('readwrite') mvr_port_tagging = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 3, 1, 2), enabled_status()).setMaxAccess('readwrite') max_number_of_mvr_group = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 4), integer32()).setMaxAccess('readonly') mvr_group_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 5)) mvr_group_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 5, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'mvrVlanID'), (0, 'ZYXEL-XGS4728F-MIB', 'mvrGroupName')) mvr_group_name = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 5, 1, 1), display_string()).setMaxAccess('readonly') mvr_group_start_address = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 5, 1, 2), ip_address()).setMaxAccess('readwrite') mvr_group_end_address = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 5, 1, 3), ip_address()).setMaxAccess('readwrite') mvr_group_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 28, 5, 1, 4), row_status()).setMaxAccess('readcreate') cluster_manager = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 1)) cluster_max_num_of_manager = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 1, 1), integer32()).setMaxAccess('readonly') cluster_manager_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 1, 2)) cluster_manager_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 1, 2, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'clusterManagerVid')) cluster_manager_vid = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 1, 2, 1, 1), integer32()).setMaxAccess('readonly') cluster_manager_name = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 1, 2, 1, 2), display_string()).setMaxAccess('readwrite') cluster_manager_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 1, 2, 1, 3), row_status()).setMaxAccess('readcreate') cluster_members = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 2)) cluster_max_num_of_member = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 2, 1), integer32()).setMaxAccess('readonly') cluster_member_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 2, 2)) cluster_member_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 2, 2, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'clusterMemberMac')) cluster_member_mac = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 2, 2, 1, 1), mac_address()) cluster_member_name = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 2, 2, 1, 2), display_string()).setMaxAccess('readonly') cluster_member_model = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 2, 2, 1, 3), display_string()).setMaxAccess('readonly') cluster_member_password = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 2, 2, 1, 4), display_string()).setMaxAccess('readwrite') cluster_member_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 2, 2, 1, 5), row_status()).setMaxAccess('readcreate') cluster_candidates = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 3)) cluster_candidate_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 3, 1)) cluster_candidate_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 3, 1, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'clusterCandidateMac')) cluster_candidate_mac = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 3, 1, 1, 1), mac_address()).setMaxAccess('readonly') cluster_candidate_name = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 3, 1, 1, 2), display_string()).setMaxAccess('readonly') cluster_candidate_model = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 3, 1, 1, 3), display_string()).setMaxAccess('readonly') cluster_status = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 4)) cluster_status_role = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 4, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('none', 0), ('manager', 1), ('member', 2)))).setMaxAccess('readonly') cluster_status_manager = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 4, 2), display_string()).setMaxAccess('readonly') clsuter_status_max_num_of_member = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 4, 3), integer32()).setMaxAccess('readonly') cluster_status_member_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 4, 4)) cluster_status_member_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 4, 4, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'clusterStatusMemberMac')) cluster_status_member_mac = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 4, 4, 1, 1), mac_address()).setMaxAccess('readonly') cluster_status_member_name = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 4, 4, 1, 2), display_string()).setMaxAccess('readonly') cluster_status_member_model = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 4, 4, 1, 3), display_string()).setMaxAccess('readonly') cluster_status_member_status = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 29, 4, 4, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('error', 0), ('online', 1), ('offline', 2)))).setMaxAccess('readonly') class Utctimestamp(Unsigned32, TextualConvention): pass class Eventidnumber(Integer32, TextualConvention): pass class Eventseverity(Integer32, TextualConvention): subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3, 4)) named_values = named_values(('critical', 1), ('major', 2), ('minor', 3), ('informational', 4)) class Eventserviceaffective(Integer32, TextualConvention): subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2)) named_values = named_values(('noServiceAffected', 1), ('serviceAffected', 2)) class Instancetype(Integer32, TextualConvention): subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9)) named_values = named_values(('unknown', 1), ('node', 2), ('shelf', 3), ('line', 4), ('switch', 5), ('lsp', 6), ('l2Interface', 7), ('l3Interface', 8), ('rowIndex', 9)) event_objects = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 30, 1)) event_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 30, 1, 1)) event_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 30, 1, 1, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'eventSeqNum')) event_seq_num = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 30, 1, 1, 1, 1), integer32()).setMaxAccess('readonly') event_event_id = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 30, 1, 1, 1, 2), event_id_number()).setMaxAccess('readonly') event_name = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 30, 1, 1, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 40))).setMaxAccess('readonly') event_instance_type = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 30, 1, 1, 1, 4), instance_type()).setMaxAccess('readonly') event_instance_id = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 30, 1, 1, 1, 5), display_string()).setMaxAccess('readonly') event_instance_name = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 30, 1, 1, 1, 6), display_string()).setMaxAccess('readonly') event_severity = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 30, 1, 1, 1, 7), event_severity()).setMaxAccess('readonly') event_set_time = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 30, 1, 1, 1, 8), utc_time_stamp()).setMaxAccess('readonly') event_description = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 30, 1, 1, 1, 9), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly') event_serv_affective = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 30, 1, 1, 1, 10), event_service_affective()).setMaxAccess('readonly') event_instance_id_number = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 30, 1, 1, 1, 11), integer32()).setMaxAccess('readonly') trap_info_objects = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 31, 1)) trap_notifications = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 31, 2)) class Eventpersistence(Integer32, TextualConvention): subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2)) named_values = named_values(('normal', 1), ('delta', 2)) trap_ref_seq_num = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 31, 1, 1), integer32()).setMaxAccess('readonly') trap_persistence = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 31, 1, 2), event_persistence()).setMaxAccess('readonly') trap_sender_node_id = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 31, 1, 3), integer32()).setMaxAccess('readonly') trap_sender_status = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 31, 1, 4), integer32()).setMaxAccess('readonly') event_on_trap = notification_type((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 31, 2, 1)).setObjects(*(('ZYXEL-XGS4728F-MIB', 'eventSeqNum'), ('ZYXEL-XGS4728F-MIB', 'eventEventId'), ('ZYXEL-XGS4728F-MIB', 'eventName'), ('ZYXEL-XGS4728F-MIB', 'eventSetTime'), ('ZYXEL-XGS4728F-MIB', 'eventSeverity'), ('ZYXEL-XGS4728F-MIB', 'eventInstanceType'), ('ZYXEL-XGS4728F-MIB', 'eventInstanceId'), ('ZYXEL-XGS4728F-MIB', 'eventInstanceName'), ('ZYXEL-XGS4728F-MIB', 'eventServAffective'), ('ZYXEL-XGS4728F-MIB', 'eventDescription'), ('ZYXEL-XGS4728F-MIB', 'trapPersistence'), ('ZYXEL-XGS4728F-MIB', 'trapSenderNodeId'), ('ZYXEL-XGS4728F-MIB', 'sysObjectID'))) event_cleared_trap = notification_type((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 31, 2, 2)).setObjects(*(('ZYXEL-XGS4728F-MIB', 'eventSeqNum'), ('ZYXEL-XGS4728F-MIB', 'eventEventId'), ('ZYXEL-XGS4728F-MIB', 'eventSetTime'), ('ZYXEL-XGS4728F-MIB', 'eventInstanceType'), ('ZYXEL-XGS4728F-MIB', 'eventInstanceId'), ('ZYXEL-XGS4728F-MIB', 'trapRefSeqNum'), ('ZYXEL-XGS4728F-MIB', 'trapSenderNodeId'), ('ZYXEL-XGS4728F-MIB', 'sysObjectID'))) proto_based_vlan_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 32, 1)) proto_based_vlan_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 32, 1, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'protoBasedVlanPort'), (0, 'ZYXEL-XGS4728F-MIB', 'protoBasedVlanPacketType'), (0, 'ZYXEL-XGS4728F-MIB', 'protoBasedVlanEtherType')) proto_based_vlan_port = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 32, 1, 1, 1), integer32()).setMaxAccess('readonly') proto_based_vlan_packet_type = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 32, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('etherII', 1)))).setMaxAccess('readonly') proto_based_vlan_ether_type = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 32, 1, 1, 3), integer32()).setMaxAccess('readonly') proto_based_vlan_name = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 32, 1, 1, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readwrite') proto_based_vlan_vid = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 32, 1, 1, 5), integer32().subtype(subtypeSpec=value_range_constraint(1, 4094))).setMaxAccess('readwrite') proto_based_vlan_priority = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 32, 1, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 7))).setMaxAccess('readwrite') proto_based_vlan_state = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 32, 1, 1, 7), row_status()).setMaxAccess('readcreate') sys_log_state = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 33, 1), enabled_status()).setMaxAccess('readwrite') sys_log_type_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 33, 2)) sys_log_type_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 33, 2, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'sysLogTypeIndex')) sys_log_type_index = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 33, 2, 1, 1), integer32()) sys_log_type_name = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 33, 2, 1, 2), display_string()).setMaxAccess('readonly') sys_log_type_state = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 33, 2, 1, 3), enabled_status()).setMaxAccess('readwrite') sys_log_type_facility = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 33, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7))).clone(namedValues=named_values(('local-user0', 0), ('local-user1', 1), ('local-user2', 2), ('local-user3', 3), ('local-user4', 4), ('local-user5', 5), ('local-user6', 6), ('local-user7', 7)))).setMaxAccess('readwrite') sys_log_server_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 33, 3)) sys_log_server_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 33, 3, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'sysLogServerAddress')) sys_log_server_address = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 33, 3, 1, 1), ip_address()) sys_log_server_log_level = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 33, 3, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7))).clone(namedValues=named_values(('level0', 0), ('level0-1', 1), ('level0-2', 2), ('level0-3', 3), ('level0-4', 4), ('level0-5', 5), ('level0-6', 6), ('level0-7', 7)))).setMaxAccess('readwrite') sys_log_server_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 33, 3, 1, 3), row_status()).setMaxAccess('readcreate') diffserv_state = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 34, 1), enabled_status()).setMaxAccess('readwrite') diffserv_map_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 34, 2)) diffserv_map_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 34, 2, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'diffservMapDscp')) diffserv_map_dscp = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 34, 2, 1, 1), integer32()).setMaxAccess('readonly') diffserv_map_priority = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 34, 2, 1, 2), integer32()).setMaxAccess('readwrite') diffserv_port_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 34, 3)) diffserv_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 34, 3, 1)).setIndexNames((0, 'BRIDGE-MIB', 'dot1dBasePort')) diffserv_port_state = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 34, 3, 1, 1), enabled_status()).setMaxAccess('readwrite') router_rip_state = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 35, 1), enabled_status()).setMaxAccess('readwrite') router_igmp_state = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 35, 2), enabled_status()).setMaxAccess('readwrite') router_dvmrp_state = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 35, 3), enabled_status()).setMaxAccess('readwrite') router_dvmrp_threshold = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 35, 4), integer32()).setMaxAccess('readwrite') load_sharing = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 35, 5), enabled_status()).setMaxAccess('readwrite') load_sharing_criteria = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 35, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('src-ip', 1), ('src-dst-ip', 2)))).setMaxAccess('readwrite') load_sharing_aging_time = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 35, 7), integer32()).setMaxAccess('readwrite') load_sharing_discover_time = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 35, 8), integer32()).setMaxAccess('readwrite') router_rip_distance = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 35, 9), integer32()).setMaxAccess('readwrite') router_domain_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 38, 1)) router_domain_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 38, 1, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'routerDomainIpAddress'), (0, 'ZYXEL-XGS4728F-MIB', 'routerDomainIpMaskBits')) router_domain_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 38, 1, 1, 1), ip_address()).setMaxAccess('readonly') router_domain_ip_mask_bits = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 38, 1, 1, 2), integer32()).setMaxAccess('readonly') router_domain_vid = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 38, 1, 1, 3), integer32()).setMaxAccess('readonly') router_domain_ip_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 38, 2)) router_domain_ip_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 38, 2, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'routerDomainIpAddress'), (0, 'ZYXEL-XGS4728F-MIB', 'routerDomainIpMaskBits')) router_domain_ip_rip_direction = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 38, 2, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('none', 0), ('outgoing', 1), ('incoming', 2), ('both', 3)))).setMaxAccess('readwrite') router_domain_ip_rip_version = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 38, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('v1', 0), ('v2b', 1), ('v2m', 2)))).setMaxAccess('readwrite') router_domain_ip_igmp_version = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 38, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('none', 0), ('igmp-v1', 1), ('igmp-v2', 2), ('igmp-v3', 3)))).setMaxAccess('readwrite') router_domain_ip_dvmrp = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 38, 2, 1, 4), enabled_status()).setMaxAccess('readwrite') router_vrrp_max_number = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 36, 1), integer32()).setMaxAccess('readonly') router_vrrp_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 36, 2)) router_vrrp_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 36, 2, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'routerDomainIpAddress'), (0, 'ZYXEL-XGS4728F-MIB', 'routerDomainIpMaskBits'), (0, 'ZYXEL-XGS4728F-MIB', 'routerVrrpVirtualID'), (0, 'ZYXEL-XGS4728F-MIB', 'routerVrrpUplinkGateway')) router_vrrp_virtual_id = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 36, 2, 1, 1), integer32()).setMaxAccess('readonly') router_vrrp_uplink_gateway = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 36, 2, 1, 2), ip_address()).setMaxAccess('readonly') router_vrrp_preempt = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 36, 2, 1, 3), enabled_status()).setMaxAccess('readwrite') router_vrrp_interval = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 36, 2, 1, 4), integer32()).setMaxAccess('readwrite') router_vrrp_priority = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 36, 2, 1, 5), integer32()).setMaxAccess('readwrite') router_vrrp_primary_virtual_ip = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 36, 2, 1, 6), ip_address()).setMaxAccess('readwrite') router_vrrp_name = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 36, 2, 1, 7), display_string()).setMaxAccess('readwrite') router_vrrp_secondary_virtual_ip = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 36, 2, 1, 8), ip_address()).setMaxAccess('readwrite') rp_vrrp_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 36, 2, 1, 9), row_status()).setMaxAccess('readcreate') router_vrrp_domain_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 36, 3)) router_vrrp_domain_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 36, 3, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'routerDomainIpAddress'), (0, 'ZYXEL-XGS4728F-MIB', 'routerDomainIpMaskBits')) router_vrrp_auth_type = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 36, 3, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('none', 0), ('simple', 1)))).setMaxAccess('readwrite') router_vrrp_auth_key = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 36, 3, 1, 2), display_string()).setMaxAccess('readwrite') router_vrrp_status_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 37, 1)) router_vrrp_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 37, 1, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'routerVrrpStatusIpAddress'), (0, 'ZYXEL-XGS4728F-MIB', 'routerVrrpStatusIpMaskBits'), (0, 'ZYXEL-XGS4728F-MIB', 'routerVrrpStatusVirtualID')) router_vrrp_status_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 37, 1, 1, 1), ip_address()).setMaxAccess('readonly') router_vrrp_status_ip_mask_bits = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 37, 1, 1, 2), integer32()).setMaxAccess('readonly') router_vrrp_status_virtual_id = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 37, 1, 1, 3), integer32()).setMaxAccess('readonly') router_vrrp_status_vr_status = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 37, 1, 1, 4), display_string()).setMaxAccess('readonly') router_vrrp_status_up_link_status = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 37, 1, 1, 5), display_string()).setMaxAccess('readonly') ip_status_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 39, 1)) ip_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 39, 1, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'ipStatusIPAddress'), (0, 'ZYXEL-XGS4728F-MIB', 'ipStatusVid')) ip_status_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 39, 1, 1, 1), ip_address()).setMaxAccess('readonly') ip_status_vid = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 39, 1, 1, 2), integer32()).setMaxAccess('readonly') ip_status_port = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 39, 1, 1, 3), display_string()).setMaxAccess('readonly') ip_status_type = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 39, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('static', 1), ('dynamic', 2)))).setMaxAccess('readonly') ospf_interface_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 1)) ospf_interface_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 1, 1)).setIndexNames((0, 'OSPF-MIB', 'ospfIfIpAddress'), (0, 'OSPF-MIB', 'ospfAddressLessIf')) ospf_if_key_id = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 1, 1, 1), integer32()).setMaxAccess('readwrite') ospf_if_maskbits = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 1, 1, 2), integer32()).setMaxAccess('readonly') ospf_if_designated_router_id = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 1, 1, 3), ip_address()).setMaxAccess('readonly') ospf_if_backup_designated_router_id = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 1, 1, 4), ip_address()).setMaxAccess('readonly') ospf_if_nbr_count = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 1, 1, 5), integer32()).setMaxAccess('readonly') ospf_if_adjacent_nbr_count = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 1, 1, 6), integer32()).setMaxAccess('readonly') ospf_if_hello_due_time = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 1, 1, 7), display_string()).setMaxAccess('readonly') ospf_area_ext_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 2)) ospf_area_ext_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 2, 1)).setIndexNames((0, 'OSPF-MIB', 'ospfAreaId')) ospf_area_ext_name = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 2, 1, 1), display_string()).setMaxAccess('readwrite') ospf_redistribute_route_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 3)) ospf_redistribute_route_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 3, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'ospfRedistributeRouteProtocol')) ospf_redistribute_route_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 3, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('rip', 1), ('static', 2)))).setMaxAccess('readonly') ospf_redistribute_route_state = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 3, 1, 2), enabled_status()).setMaxAccess('readwrite') ospf_redistribute_route_type = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 3, 1, 3), integer32()).setMaxAccess('readwrite') ospf_redistribute_route_metric = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 3, 1, 4), integer32()).setMaxAccess('readwrite') ospf_nbr_ext_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 4)) ospf_nbr_ext_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 4, 1)).setIndexNames((0, 'OSPF-MIB', 'ospfNbrIpAddr'), (0, 'OSPF-MIB', 'ospfNbrAddressLessIndex')) ospf_nbr_ext_role = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 4, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('dr', 1), ('backup', 2), ('dr-other', 3)))).setMaxAccess('readonly') ospf_nbr_ext_deadtime = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 4, 1, 2), display_string()).setMaxAccess('readonly') ospf_nbr_ext_interface = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 4, 1, 3), ip_address()).setMaxAccess('readonly') ospf_nbr_ext_r_xmt_l = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 4, 1, 4), integer32()).setMaxAccess('readonly') ospf_nbr_ext_rqst_l = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 4, 1, 5), integer32()).setMaxAccess('readonly') ospf_nbr_ext_d_bsm_l = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 4, 1, 6), integer32()).setMaxAccess('readonly') ospf_lsdb_ext_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 5)) ospf_lsdb_ext_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 5, 1)).setIndexNames((0, 'OSPF-MIB', 'ospfLsdbAreaId'), (0, 'OSPF-MIB', 'ospfLsdbType'), (0, 'OSPF-MIB', 'ospfLsdbLsid'), (0, 'OSPF-MIB', 'ospfLsdbRouterId')) ospf_lsdb_ext_link_count = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 5, 1, 1), integer32()).setMaxAccess('readonly') ospf_lsdb_ext_route_address = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 5, 1, 2), ip_address()).setMaxAccess('readonly') ospf_lsdb_ext_route_maskbits = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 5, 1, 3), integer32()).setMaxAccess('readonly') ospf_virtual_link_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 6)) ospf_virtual_link_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 6, 1)).setIndexNames((0, 'OSPF-MIB', 'ospfVirtIfAreaId'), (0, 'OSPF-MIB', 'ospfVirtIfNeighbor')) ospf_virtual_link_name = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 6, 1, 1), display_string()).setMaxAccess('readwrite') ospf_virtual_link_key_id = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 6, 1, 2), integer32()).setMaxAccess('readwrite') ospf_summary_addr_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 7)) ospf_summary_addr_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 7, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'ospfSummaryAddress'), (0, 'ZYXEL-XGS4728F-MIB', 'ospfSummaryAddrMaskBit')) ospf_summary_address = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 7, 1, 1), ip_address()).setMaxAccess('readonly') ospf_summary_addr_mask_bit = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 7, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 32))).setMaxAccess('readonly') ospf_summary_addr_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 7, 1, 3), row_status()).setMaxAccess('readcreate') ospf_general_ext_group = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 8)) ospf_distance = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 41, 8, 1), integer32()).setMaxAccess('readwrite') mrstp_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1)) mrstp_bridge_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 1)) mrstp_bridge_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 1, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'mrstpBridgeIndex')) mrstp_bridge_index = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 1, 1, 1), integer32()).setMaxAccess('readonly') mrstp_state = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 1, 1, 2), enabled_status()).setMaxAccess('readwrite') mrstp_protocol_specification = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('unknown', 1), ('decLb100', 2), ('ieee8021d', 3)))).setMaxAccess('readonly') mrstp_priority = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 1, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readwrite') mrstp_time_since_topology_change = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 1, 1, 5), time_ticks()).setMaxAccess('readonly') mrstp_top_changes = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 1, 1, 6), counter32()).setMaxAccess('readonly') mrstp_designated_root = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 1, 1, 7), bridge_id()).setMaxAccess('readonly') mrstp_root_cost = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 1, 1, 8), integer32()).setMaxAccess('readonly') mrstp_root_port = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 1, 1, 9), integer32()).setMaxAccess('readonly') mrstp_max_age = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 1, 1, 10), timeout()).setMaxAccess('readonly') mrstp_hello_time = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 1, 1, 11), timeout()).setMaxAccess('readonly') mrstp_hold_time = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 1, 1, 12), integer32()).setMaxAccess('readonly') mrstp_forward_delay = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 1, 1, 13), timeout()).setMaxAccess('readonly') mrstp_bridge_max_age = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 1, 1, 14), timeout().subtype(subtypeSpec=value_range_constraint(600, 4000))).setMaxAccess('readwrite') mrstp_bridge_hello_time = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 1, 1, 15), timeout().subtype(subtypeSpec=value_range_constraint(100, 1000))).setMaxAccess('readwrite') mrstp_bridge_forward_delay = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 1, 1, 16), timeout().subtype(subtypeSpec=value_range_constraint(400, 3000))).setMaxAccess('readwrite') mrstp_port_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 2)) mrstp_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 2, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'mrstpPort')) mrstp_port = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly') mrstp_port_priority = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 2, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 255))).setMaxAccess('readwrite') mrstp_port_state = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('disabled', 1), ('blocking', 2), ('listening', 3), ('learning', 4), ('forwarding', 5), ('broken', 6)))).setMaxAccess('readonly') mrstp_port_enable = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2)))).setMaxAccess('readwrite') mrstp_port_path_cost = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 2, 1, 5), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readwrite') mrstp_port_designated_root = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 2, 1, 6), bridge_id()).setMaxAccess('readonly') mrstp_port_designated_cost = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 2, 1, 7), integer32()).setMaxAccess('readonly') mrstp_port_designated_bridge = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 2, 1, 8), bridge_id()).setMaxAccess('readonly') mrstp_port_designated_port = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 2, 1, 9), octet_string().subtype(subtypeSpec=value_size_constraint(2, 2)).setFixedLength(2)).setMaxAccess('readonly') mrstp_port_forward_transitions = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 2, 1, 10), counter32()).setMaxAccess('readonly') mrstp_port_on_bridge_index = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 2, 1, 11), integer32()).setMaxAccess('readwrite') mrstp_port_admin_edge_port = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 2, 1, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('true', 1), ('false', 2)))).setMaxAccess('readwrite') mrstp_port_oper_edge_port = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 1, 2, 1, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('true', 1), ('false', 2)))).setMaxAccess('readonly') mrstp_notifications = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 2)) mrstp_new_root = notification_type((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 2, 1)).setObjects(*(('ZYXEL-XGS4728F-MIB', 'mrstpBridgeIndex'),)) mrstp_topology_change = notification_type((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 42, 2, 2)).setObjects(*(('ZYXEL-XGS4728F-MIB', 'mrstpBridgeIndex'),)) dhcp_snp_vlan_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 1)) dhcp_snp_vlan_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 1, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'dhcpSnpVlanEntryVid')) dhcp_snp_vlan_entry_vid = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 4094))).setMaxAccess('readonly') dhcp_snp_vlan_entry_enable = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 1, 1, 2), enabled_status()).setMaxAccess('readwrite') dhcp_snp_vlan_entry_option82_enable = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 1, 1, 3), enabled_status()).setMaxAccess('readwrite') dhcp_snp_vlan_entry_info = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 1, 1, 4), enabled_status()).setMaxAccess('readwrite') dhcp_snp_port_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 2)) dhcp_snp_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 2, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'dhcpSnpPortEntryPort')) dhcp_snp_port_entry_port = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 2, 1, 1), integer32()).setMaxAccess('readonly') dhcp_snp_port_entry_trust = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 2, 1, 2), enabled_status()).setMaxAccess('readwrite') dhcp_snp_port_entry_rate = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 2, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 2048))).setMaxAccess('readwrite') dhcp_snp_bind_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 3)) dhcp_snp_bind_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 3, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'dhcpSnpBindEntryMac'), (0, 'ZYXEL-XGS4728F-MIB', 'dhcpSnpBindEntryVid')) dhcp_snp_bind_entry_mac = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 3, 1, 1), mac_address()).setMaxAccess('readonly') dhcp_snp_bind_entry_vid = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 3, 1, 2), integer32()).setMaxAccess('readonly') dhcp_snp_bind_entry_ip = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 3, 1, 3), ip_address()).setMaxAccess('readonly') dhcp_snp_bind_entry_lease = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 3, 1, 4), integer32()).setMaxAccess('readonly') dhcp_snp_bind_entry_type = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 3, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(2))).clone(namedValues=named_values(('dynamic', 2)))).setMaxAccess('readonly') dhcp_snp_bind_entry_port = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 3, 1, 6), integer32()).setMaxAccess('readonly') dhcp_snp_enable = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 4), enabled_status()).setMaxAccess('readwrite') dhcp_snp_db = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5)) dhcp_snp_db_abort = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readwrite') dhcp_snp_db_write_delay = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readwrite') dhcp_snp_db_url = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') dhcp_snp_db_url_renew = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') dhcp_snp_db_stat = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5)) dhcp_snp_db_stat_clear = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 1), enabled_status()).setMaxAccess('readwrite') dhcp_snp_db_stat_agent_running = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('none', 0), ('read', 1), ('write', 2)))).setMaxAccess('readonly') dhcp_snp_db_stat_delay_expiry = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 3), integer32()).setMaxAccess('readonly') dhcp_snp_db_stat_abort_expiry = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 4), integer32()).setMaxAccess('readonly') dhcp_snp_db_stat_last_succ_time = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 5), display_string()).setMaxAccess('readonly') dhcp_snp_db_stat_last_fail_time = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 6), display_string()).setMaxAccess('readonly') dhcp_snp_db_stat_last_fail_reason = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 7), display_string()).setMaxAccess('readonly') dhcp_snp_db_stat_total_attempt = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 8), integer32()).setMaxAccess('readonly') dhcp_snp_db_stat_startup_fail = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 9), integer32()).setMaxAccess('readonly') dhcp_snp_db_stat_succ_trans = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 10), integer32()).setMaxAccess('readonly') dhcp_snp_db_stat_fail_trans = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 11), integer32()).setMaxAccess('readonly') dhcp_snp_db_stat_succ_read = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 12), integer32()).setMaxAccess('readonly') dhcp_snp_db_stat_fail_read = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 13), integer32()).setMaxAccess('readonly') dhcp_snp_db_stat_succ_write = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 14), integer32()).setMaxAccess('readonly') dhcp_snp_db_stat_fail_write = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 15), integer32()).setMaxAccess('readonly') dhcp_snp_db_stat_first_succ_access = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 16), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('none', 0), ('read', 1), ('write', 2)))).setMaxAccess('readonly') dhcp_snp_db_stat_last_ignore_bind_col = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 17), integer32()).setMaxAccess('readonly') dhcp_snp_db_stat_last_ignore_expire_lease = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 18), integer32()).setMaxAccess('readonly') dhcp_snp_db_stat_last_ignore_invalid_intf = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 19), integer32()).setMaxAccess('readonly') dhcp_snp_db_stat_last_ignore_unsupp_vlan = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 20), integer32()).setMaxAccess('readonly') dhcp_snp_db_stat_last_ignore_parse = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 21), integer32()).setMaxAccess('readonly') dhcp_snp_db_stat_total_ignore_bind_col = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 22), integer32()).setMaxAccess('readonly') dhcp_snp_db_stat_total_ignore_expire_lease = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 23), integer32()).setMaxAccess('readonly') dhcp_snp_db_stat_total_ignore_invalid_intf = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 24), integer32()).setMaxAccess('readonly') dhcp_snp_db_stat_total_ignore_unsupp_vlan = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 25), integer32()).setMaxAccess('readonly') dhcp_snp_db_stat_total_ignore_parse = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 26), integer32()).setMaxAccess('readonly') dhcp_snp_db_stat_first_success_access = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 5, 5, 27), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('none', 0), ('read', 1), ('write', 2)))).setMaxAccess('readonly') dhcp_snp_dhcp_vlan = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 6)) dhcp_snp_dhcp_vlan_vid = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 100, 6, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 4094))).setMaxAccess('readwrite') ipsg_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 101, 1)) ipsg_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 101, 1, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'ipsgEntryMac'), (0, 'ZYXEL-XGS4728F-MIB', 'ipsgEntryVid')) ipsg_entry_mac = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 101, 1, 1, 1), mac_address()).setMaxAccess('readonly') ipsg_entry_vid = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 101, 1, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 4094))).setMaxAccess('readonly') ipsg_entry_ip = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 101, 1, 1, 3), ip_address()).setMaxAccess('readwrite') ipsg_entry_lease = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 101, 1, 1, 4), integer32()).setMaxAccess('readonly') ipsg_entry_type = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 101, 1, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('static', 1), ('dhcp', 2)))).setMaxAccess('readonly') ipsg_entry_port = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 101, 1, 1, 6), integer32()).setMaxAccess('readwrite') ipsg_entry_state = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 101, 1, 1, 7), row_status()).setMaxAccess('readcreate') arp_inspect_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 1)) arp_inspect_state = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 1, 1), enabled_status()).setMaxAccess('readwrite') arp_inspect_filter_aging_time = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readwrite') arp_inspect_log = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 1, 3)) arp_inspect_log_entries = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 1, 3, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 1024))).setMaxAccess('readwrite') arp_inspect_log_rate = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 1, 3, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 1024))).setMaxAccess('readwrite') arp_inspect_log_interval = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 1, 3, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readwrite') arp_inspect_vlan_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 1, 4)) arp_inspect_vlan_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 1, 4, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'arpInspectVlanVid')) arp_inspect_vlan_vid = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 1, 4, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 4094))).setMaxAccess('readonly') arp_inspect_vlan_log = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 1, 4, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('all', 1), ('none', 2), ('permit', 3), ('deny', 4)))).setMaxAccess('readwrite') arp_inspect_vlan_status = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 1, 4, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2)))).setMaxAccess('readwrite') arp_inspect_port_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 1, 5)) arp_inspect_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 1, 5, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'arpInspectPortIndex')) arp_inspect_port_index = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 1, 5, 1, 1), integer32()).setMaxAccess('readonly') arp_inspect_port_trust = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 1, 5, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('trusted', 1), ('untrusted', 2)))).setMaxAccess('readwrite') arp_inspect_port_rate = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 1, 5, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 2048))).setMaxAccess('readwrite') arp_inspect_port_interval = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 1, 5, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(1, 15))).setMaxAccess('readwrite') arp_inspect_status = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2)) arp_inspect_filter_clear = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 1), enabled_status()).setMaxAccess('readwrite') arp_inspect_log_clear = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 2), enabled_status()).setMaxAccess('readwrite') arp_inspect_filter_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 3)) arp_inspect_filter_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 3, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'arpInspectFilterMac'), (0, 'ZYXEL-XGS4728F-MIB', 'arpInspectFilterVid')) arp_inspect_filter_mac = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 3, 1, 1), mac_address()).setMaxAccess('readonly') arp_inspect_filter_vid = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 3, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 4094))).setMaxAccess('readonly') arp_inspect_filter_port = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 3, 1, 3), integer32()).setMaxAccess('readonly') arp_inspect_filter_expiry = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 3, 1, 4), integer32()).setMaxAccess('readonly') arp_inspect_filter_reason = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 3, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('macVid', 1), ('port', 2), ('ip', 3)))).setMaxAccess('readonly') arp_inspect_filter_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 3, 1, 6), row_status()).setMaxAccess('readcreate') arp_inspect_log_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 4)) arp_inspect_log_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 4, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'arpInspectLogMac'), (0, 'ZYXEL-XGS4728F-MIB', 'arpInspectLogVid'), (0, 'ZYXEL-XGS4728F-MIB', 'arpInspectLogPort'), (0, 'ZYXEL-XGS4728F-MIB', 'arpInspectLogIp'), (0, 'ZYXEL-XGS4728F-MIB', 'arpInspectLogReason')) arp_inspect_log_mac = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 4, 1, 1), mac_address()).setMaxAccess('readonly') arp_inspect_log_vid = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 4, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 4094))).setMaxAccess('readonly') arp_inspect_log_port = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 4, 1, 3), integer32()).setMaxAccess('readonly') arp_inspect_log_ip = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 4, 1, 4), ip_address()).setMaxAccess('readonly') arp_inspect_log_num_pkt = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 4, 1, 5), integer32()).setMaxAccess('readonly') arp_inspect_log_reason = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 4, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('deny', 1), ('denyStatic', 2), ('denyDHCP', 3), ('permitStatic', 4), ('permitDHCP', 5)))).setMaxAccess('readonly') arp_inspect_log_time = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 4, 1, 7), date_and_time()).setMaxAccess('readonly') arp_inspect_statistics_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 5)) arp_inspect_statistics_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 5, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'arpInspectStatisticsVid')) arp_inspect_statistics_vid = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 5, 1, 1), integer32()).setMaxAccess('readonly') arp_inspect_statistics_received = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 5, 1, 2), counter32()).setMaxAccess('readonly') arp_inspect_statistics_request = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 5, 1, 3), counter32()).setMaxAccess('readonly') arp_inspect_statistics_reply = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 5, 1, 4), counter32()).setMaxAccess('readonly') arp_inspect_statistics_forward = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 5, 1, 5), counter32()).setMaxAccess('readonly') arp_inspect_statistics_drop = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 5, 1, 6), counter32()).setMaxAccess('readonly') arp_inspect_statistics_clear = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 102, 2, 5, 1, 7), enabled_status()).setMaxAccess('readwrite') tr_tcm_state = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 103, 1), enabled_status()).setMaxAccess('readwrite') tr_tcm_mode = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 103, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('color-aware', 0), ('color-blind', 1)))).setMaxAccess('readwrite') tr_tcm_port_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 103, 3)) tr_tcm_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 103, 3, 1)).setIndexNames((0, 'BRIDGE-MIB', 'dot1dBasePort')) tr_tcm_port_state = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 103, 3, 1, 1), enabled_status()).setMaxAccess('readcreate') tr_tcm_port_cir = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 103, 3, 1, 2), integer32()).setMaxAccess('readwrite') tr_tcm_port_pir = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 103, 3, 1, 3), integer32()).setMaxAccess('readwrite') tr_tcm_port_dscp_green = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 103, 3, 1, 4), integer32()).setMaxAccess('readwrite') tr_tcm_port_dscp_yellow = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 103, 3, 1, 5), integer32()).setMaxAccess('readwrite') tr_tcm_port_dscp_red = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 103, 3, 1, 6), integer32()).setMaxAccess('readwrite') loop_guard_state = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 104, 1), enabled_status()).setMaxAccess('readwrite') loop_guard_port_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 104, 2)) loop_guard_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 104, 2, 1)).setIndexNames((0, 'BRIDGE-MIB', 'dot1dBasePort')) loop_guard_port_state = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 104, 2, 1, 1), enabled_status()).setMaxAccess('readwrite') subnet_based_vlan_state = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 105, 1), enabled_status()).setMaxAccess('readwrite') dhcp_vlan_override_state = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 105, 2), enabled_status()).setMaxAccess('readwrite') subnet_based_vlan_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 105, 3)) subnet_based_vlan_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 105, 3, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'subnetBasedVlanSrcIp'), (0, 'ZYXEL-XGS4728F-MIB', 'subnetBasedVlanSrcMaskBit')) subnet_based_vlan_src_ip = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 105, 3, 1, 1), ip_address()).setMaxAccess('readonly') subnet_based_vlan_src_mask_bit = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 105, 3, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 32))).setMaxAccess('readonly') subnet_based_vlan_name = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 105, 3, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readwrite') subnet_based_vlan_vid = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 105, 3, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(1, 4094))).setMaxAccess('readwrite') subnet_based_vlan_priority = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 105, 3, 1, 5), integer32().subtype(subtypeSpec=value_range_constraint(0, 7))).setMaxAccess('readwrite') subnet_based_vlan_entry_state = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 105, 3, 1, 6), row_status()).setMaxAccess('readcreate') mac_authentication_state = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 106, 1), enabled_status()).setMaxAccess('readwrite') mac_authentication_name_prefix = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 106, 2), display_string()).setMaxAccess('readwrite') mac_authentication_password = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 106, 3), display_string()).setMaxAccess('readwrite') mac_authentication_timeout = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 106, 4), integer32()).setMaxAccess('readwrite') mac_authentication_port_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 106, 5)) mac_authentication_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 106, 5, 1)).setIndexNames((0, 'BRIDGE-MIB', 'dot1dBasePort')) mac_authentication_port_state = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 106, 5, 1, 1), enabled_status()).setMaxAccess('readwrite') class Mstiorcistinstanceindex(Integer32, TextualConvention): subtype_spec = Integer32.subtypeSpec + value_range_constraint(0, 16) mstp_gen = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 1)) mstp_gen_state = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 1, 1), enabled_status()).setMaxAccess('readwrite') mstp_gen_cfg_id_name = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 1, 2), display_string()).setMaxAccess('readwrite') mstp_gen_cfg_id_rev_level = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 1, 3), integer32()).setMaxAccess('readwrite') mstp_gen_cfg_id_cfg_digest = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 1, 4), octet_string().subtype(subtypeSpec=value_size_constraint(16, 16)).setFixedLength(16)).setMaxAccess('readonly') mstp_gen_hello_time = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 1, 5), timeout().subtype(subtypeSpec=value_range_constraint(1, 10))).setMaxAccess('readwrite') mstp_gen_max_age = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 1, 6), timeout().subtype(subtypeSpec=value_range_constraint(6, 40))).setMaxAccess('readwrite') mstp_gen_forward_delay = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 1, 7), timeout().subtype(subtypeSpec=value_range_constraint(4, 30))).setMaxAccess('readwrite') mstp_gen_max_hops = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 1, 8), integer32().subtype(subtypeSpec=value_range_constraint(1, 255))).setMaxAccess('readwrite') mstp_gen_cist_root_path_cost = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 1, 9), integer32()).setMaxAccess('readonly') mstp_gen_cist_root_brid = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 1, 10), octet_string().subtype(subtypeSpec=value_size_constraint(8, 8)).setFixedLength(8)).setMaxAccess('readonly') mst_map_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 20)) mst_map_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 20, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'mstMapIndex')) mst_map_index = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 20, 1, 1), msti_or_cist_instance_index()) mst_map_vlans1k = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 20, 1, 2), octet_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('readwrite') mst_map_vlans2k = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 20, 1, 3), octet_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('readwrite') mst_map_vlans3k = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 20, 1, 4), octet_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('readwrite') mst_map_vlans4k = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 20, 1, 5), octet_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('readwrite') mst_map_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 20, 1, 6), row_status()).setMaxAccess('readcreate') mst_vlan_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 30)) mst_vlan_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 30, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'mstVlanIndex')) mst_vlan_index = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 30, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 4094))) mst_vlan_mst_index = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 30, 1, 2), msti_or_cist_instance_index()).setMaxAccess('readonly') mstp_port_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 40)) mstp_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 40, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'mstpPortIndex')) mstp_port_index = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 40, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535))) mstp_port_oper_edge_port = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 40, 1, 2), truth_value()).setMaxAccess('readonly') mstp_port_oper_point_to_point_mac = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 40, 1, 3), truth_value()).setMaxAccess('readonly') mstp_port_admin_edge_port = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 40, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('true', 1), ('false', 2)))).setMaxAccess('readwrite') mstp_xst_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 50)) mstp_xst_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 50, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'mstpXstId')) mstp_xst_id = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 50, 1, 1), msti_or_cist_instance_index()).setMaxAccess('readonly') mstp_xst_bridge_priority = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 50, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 61440)).clone(32768)).setMaxAccess('readwrite') mstp_xst_bridge_id = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 50, 1, 3), bridge_id()).setMaxAccess('readonly') mstp_xst_internal_root_cost = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 50, 1, 4), integer32()).setMaxAccess('readonly') mstp_xst_root_port = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 50, 1, 5), integer32()).setMaxAccess('readonly') mstp_xst_time_since_topology_change = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 50, 1, 6), time_ticks()).setMaxAccess('readonly') mstp_xst_topology_changes_count = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 50, 1, 7), counter32()).setMaxAccess('readonly') mstp_xst_port_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 60)) mstp_xst_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 60, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'mstpXstPortXstId'), (0, 'ZYXEL-XGS4728F-MIB', 'mstpXstPortIndex')) mstp_xst_port_xst_id = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 60, 1, 1), msti_or_cist_instance_index()) mstp_xst_port_index = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 60, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly') mstp_xst_port_enable = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 60, 1, 3), enabled_status()).setMaxAccess('readwrite') mstp_xst_port_priority = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 60, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 255)).clone(128)).setMaxAccess('readwrite') mstp_xst_port_path_cost = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 60, 1, 5), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readwrite') mstp_xst_port_state = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 60, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4))).clone(namedValues=named_values(('disabled', 0), ('discarding', 1), ('learning', 2), ('forwarding', 3), ('unknown', 4)))).setMaxAccess('readonly') mstp_xst_port_designated_root = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 60, 1, 7), bridge_id()).setMaxAccess('readonly') mstp_xst_port_designated_cost = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 60, 1, 8), integer32()).setMaxAccess('readonly') mstp_xst_port_designated_bridge = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 60, 1, 9), bridge_id()).setMaxAccess('readonly') mstp_xst_port_designated_port = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 60, 1, 10), integer32()).setMaxAccess('readonly') mstp_notifications = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 70)) mstp_new_root = notification_type((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 70, 1)).setObjects(*(('ZYXEL-XGS4728F-MIB', 'mstpXstId'),)) mstp_topology_change = notification_type((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 107, 70, 2)).setObjects(*(('ZYXEL-XGS4728F-MIB', 'mstpXstId'),)) radius_auth_server_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 108, 1)) radius_auth_server_mode = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 108, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('index-priority', 1), ('round-robin', 2)))).setMaxAccess('readwrite') radius_auth_server_timeout = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 108, 1, 2), integer32()).setMaxAccess('readwrite') radius_auth_server_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 108, 1, 3)) radius_auth_server_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 108, 1, 3, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'radiusAuthServerIndex')) radius_auth_server_index = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 108, 1, 3, 1, 1), integer32()) radius_auth_server_ip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 108, 1, 3, 1, 2), ip_address()).setMaxAccess('readwrite') radius_auth_server_udp_port = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 108, 1, 3, 1, 3), integer32()).setMaxAccess('readwrite') radius_auth_server_shared_secret = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 108, 1, 3, 1, 4), display_string()).setMaxAccess('readwrite') radius_acct_server_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 108, 2)) radius_acct_server_timeout = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 108, 2, 1), integer32()).setMaxAccess('readwrite') radius_acct_server_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 108, 2, 2)) radius_acct_server_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 108, 2, 2, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'radiusAcctServerIndex')) radius_acct_server_index = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 108, 2, 2, 1, 1), integer32()) radius_acct_server_ip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 108, 2, 2, 1, 2), ip_address()).setMaxAccess('readwrite') radius_acct_server_udp_port = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 108, 2, 2, 1, 3), integer32()).setMaxAccess('readwrite') radius_acct_server_shared_secret = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 108, 2, 2, 1, 4), display_string()).setMaxAccess('readwrite') tacacs_auth_server_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 109, 1)) tacacs_auth_server_mode = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 109, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('index-priority', 1), ('round-robin', 2)))).setMaxAccess('readwrite') tacacs_auth_server_timeout = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 109, 1, 2), integer32()).setMaxAccess('readwrite') tacacs_auth_server_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 109, 1, 3)) tacacs_auth_server_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 109, 1, 3, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'tacacsAuthServerIndex')) tacacs_auth_server_index = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 109, 1, 3, 1, 1), integer32()) tacacs_auth_server_ip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 109, 1, 3, 1, 2), ip_address()).setMaxAccess('readwrite') tacacs_auth_server_tcp_port = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 109, 1, 3, 1, 3), integer32()).setMaxAccess('readwrite') tacacs_auth_server_shared_secret = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 109, 1, 3, 1, 4), display_string()).setMaxAccess('readwrite') tacacs_acct_server_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 109, 2)) tacacs_acct_server_timeout = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 109, 2, 1), integer32()).setMaxAccess('readwrite') tacacs_acct_server_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 109, 2, 2)) tacacs_acct_server_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 109, 2, 2, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'tacacsAcctServerIndex')) tacacs_acct_server_index = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 109, 2, 2, 1, 1), integer32()) tacacs_acct_server_ip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 109, 2, 2, 1, 2), ip_address()).setMaxAccess('readwrite') tacacs_acct_server_tcp_port = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 109, 2, 2, 1, 3), integer32()).setMaxAccess('readwrite') tacacs_acct_server_shared_secret = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 109, 2, 2, 1, 4), display_string()).setMaxAccess('readwrite') authentication_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 1)) authentication_type_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 1, 1)) authentication_type_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 1, 1, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'authenticationTypeName')) authentication_type_name = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 1, 1, 1, 1), display_string()).setMaxAccess('readonly') authentication_type_method_list = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 1, 1, 1, 2), octet_string()).setMaxAccess('readwrite') accounting_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 2)) accounting_update_period = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 2, 1), integer32()).setMaxAccess('readwrite') accounting_type_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 2, 2)) accounting_type_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 2, 2, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'accountingTypeName')) accounting_type_name = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 2, 2, 1, 1), display_string()).setMaxAccess('readonly') accounting_type_active = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 2, 2, 1, 2), enabled_status()).setMaxAccess('readwrite') accounting_type_broadcast = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 2, 2, 1, 3), enabled_status()).setMaxAccess('readwrite') accounting_type_mode = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 2, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(255, 1, 2))).clone(namedValues=named_values(('not-available', 255), ('start-stop', 1), ('stop-only', 2)))).setMaxAccess('readwrite') accounting_type_method = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 2, 2, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('radius', 1), ('tacacs', 2)))).setMaxAccess('readwrite') accounting_type_privilege = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 2, 2, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(255, 0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14))).clone(namedValues=named_values(('not-available', 255), ('privilege-0', 0), ('privilege-1', 1), ('privilege-2', 2), ('privilege-3', 3), ('privilege-4', 4), ('privilege-5', 5), ('privilege-6', 6), ('privilege-7', 7), ('privilege-8', 8), ('privilege-9', 9), ('privilege-10', 10), ('privilege-11', 11), ('privilege-12', 12), ('privilege-13', 13), ('privilege-14', 14)))).setMaxAccess('readwrite') authorization_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 3)) authorization_type_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 3, 1)) authorization_type_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 3, 1, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'authorizationTypeName')) authorization_type_name = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 3, 1, 1, 1), display_string()).setMaxAccess('readonly') authorization_type_active = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 3, 1, 1, 2), enabled_status()).setMaxAccess('readwrite') authorization_type_method = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 110, 3, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('radius', 1), ('tacacs', 2)))).setMaxAccess('readwrite') port_isolation_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 112, 1)) port_isolation_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 112, 1, 1)).setIndexNames((0, 'BRIDGE-MIB', 'dot1dBasePort')) port_isolation_state = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 112, 1, 1, 1), enabled_status()).setMaxAccess('readwrite') l2pt_state = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 115, 1), enabled_status()).setMaxAccess('readwrite') l2pt_mac_addr = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 115, 2), mac_address()).setMaxAccess('readwrite') l2pt_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 115, 3)) l2pt_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 115, 3, 1)).setIndexNames((0, 'BRIDGE-MIB', 'dot1dBasePort')) l2pt_protocol_group = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 115, 3, 1, 1), bits().clone(namedValues=named_values(('cdp', 0), ('stp', 1), ('vtp', 2)))).setMaxAccess('readwrite') l2pt_point_to_point_protocol_group = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 115, 3, 1, 2), bits().clone(namedValues=named_values(('pagp', 0), ('lacp', 1), ('udld', 2)))).setMaxAccess('readwrite') l2pt_mode = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 115, 3, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('access', 1), ('tunnel', 2)))).setMaxAccess('readwrite') vlan_mapping_state = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 116, 1), enabled_status()).setMaxAccess('readwrite') vlan_mapping_port_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 116, 2)) vlan_mapping_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 116, 2, 1)).setIndexNames((0, 'BRIDGE-MIB', 'dot1dBasePort')) vlan_mapping_port_state = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 116, 2, 1, 1), enabled_status()).setMaxAccess('readwrite') vlan_mapping_rule_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 116, 3)) vlan_mapping_rule_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 116, 3, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'vlanMappingRulePort'), (0, 'ZYXEL-XGS4728F-MIB', 'vlanMappingRuleVid')) vlan_mapping_rule_name = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 116, 3, 1, 1), display_string()).setMaxAccess('readwrite') vlan_mapping_rule_port = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 116, 3, 1, 2), integer32()).setMaxAccess('readonly') vlan_mapping_rule_vid = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 116, 3, 1, 3), integer32()).setMaxAccess('readonly') vlan_mapping_rule_trans_vid = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 116, 3, 1, 4), integer32()).setMaxAccess('readwrite') vlan_mapping_rule_priority = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 116, 3, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7))).clone(namedValues=named_values(('prioriry-0', 0), ('prioriry-1', 1), ('prioriry-2', 2), ('prioriry-3', 3), ('prioriry-4', 4), ('prioriry-5', 5), ('prioriry-6', 6), ('prioriry-7', 7)))).setMaxAccess('readwrite') vlan_mapping_rule_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 116, 3, 1, 6), row_status()).setMaxAccess('readcreate') transceiver_serial_info_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 1)) transceiver_serial_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 1, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'transceiverSerialInfoEntryPort')) transceiver_serial_info_entry_port = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 1, 1, 1), integer32()).setMaxAccess('readonly') transceiver_serial_info_entry_status = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('ok-with-DDM', 1), ('ok-without-DDM', 2), ('nonoperational', 3)))).setMaxAccess('readonly') transceiver_serial_info_entry_vendor = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 1, 1, 3), display_string()).setMaxAccess('readonly') transceiver_serial_info_entry_part_no = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 1, 1, 4), display_string()).setMaxAccess('readonly') transceiver_serial_info_entry_serial_no = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 1, 1, 5), display_string()).setMaxAccess('readonly') transceiver_serial_info_entry_revision = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 1, 1, 6), display_string()).setMaxAccess('readonly') transceiver_serial_info_entry_date_code = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 1, 1, 7), display_string()).setMaxAccess('readonly') transceiver_serial_info_entry_transceiver = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 1, 1, 8), display_string()).setMaxAccess('readonly') transceiver_ddm_info_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 2)) transceiver_ddm_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 2, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'transceiverDdmInfoEntryPort'), (0, 'ZYXEL-XGS4728F-MIB', 'transceiverDdmInfoEntryType')) transceiver_ddm_info_entry_port = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 2, 1, 1), integer32()).setMaxAccess('readonly') transceiver_ddm_info_entry_type = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 2, 1, 2), integer32()).setMaxAccess('readonly') transceiver_ddm_info_entry_alarm_max = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 2, 1, 3), integer32()).setMaxAccess('readonly') transceiver_ddm_info_entry_alarm_min = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 2, 1, 4), integer32()).setMaxAccess('readonly') transceiver_ddm_info_entry_warn_max = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 2, 1, 5), integer32()).setMaxAccess('readonly') transceiver_ddm_info_entry_warn_min = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 2, 1, 6), integer32()).setMaxAccess('readonly') transceiver_ddm_info_entry_current = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 2, 1, 7), integer32()).setMaxAccess('readonly') transceiver_ddm_info_entry_description = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 117, 2, 1, 8), display_string()).setMaxAccess('readonly') dot3_oam_state = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 118, 1), enabled_status()).setMaxAccess('readwrite') dot3_oam_port_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 118, 2)) dot3_oam_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 118, 2, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex')) dot3_oam_functions_supported = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 118, 2, 1, 1), bits().clone(namedValues=named_values(('unidirectionalSupport', 0), ('loopbackSupport', 1), ('eventSupport', 2), ('variableSupport', 3)))).setMaxAccess('readwrite') dot1ag_cfm_mib_objects = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 119, 1)) dot1ag_cfm_mep = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 119, 1, 7)) zyswdot1ag_cfm_mep_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 119, 1, 7, 1)) zyswdot1ag_cfm_mep_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 119, 1, 7, 1, 1)).setIndexNames((0, 'IEEE8021-CFM-MIB', 'dot1agCfmMdIndex'), (0, 'IEEE8021-CFM-MIB', 'dot1agCfmMaIndex'), (0, 'IEEE8021-CFM-MIB', 'dot1agCfmMepIdentifier')) zyswdot1ag_cfm_mep_transmit_lbm_data_tlv_size = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 119, 1, 7, 1, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1500))).setMaxAccess('readwrite') vlan_counter_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122, 1)) vlan_counter_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122, 1, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'vlanCounterVlanID')) vlan_counter_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122, 1, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 4094))).setMaxAccess('readonly') vlan_counter_hc_octets = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122, 1, 1, 2), counter64()).setUnits('Octets').setMaxAccess('readonly') vlan_counter_hc_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122, 1, 1, 3), counter64()).setMaxAccess('readonly') vlan_counter_hc_multicast_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122, 1, 1, 4), counter64()).setMaxAccess('readonly') vlan_counter_hc_broadcast_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122, 1, 1, 5), counter64()).setMaxAccess('readonly') vlan_counter_hc_tagged_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122, 1, 1, 6), counter64()).setMaxAccess('readonly') vlan_counter_hc_pkts64_octets = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122, 1, 1, 7), counter64()).setMaxAccess('readonly') vlan_counter_hc_pkts65to127_octets = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122, 1, 1, 8), counter64()).setMaxAccess('readonly') vlan_counter_hc_pkts128to255_octets = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122, 1, 1, 9), counter64()).setMaxAccess('readonly') vlan_counter_hc_pkts256to511_octets = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122, 1, 1, 10), counter64()).setMaxAccess('readonly') vlan_counter_hc_pkts512to1023_octets = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122, 1, 1, 11), counter64()).setMaxAccess('readonly') vlan_counter_hc_pkts1024to1518_octets = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122, 1, 1, 12), counter64()).setMaxAccess('readonly') vlan_counter_hc_oversize_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122, 1, 1, 13), counter64()).setMaxAccess('readonly') vlan_counter_timeout = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122, 1, 1, 14), unsigned32()).setMaxAccess('readwrite') vlan_counter_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122, 1, 1, 15), row_status()).setMaxAccess('readwrite') vlan_counter_port = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 122, 1, 1, 16), port_list()).setMaxAccess('readwrite') sys_memory_pool_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 124, 1)) sys_memory_pool_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 124, 1, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'sysMemoryPoolId')) sys_memory_pool_id = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 124, 1, 1, 1), unsigned32()).setMaxAccess('readonly') sys_memory_pool_name = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 124, 1, 1, 2), octet_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readonly') sys_memory_pool_total = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 124, 1, 1, 3), unsigned32()).setMaxAccess('readonly') sys_memory_pool_used = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 124, 1, 1, 4), unsigned32()).setMaxAccess('readonly') sys_memory_pool_util = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 124, 1, 1, 5), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly') pppoe_ia_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1)) pppoe_ia_state = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 1), enabled_status()).setMaxAccess('readwrite') pppoe_ia_access_node_identifier_string = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 2), display_string()).setMaxAccess('readwrite') pppoe_ia_flexible_circuit_id_syntax_active = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 3), enabled_status()).setMaxAccess('readwrite') pppoe_ia_flexible_circuit_id_syntax_identifier_string = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 4), display_string()).setMaxAccess('readwrite') pppoe_ia_flexible_circuit_id_syntax_option = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('sp', 1), ('sv', 2), ('pv', 3), ('spv', 4)))).setMaxAccess('readwrite') pppoe_ia_flexible_circuit_id_syntax_delimiter = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('pound-sign', 1), ('dot', 2), ('comma', 3), ('semicolon', 4), ('slash', 5), ('space', 6)))).setMaxAccess('readwrite') pppoe_ia_port_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 7)) pppoe_ia_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 7, 1)).setIndexNames((0, 'BRIDGE-MIB', 'dot1dBasePort')) pppoe_ia_port_entry_port = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 7, 1, 1), integer32()).setMaxAccess('readonly') pppoe_ia_port_entry_trust = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 7, 1, 2), enabled_status()).setMaxAccess('readwrite') pppoe_ia_port_entry_circuit_id_string = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 7, 1, 3), display_string()).setMaxAccess('readwrite') pppoe_ia_port_entry_remote_id_string = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 7, 1, 4), display_string()).setMaxAccess('readwrite') pppoe_ia_vlan_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 8)) pppoe_ia_vlan_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 8, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'pppoeIaVlanEntryVid')) pppoe_ia_vlan_entry_vid = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 8, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 4094))).setMaxAccess('readonly') pppoe_ia_vlan_entry_circuit_id = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 8, 1, 2), enabled_status()).setMaxAccess('readwrite') pppoe_ia_vlan_entry_remote_id = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 8, 1, 3), enabled_status()).setMaxAccess('readwrite') pppoe_ia_vlan_entry_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 8, 1, 4), row_status()).setMaxAccess('readcreate') pppoe_ia_port_vlan_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 9)) pppoe_ia_port_vlan_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 9, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'pppoeIaPortVlanEntryPort'), (0, 'ZYXEL-XGS4728F-MIB', 'pppoeIaPortVlanEntryVid')) pppoe_ia_port_vlan_entry_port = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 9, 1, 1), integer32()).setMaxAccess('readonly') pppoe_ia_port_vlan_entry_vid = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 9, 1, 2), integer32()).setMaxAccess('readonly') pppoe_ia_port_vlan_entry_circuit_id_string = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 9, 1, 3), display_string()).setMaxAccess('readwrite') pppoe_ia_port_vlan_entry_remote_id_string = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 9, 1, 4), display_string()).setMaxAccess('readwrite') pppoe_ia_port_vlan_entry_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 125, 1, 9, 1, 5), row_status()).setMaxAccess('readcreate') arp_learning_port_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 126, 1)) arp_learning_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 126, 1, 1)).setIndexNames((0, 'BRIDGE-MIB', 'dot1dBasePort')) arp_learning_port_mode = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 126, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('arp-reply', 0), ('gratuitous-arp', 1), ('arp-request', 2)))).setMaxAccess('readwrite') max_number_of_static_routes = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 127, 1), integer32()).setMaxAccess('readonly') static_route_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 127, 2)) static_route_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 127, 2, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'staticRouteIp'), (0, 'ZYXEL-XGS4728F-MIB', 'staticRouteMask'), (0, 'ZYXEL-XGS4728F-MIB', 'staticRouteGateway')) static_route_name = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 127, 2, 1, 1), display_string()).setMaxAccess('readwrite') static_route_ip = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 127, 2, 1, 2), ip_address()) static_route_mask = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 127, 2, 1, 3), ip_address()) static_route_gateway = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 127, 2, 1, 4), ip_address()) static_route_metric = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 127, 2, 1, 5), integer32()).setMaxAccess('readwrite') static_route_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 127, 2, 1, 6), row_status()).setMaxAccess('readcreate') routing_status_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 128, 1)) routing_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 128, 1, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'routingStatusDestAddress'), (0, 'ZYXEL-XGS4728F-MIB', 'routingStatusDestMaskbits'), (0, 'ZYXEL-XGS4728F-MIB', 'routingStatusGateway')) routing_status_dest_address = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 128, 1, 1, 1), ip_address()).setMaxAccess('readonly') routing_status_dest_maskbits = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 128, 1, 1, 2), integer32()).setMaxAccess('readonly') routing_status_gateway = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 128, 1, 1, 3), ip_address()).setMaxAccess('readonly') routing_status_interface = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 128, 1, 1, 4), ip_address()).setMaxAccess('readonly') routing_status_metric = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 128, 1, 1, 5), integer32()).setMaxAccess('readonly') routing_status_type = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 128, 1, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('rip', 1), ('bgp', 2), ('ospf', 3), ('static', 4)))).setMaxAccess('readonly') recovery = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 1)) errdisable_recovery_setup = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 1, 1)) errdisable_recovery_state = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 1, 1, 1), enabled_status()).setMaxAccess('readwrite') errdisable_recovery_reason_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 1, 1, 2)) errdisable_recovery_reason_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 1, 1, 2, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'errdisableRecoveryReason')) errdisable_recovery_reason = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 1, 1, 2, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('loopguard', 0), ('arp', 1), ('bpdu', 2), ('igmp', 3)))).setMaxAccess('readonly') errdisable_recovery_reason_active = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 1, 1, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2)))).setMaxAccess('readwrite') errdisable_recovery_reason_interval = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 1, 1, 2, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(30, 2592000))).setMaxAccess('readwrite') errdisable_recovery_if_status_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 1, 1, 3)) errdisable_recovery_if_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 1, 1, 3, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'errdisableRecoveryIfStatusReason'), (0, 'ZYXEL-XGS4728F-MIB', 'errdisableRecoveryIfStatusPort')) errdisable_recovery_if_status_reason = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 1, 1, 3, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('loopguard', 0), ('arp', 1), ('bpdu', 2), ('igmp', 3)))).setMaxAccess('readonly') errdisable_recovery_if_status_port = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 1, 1, 3, 1, 2), integer32()).setMaxAccess('readonly') errdisable_recovery_if_status_time_to_recover = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 1, 1, 3, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(30, 2592000))).setMaxAccess('readonly') detect = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 2)) errdisable_detect_reason_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 2, 1)) errdisable_detect_reason_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 2, 1, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'errdisableDetectReason')) errdisable_detect_reason = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 2, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('arp', 1), ('bpdu', 2), ('igmp', 3)))).setMaxAccess('readonly') errdisable_detect_reason_enable = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 2, 1, 1, 2), enabled_status()).setMaxAccess('readwrite') errdisable_detect_reason_mode = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 2, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('inactive-port', 1), ('inactive-reason', 2), ('rate-limitation', 3)))).setMaxAccess('readwrite') errdisable_trap_info_object = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 3)) errdisable_trap_port = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 3, 1), integer32()).setMaxAccess('readonly') errdisable_trap_reason = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 3, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('loopguard', 0), ('arp', 1), ('bpdu', 2), ('igmp', 3)))).setMaxAccess('readonly') errdisable_trap_mode = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 3, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('inactive-port', 0), ('inactive-reason', 1), ('rate-limitation', 2)))).setMaxAccess('readonly') errdisable_trap_notifications = mib_identifier((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 4)) errdisable_detect_trap = notification_type((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 4, 1)).setObjects(*(('ZYXEL-XGS4728F-MIB', 'errdisableTrapPort'), ('ZYXEL-XGS4728F-MIB', 'errdisableTrapReason'), ('ZYXEL-XGS4728F-MIB', 'errdisableTrapMode'))) errdisable_recovery_trap = notification_type((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 130, 4, 2)).setObjects(*(('ZYXEL-XGS4728F-MIB', 'errdisableTrapPort'), ('ZYXEL-XGS4728F-MIB', 'errdisableTrapReason'), ('ZYXEL-XGS4728F-MIB', 'errdisableTrapMode'))) cpu_protection_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 131, 1)) cpu_protection_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 131, 1, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'cpuProtectionPort'), (0, 'ZYXEL-XGS4728F-MIB', 'cpuProtectionReason')) cpu_protection_port = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 131, 1, 1, 1), integer32()).setMaxAccess('readonly') cpu_protection_reason = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 131, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('arp', 1), ('bpdu', 2), ('igmp', 3)))).setMaxAccess('readonly') cpu_protection_rate_limit_set = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 131, 1, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 256))).setMaxAccess('readwrite') policy_route_profile_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 132, 1)) policy_route_profile_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 132, 1, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'policyRouteProfileName')) policy_route_profile_enable = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 132, 1, 1, 1), enabled_status()).setMaxAccess('readwrite') policy_route_profile_name = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 132, 1, 1, 2), display_string()).setMaxAccess('readonly') policy_route_profile_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 132, 1, 1, 3), row_status()).setMaxAccess('readcreate') policy_route_rule_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 132, 2)) policy_route_rule_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 132, 2, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'policyRouteRuleProfileName'), (0, 'ZYXEL-XGS4728F-MIB', 'policyRouteRuleSequence')) policy_route_rule_profile_name = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 132, 2, 1, 1), display_string()).setMaxAccess('readonly') policy_route_rule_sequence = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 132, 2, 1, 2), integer32()).setMaxAccess('readonly') policy_route_rule_statement = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 132, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('permit', 0), ('deny', 1)))).setMaxAccess('readwrite') policy_route_rule_calssifier = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 132, 2, 1, 4), display_string()).setMaxAccess('readwrite') policy_route_rule_set_next_hop = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 132, 2, 1, 5), ip_address()).setMaxAccess('readwrite') policy_route_rule_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 132, 2, 1, 6), row_status()).setMaxAccess('readcreate') private_vlan_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 133, 1)) private_vlan_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 133, 1, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'privateVLANVid')) private_vlan_name = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 133, 1, 1, 1), display_string()).setMaxAccess('readwrite') private_vlan_vid = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 133, 1, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 4094))).setMaxAccess('readonly') private_vlan_promiscuous_ports = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 133, 1, 1, 3), port_list()).setMaxAccess('readwrite') private_vlan_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 133, 1, 1, 4), row_status()).setMaxAccess('readwrite') s_flow_state = mib_scalar((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 134, 1), enabled_status()).setMaxAccess('readwrite') s_flow_collector_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 134, 2)) s_flow_collector_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 134, 2, 1)).setIndexNames((0, 'ZYXEL-XGS4728F-MIB', 'sFlowCollectorAddressType'), (0, 'ZYXEL-XGS4728F-MIB', 'sFlowCollectorAddress')) s_flow_collector_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 134, 2, 1, 1), inet_address_type()).setMaxAccess('readonly') s_flow_collector_address = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 134, 2, 1, 2), inet_address()).setMaxAccess('readonly') s_flow_collector_udp_port = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 134, 2, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readwrite') s_flow_collector_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 134, 2, 1, 4), row_status()).setMaxAccess('readwrite') s_flow_port_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 134, 3)) s_flow_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 134, 3, 1)).setIndexNames((0, 'BRIDGE-MIB', 'dot1dBasePort')) s_flow_port_state = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 134, 3, 1, 1), enabled_status()).setMaxAccess('readwrite') s_flow_port_collector_table = mib_table((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 134, 4)) s_flow_port_collector_entry = mib_table_row((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 134, 4, 1)).setIndexNames((0, 'BRIDGE-MIB', 'dot1dBasePort'), (0, 'ZYXEL-XGS4728F-MIB', 'sFlowPortCollectorAddressType'), (0, 'ZYXEL-XGS4728F-MIB', 'sFlowPortCollectorAddress')) s_flow_port_collector_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 134, 4, 1, 1), inet_address_type()).setMaxAccess('readonly') s_flow_port_collector_address = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 134, 4, 1, 2), inet_address()).setMaxAccess('readonly') s_flow_port_collector_sample_rate = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 134, 4, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(256, 65535))).setMaxAccess('readwrite') s_flow_port_collector_poll_interval = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 134, 4, 1, 4), unsigned32().subtype(subtypeSpec=value_range_constraint(20, 120))).setMaxAccess('readwrite') s_flow_port_collector_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 890, 1, 5, 8, 46, 134, 4, 1, 5), row_status()).setMaxAccess('readwrite') mibBuilder.exportSymbols('ZYXEL-XGS4728F-MIB', PYSNMP_MODULE_ID=ZYXEL_xgs4728f_MIB) mibBuilder.exportSymbols('ZYXEL-XGS4728F-MIB', sysMgmtCounterReset=sysMgmtCounterReset, sysMgmtReboot=sysMgmtReboot, dhcpSnpEnable=dhcpSnpEnable, portSecurityVMLTable=portSecurityVMLTable, errdisableRecoveryIfStatusEntry=errdisableRecoveryIfStatusEntry, filterName=filterName, mrstpPortPathCost=mrstpPortPathCost, igmpSnpV3CountQueryTx=igmpSnpV3CountQueryTx, mvrGroupRowStatus=mvrGroupRowStatus, mstpPortOperPointToPointMAC=mstpPortOperPointToPointMAC, securedClientIndex=securedClientIndex, EventSeverity=EventSeverity, sysLogServerTable=sysLogServerTable, igmpFilteringProfileName=igmpFilteringProfileName, dhcpSnpDbStatClear=dhcpSnpDbStatClear, sysLogState=sysLogState, routerVrrpDomainEntry=routerVrrpDomainEntry, dhcpSnpDbAbort=dhcpSnpDbAbort, arpType=arpType, aggrPortTable=aggrPortTable, clsuterStatusMaxNumOfMember=clsuterStatusMaxNumOfMember, vlanCounterHCBroadcastPkts=vlanCounterHCBroadcastPkts, portSecurityVMLEntry=portSecurityVMLEntry, mrstp=mrstp, tempDescr=tempDescr, snmpUserAuthProtocol=snmpUserAuthProtocol, portBasedVlanPortListTable=portBasedVlanPortListTable, dhcpSnpDbStatLastIgnoreInvalidIntf=dhcpSnpDbStatLastIgnoreInvalidIntf, mrstpPortPriority=mrstpPortPriority, ospfRedistributeRouteEntry=ospfRedistributeRouteEntry, mstVlanEntry=mstVlanEntry, radiusAcctServerIndex=radiusAcctServerIndex, arpInspectSetup=arpInspectSetup, multicastPortIgmpFilteringProfile=multicastPortIgmpFilteringProfile, dateTimeNewTimeSecond=dateTimeNewTimeSecond, radiusAuthServerEntry=radiusAuthServerEntry, radiusAuthServerUdpPort=radiusAuthServerUdpPort, radiusAuthServerIndex=radiusAuthServerIndex, mrstpNewRoot=mrstpNewRoot, rateLimitPortEgrState=rateLimitPortEgrState, privateVLANTable=privateVLANTable, cpuProtectionSetup=cpuProtectionSetup, routerVrrpTable=routerVrrpTable, dhcpSnpDbStatLastFailTime=dhcpSnpDbStatLastFailTime, sysMemoryPoolId=sysMemoryPoolId, trTCMState=trTCMState, transceiverDdmInfoEntryType=transceiverDdmInfoEntryType, clusterStatusMemberModel=clusterStatusMemberModel, routerDomainIpDvmrp=routerDomainIpDvmrp, policyRouteRuleStatement=policyRouteRuleStatement, authenticationTypeMethodList=authenticationTypeMethodList, igmpSnpV2CountVlanQueryTx=igmpSnpV2CountVlanQueryTx, dot1xSetup=dot1xSetup, pppoeIaVlanEntryVid=pppoeIaVlanEntryVid, policyRouteProfileEnable=policyRouteProfileEnable, igmpsnpVlanMode=igmpsnpVlanMode, sFlowPortState=sFlowPortState, loopGuardState=loopGuardState, eventInstanceName=eventInstanceName, arpInspectState=arpInspectState, policyRouteRuleSetNextHop=policyRouteRuleSetNextHop, arpInspectFilterVid=arpInspectFilterVid, maxNumberOfStaticRoutes=maxNumberOfStaticRoutes, protoBasedVlanSetup=protoBasedVlanSetup, trTCMPortCIR=trTCMPortCIR, ospfInterfaceTable=ospfInterfaceTable, errdisableTrapMode=errdisableTrapMode, ipStatus=ipStatus, selectiveQinQTable=selectiveQinQTable, cpuProtectionReason=cpuProtectionReason, pppoeIaSetup=pppoeIaSetup, portAuthGuestVlanHostMode=portAuthGuestVlanHostMode, dhcpRelayVid=dhcpRelayVid, loopGuardSetup=loopGuardSetup, mstpNotifications=mstpNotifications, routerRipState=routerRipState, radiusAuthServerSetup=radiusAuthServerSetup, vlanCounterEntry=vlanCounterEntry, clusterManagerEntry=clusterManagerEntry, loadSharingDiscoverTime=loadSharingDiscoverTime, vlanMappingPortState=vlanMappingPortState, ipStatusEntry=ipStatusEntry, zyswdot1agCfmMepTransmitLbmDataTlvSize=zyswdot1agCfmMepTransmitLbmDataTlvSize, tacacsAcctServerSharedSecret=tacacsAcctServerSharedSecret, portIsolationSetup=portIsolationSetup, arpLearningSetup=arpLearningSetup, sysLogTypeFacility=sysLogTypeFacility, sysSerialNumber=sysSerialNumber, dhcpRelay=dhcpRelay, mrstpBridgeMaxAge=mrstpBridgeMaxAge, dot1agCfmMIBObjects=dot1agCfmMIBObjects, brLimitState=brLimitState, fanRpmEntry=fanRpmEntry, mirrorEntry=mirrorEntry, routerVrrpAuthType=routerVrrpAuthType, ipsgEntryIp=ipsgEntryIp, igmpFilteringProfileStartAddress=igmpFilteringProfileStartAddress, arpIpAddr=arpIpAddr, mrstpPortDesignatedPort=mrstpPortDesignatedPort, portOpModePortModuleType=portOpModePortModuleType, authorizationTypeName=authorizationTypeName, arpInspect=arpInspect, radiusAcctServerTable=radiusAcctServerTable, accountingTypeBroadcast=accountingTypeBroadcast, transceiverSerialInfoTable=transceiverSerialInfoTable, pppoeIaVlanEntryRemoteID=pppoeIaVlanEntryRemoteID, globalDhcpRelay=globalDhcpRelay, voltageCurValue=voltageCurValue, outOfBandIp=outOfBandIp, igmpSnpV3CountReportRxDrop=igmpSnpV3CountReportRxDrop, igmpSnpV2CountVlanReportRx=igmpSnpV2CountVlanReportRx, accountingTypeMethod=accountingTypeMethod, routerVrrpDomainTable=routerVrrpDomainTable, mstMapVlans3k=mstMapVlans3k, sFlowPortCollectorSampleRate=sFlowPortCollectorSampleRate, igmpFilteringProfileSetup=igmpFilteringProfileSetup, sysMgmtTftpConfigIndex=sysMgmtTftpConfigIndex, dhcpSnpDbStatLastIgnoreBindCol=dhcpSnpDbStatLastIgnoreBindCol, protoBasedVlanPriority=protoBasedVlanPriority, igmpSnpV3CountVlanQueryRx=igmpSnpV3CountVlanQueryRx, mvrRowStatus=mvrRowStatus, mirrorMonitorPort=mirrorMonitorPort, dhcpSnpDbStatTotalIgnoreBindCol=dhcpSnpDbStatTotalIgnoreBindCol, snmpTrapIPGroup=snmpTrapIPGroup, accessCtlEnable=accessCtlEnable, mvrMode=mvrMode, snmpTrapDestEntry=snmpTrapDestEntry, clusterMemberName=clusterMemberName, portQueuingMethodHybridSpq=portQueuingMethodHybridSpq, tacacsAcctServerIndex=tacacsAcctServerIndex, sysMemoryPoolUsed=sysMemoryPoolUsed, vlanMappingPortEntry=vlanMappingPortEntry, dhcpSnpDbStatLastFailReason=dhcpSnpDbStatLastFailReason, trTCMSetup=trTCMSetup, sysMgmtDefaultConfig=sysMgmtDefaultConfig, ethernetCfmStateSetup=ethernetCfmStateSetup, subnetBasedVlanName=subnetBasedVlanName, transceiverSerialInfoEntryPort=transceiverSerialInfoEntryPort, selectiveQinQPort=selectiveQinQPort, clusterSetup=clusterSetup, rateLimitPortCommitRate=rateLimitPortCommitRate, filterRowStatus=filterRowStatus, trTCMPortDscpYellow=trTCMPortDscpYellow, vlanCounterHCOctets=vlanCounterHCOctets, cpuProtectionRateLimitSet=cpuProtectionRateLimitSet, dhcpSnpVlanEntry=dhcpSnpVlanEntry, snmpUserTable=snmpUserTable, daylightSavingTimeEndDateWeek=daylightSavingTimeEndDateWeek, mstpXstRootPort=mstpXstRootPort, inbandEntryRowStatus=inbandEntryRowStatus, maxNumberOfGlobalDhcpRelayRemoteServer=maxNumberOfGlobalDhcpRelayRemoteServer, dhcpServerPrimaryDNS=dhcpServerPrimaryDNS, ospfLsdbExtLinkCount=ospfLsdbExtLinkCount, vlanCounterHCPkts512to1023Octets=vlanCounterHCPkts512to1023Octets, mstpGenForwardDelay=mstpGenForwardDelay, dhcpSnpBindEntryIP=dhcpSnpBindEntryIP, portSecurityVMLPort=portSecurityVMLPort, brLimitPortDlfRate=brLimitPortDlfRate, sysMgmtTftpActionPrivilege13=sysMgmtTftpActionPrivilege13, filterVid=filterVid, sysMgmtDefaultConfigPrivilege13=sysMgmtDefaultConfigPrivilege13, radiusAuthServerSharedSecret=radiusAuthServerSharedSecret, brLimitPortMcState=brLimitPortMcState, globalDhcpRelayInfoData=globalDhcpRelayInfoData, dhcpSnpDbStatAbortExpiry=dhcpSnpDbStatAbortExpiry, inbandEntrySubnetMask=inbandEntrySubnetMask, ospfNbrExtRqstL=ospfNbrExtRqstL, radiusAcctServerTimeout=radiusAcctServerTimeout, dhcpSnpBindEntryVid=dhcpSnpBindEntryVid, dot3OamSetup=dot3OamSetup, tacacsAuthServerIndex=tacacsAuthServerIndex, ipsgEntryType=ipsgEntryType, mrstpNotifications=mrstpNotifications, pppoeIaVlanEntryRowStatus=pppoeIaVlanEntryRowStatus, snmpSetup=snmpSetup, mrstpPortDesignatedBridge=mrstpPortDesignatedBridge, vlanStackSetup=vlanStackSetup, tagVlanPortIsolationState=tagVlanPortIsolationState, igmpSnpV2CountVlanLeaveTx=igmpSnpV2CountVlanLeaveTx, ospfNbrExtDBsmL=ospfNbrExtDBsmL, protoBasedVlanTable=protoBasedVlanTable, routingStatusMetric=routingStatusMetric, multicastStatusTable=multicastStatusTable, ospfRedistributeRouteState=ospfRedistributeRouteState, policyRouteRuleEntry=policyRouteRuleEntry, ospfSummaryAddress=ospfSummaryAddress, loadSharingCriteria=loadSharingCriteria, igmpSnpV2CountVlanReportRxDrop=igmpSnpV2CountVlanReportRxDrop, arpInspectLogEntry=arpInspectLogEntry, igmpSnpCountTable=igmpSnpCountTable, vlanCounterHCPkts1024to1518Octets=vlanCounterHCPkts1024to1518Octets, privateVLANSetup=privateVLANSetup, sFlowCollectorAddress=sFlowCollectorAddress, errdisable=errdisable, aggrGroupState=aggrGroupState, clusterStatusMemberTable=clusterStatusMemberTable, mstpXstId=mstpXstId, vlanMappingRulePort=vlanMappingRulePort, snmpUserGroup=snmpUserGroup, cpuProtectionTable=cpuProtectionTable, aaaSetup=aaaSetup, pppoeIaAccessNodeIdentifierString=pppoeIaAccessNodeIdentifierString, globalDhcpRelayEnable=globalDhcpRelayEnable, dhcpServerMask=dhcpServerMask, authenticationTypeTable=authenticationTypeTable, sFlowState=sFlowState, transceiverSerialInfoEntryVendor=transceiverSerialInfoEntryVendor, errdisableDetectReasonTable=errdisableDetectReasonTable, portReAuthEntryState=portReAuthEntryState, arpInspectLogReason=arpInspectLogReason, daylightSavingTimeStartDateMonth=daylightSavingTimeStartDateMonth, snmpUserPrivProtocol=snmpUserPrivProtocol, igmpSnpV3CountVlanQueryTx=igmpSnpV3CountVlanQueryTx, pppoeIaFlexibleCircuitIDSyntaxOption=pppoeIaFlexibleCircuitIDSyntaxOption, igmpFilteringProfileEntry=igmpFilteringProfileEntry, vlanCounterHCMulticastPkts=vlanCounterHCMulticastPkts, vlanMappingRuleTable=vlanMappingRuleTable, pppoeIaVlanEntryCircuitID=pppoeIaVlanEntryCircuitID, defaultGateway=defaultGateway, mstMapVlans4k=mstMapVlans4k, securedClientEndIp=securedClientEndIp, routerVrrpStatusEntry=routerVrrpStatusEntry, portSecuritySetup=portSecuritySetup, mrstpRootCost=mrstpRootCost, privateVLANRowStatus=privateVLANRowStatus, staticRouteGateway=staticRouteGateway, protoBasedVlanPacketType=protoBasedVlanPacketType, ospfGeneralExtGroup=ospfGeneralExtGroup, radiusServerSetup=radiusServerSetup, ipsgEntryMac=ipsgEntryMac, clusterStatusManager=clusterStatusManager, mrstpDesignatedRoot=mrstpDesignatedRoot, eventServAffective=eventServAffective, tempEntry=tempEntry, dhcpServerTable=dhcpServerTable, selectiveQinQPriority=selectiveQinQPriority, selectiveQinQRowStatus=selectiveQinQRowStatus, arpInspectLogNumPkt=arpInspectLogNumPkt, arpInspectLogPort=arpInspectLogPort, trTCMMode=trTCMMode, arpInfo=arpInfo, eventClearedTrap=eventClearedTrap, sysMgmtTftpActionStatus=sysMgmtTftpActionStatus, tacacsAuthServerSharedSecret=tacacsAuthServerSharedSecret, dhcpRelayRemoteServerEntry=dhcpRelayRemoteServerEntry, vlanCounterPort=vlanCounterPort, pppoeIaPortVlanEntryPort=pppoeIaPortVlanEntryPort, arpInspectFilterMac=arpInspectFilterMac, aggrGroupCriteria=aggrGroupCriteria, portAuthQuietPeriod=portAuthQuietPeriod, igmpSnpV3CountQueryRx=igmpSnpV3CountQueryRx, routerVrrpInterval=routerVrrpInterval, mrstpBridgeEntry=mrstpBridgeEntry, arpInspectLogClear=arpInspectLogClear) mibBuilder.exportSymbols('ZYXEL-XGS4728F-MIB', mirrorSetup=mirrorSetup, arpInspectFilterPort=arpInspectFilterPort, trTCMPortTable=trTCMPortTable, vlanCounterHCTaggedPkts=vlanCounterHCTaggedPkts, loopGuardPortTable=loopGuardPortTable, daylightSavingTimeStartDateDay=daylightSavingTimeStartDateDay, sysMgmtTftpServerIp=sysMgmtTftpServerIp, routerDomainIpMaskBits=routerDomainIpMaskBits, multicastVlanQueryPort=multicastVlanQueryPort, dateTimeNewDateYear=dateTimeNewDateYear, daylightSavingTimeEndDateHour=daylightSavingTimeEndDateHour, routerVrrpStatusIpAddress=routerVrrpStatusIpAddress, ospfAreaExtName=ospfAreaExtName, mrstpPriority=mrstpPriority, sFlowSetup=sFlowSetup, igmpSnoopingStateSetup=igmpSnoopingStateSetup, macAuthenticationPortState=macAuthenticationPortState, globalDhcpRelayRemoteServerRowStatus=globalDhcpRelayRemoteServerRowStatus, igmpSnpCountPortEntry=igmpSnpCountPortEntry, recovery=recovery, aggrGroupTable=aggrGroupTable, routerVrrpSetup=routerVrrpSetup, igmpSnpV3CountQueryRxDrop=igmpSnpV3CountQueryRxDrop, routingStatusInterface=routingStatusInterface, sysMgmtTftpServiceSetup=sysMgmtTftpServiceSetup, arpInspectStatisticsRequest=arpInspectStatisticsRequest, lldpStateSetup=lldpStateSetup, subnetBasedVlanSrcMaskBit=subnetBasedVlanSrcMaskBit, ctlProtTransTunnelMode=ctlProtTransTunnelMode, trapNotifications=trapNotifications, tacacsAuthServerIpAddr=tacacsAuthServerIpAddr, ctlProtTransTunnelPortTable=ctlProtTransTunnelPortTable, routingStatusDestAddress=routingStatusDestAddress, errdisableRecoveryReasonEntry=errdisableRecoveryReasonEntry, igmpsnp8021pPriority=igmpsnp8021pPriority, igmpSnpV3CountVlanReportRxDrop=igmpSnpV3CountVlanReportRxDrop, mrstpPortEntry=mrstpPortEntry, sysSwYear=sysSwYear, macAuthenticationNamePrefix=macAuthenticationNamePrefix, vlanMappingState=vlanMappingState, clusterManagerVid=clusterManagerVid, fanRpmDescr=fanRpmDescr, routerVrrpName=routerVrrpName, ipsgEntry=ipsgEntry, vlanCounterHCOversizePkts=vlanCounterHCOversizePkts, policyRouteRuleProfileName=policyRouteRuleProfileName, authorizationTypeTable=authorizationTypeTable, ospfNbrExtDeadtime=ospfNbrExtDeadtime, mstpXstPortEntry=mstpXstPortEntry, sysSwModelString=sysSwModelString, macAuthenticationTimeout=macAuthenticationTimeout, tacacsAcctServerIpAddr=tacacsAcctServerIpAddr, loadSharingAgingTime=loadSharingAgingTime, transceiverDdmInfoEntryAlarmMin=transceiverDdmInfoEntryAlarmMin, mstpXstTopologyChangesCount=mstpXstTopologyChangesCount, transceiverSerialInfoEntryTransceiver=transceiverSerialInfoEntryTransceiver, voltageTable=voltageTable, arpInspectPortInterval=arpInspectPortInterval, mirrorState=mirrorState, portQueuingMethodEntry=portQueuingMethodEntry, arpInspectVlanEntry=arpInspectVlanEntry, policyRouteRuleSequence=policyRouteRuleSequence, ospfLsdbExtEntry=ospfLsdbExtEntry, ospfNbrExtTable=ospfNbrExtTable, clusterCandidateModel=clusterCandidateModel, mstMapEntry=mstMapEntry, macAuthenticationPortEntry=macAuthenticationPortEntry, privateVLANName=privateVLANName, mstVlanTable=mstVlanTable, mirrorMirroredState=mirrorMirroredState, products=products, dhcpSnpDbStatLastIgnoreParse=dhcpSnpDbStatLastIgnoreParse, filterEntry=filterEntry, igmpsnpVid=igmpsnpVid, dhcpSnpDbStatFailTrans=dhcpSnpDbStatFailTrans, arpInspectFilterAgingTime=arpInspectFilterAgingTime, globalDhcpRelayRemoteServerTable=globalDhcpRelayRemoteServerTable, pppoeIaVlanEntry=pppoeIaVlanEntry, igmpSnpV3CountPortReportTx=igmpSnpV3CountPortReportTx, routingStatusEntry=routingStatusEntry, ospfSummaryAddrRowStatus=ospfSummaryAddrRowStatus, snmpTrapInterfaceGroup=snmpTrapInterfaceGroup, igmpFilteringProfileEndAddress=igmpFilteringProfileEndAddress, eventDescription=eventDescription, selectiveQinQSpvid=selectiveQinQSpvid, trapSenderNodeId=trapSenderNodeId, mrstpPortAdminEdgePort=mrstpPortAdminEdgePort, multicastPortMaxGroupLimited=multicastPortMaxGroupLimited, arpInspectFilterRowStatus=arpInspectFilterRowStatus, sysMgmtLastActionStatus=sysMgmtLastActionStatus, snmpTrapGroupTable=snmpTrapGroupTable, macAuthenticationPortTable=macAuthenticationPortTable, mstMapIndex=mstMapIndex, dhcpServerPoolSize=dhcpServerPoolSize, mvrVlanID=mvrVlanID, mstVlanIndex=mstVlanIndex, staticRouteTable=staticRouteTable, igmpSnpGroupCountVlanNum=igmpSnpGroupCountVlanNum, clusterStatus=clusterStatus, pppoeIaState=pppoeIaState, arpInspectVlanVid=arpInspectVlanVid, mirrorTable=mirrorTable, tacacsAcctServerEntry=tacacsAcctServerEntry, l2ptPointToPointProtocolGroup=l2ptPointToPointProtocolGroup, transceiverSerialInfoEntryDateCode=transceiverSerialInfoEntryDateCode, multicastVlanStatusTable=multicastVlanStatusTable, trTCMPortEntry=trTCMPortEntry, transceiverDdmInfoEntryWarnMin=transceiverDdmInfoEntryWarnMin, routerDomainVid=routerDomainVid, ospfLsdbExtTable=ospfLsdbExtTable, aggrSystemPriority=aggrSystemPriority, InstanceType=InstanceType, sFlowPortTable=sFlowPortTable, portOpModeSetup=portOpModeSetup, protoBasedVlanPort=protoBasedVlanPort, multicastPortLeaveTimeout=multicastPortLeaveTimeout, ospfSummaryAddrTable=ospfSummaryAddrTable, accountingTypeName=accountingTypeName, igmpSnpCountEntry=igmpSnpCountEntry, rateLimitPortState=rateLimitPortState, mrstpPort=mrstpPort, ospfRedistributeRouteMetric=ospfRedistributeRouteMetric, pppoeIaPortVlanEntryRowStatus=pppoeIaPortVlanEntryRowStatus, igmpSnpV2CountPortReportRxDrop=igmpSnpV2CountPortReportRxDrop, dhcpSnpDhcpVlanVid=dhcpSnpDhcpVlanVid, mrstpSetup=mrstpSetup, multicastStatusGroup=multicastStatusGroup, ospfVirtualLinkEntry=ospfVirtualLinkEntry, routerDomainIpRipDirection=routerDomainIpRipDirection, diffservState=diffservState, arpInspectPortEntry=arpInspectPortEntry, protoBasedVlanVid=protoBasedVlanVid, mrstpRootPort=mrstpRootPort, layer3Setup=layer3Setup, l2ptProtocolGroup=l2ptProtocolGroup, igmpsnpVlanTable=igmpsnpVlanTable, igmpSnpV2CountLeaveTx=igmpSnpV2CountLeaveTx, pppoeIaPortEntryTrust=pppoeIaPortEntryTrust, errdisableRecoverySetup=errdisableRecoverySetup, eventObjects=eventObjects, sysLogServerLogLevel=sysLogServerLogLevel, errdisableTrapReason=errdisableTrapReason, inbandIpEntry=inbandIpEntry, portAuthGuestVlanHostModeMultiSecureNumber=portAuthGuestVlanHostModeMultiSecureNumber, ipsgEntryPort=ipsgEntryPort, authorizationSetup=authorizationSetup, igmpsnpVlanEntry=igmpsnpVlanEntry, mstpGenMaxAge=mstpGenMaxAge, portAuthTable=portAuthTable, staticRouteMetric=staticRouteMetric, cpuProtectionEntry=cpuProtectionEntry, aggrGroupIndex=aggrGroupIndex, authenticationTypeEntry=authenticationTypeEntry, l2ptTable=l2ptTable, dhcpRelayTable=dhcpRelayTable, arpLearningPortTable=arpLearningPortTable, subnetBasedVlanSrcIp=subnetBasedVlanSrcIp, transceiverDdmInfoTable=transceiverDdmInfoTable, accessCtlTable=accessCtlTable, ipStatusIPAddress=ipStatusIPAddress, multicastPortQuerierMode=multicastPortQuerierMode, tacacsAcctServerTable=tacacsAcctServerTable, mstMapTable=mstMapTable, mstpXstPortTable=mstpXstPortTable, outOfBandIpSetup=outOfBandIpSetup, vlanStackTunnelPortTpid=vlanStackTunnelPortTpid, igmpSnpReportProxySetup=igmpSnpReportProxySetup, portAuthGuestVlan=portAuthGuestVlan, dateTimeZone=dateTimeZone, tacacsAcctServerTcpPort=tacacsAcctServerTcpPort, portSecurityPortState=portSecurityPortState, subnetBasedVlanTable=subnetBasedVlanTable, selectiveQinQName=selectiveQinQName, ospfSummaryAddrMaskBit=ospfSummaryAddrMaskBit, policyRouteProfileName=policyRouteProfileName, eventTable=eventTable, mstpXstPortEnable=mstpXstPortEnable, multicastStatusIndex=multicastStatusIndex, dhcpSnpDhcpVlan=dhcpSnpDhcpVlan, selectiveQinQCvid=selectiveQinQCvid, snmpTrapDestPort=snmpTrapDestPort, trapPersistence=trapPersistence, rpVrrpRowStatus=rpVrrpRowStatus, mvrName=mvrName, aggrPortEntry=aggrPortEntry, aggrGroupEntry=aggrGroupEntry, trTCMPortPIR=trTCMPortPIR, clusterCandidates=clusterCandidates, accessCtlTimeout=accessCtlTimeout, multicastStatusEntry=multicastStatusEntry, mvrGroupName=mvrGroupName, ospfInterfaceEntry=ospfInterfaceEntry, portBasedVlanSetup=portBasedVlanSetup, ipsgEntryVid=ipsgEntryVid, arpLearningPortMode=arpLearningPortMode, igmpSnpV3CountReportTx=igmpSnpV3CountReportTx, mrstpBridgeHelloTime=mrstpBridgeHelloTime, rateLimitSetup=rateLimitSetup, transceiverDdmInfoEntryDescription=transceiverDdmInfoEntryDescription, sFlowPortCollectorTable=sFlowPortCollectorTable, sysSwPlatformMajorVers=sysSwPlatformMajorVers, mvrGroupTable=mvrGroupTable, fanRpmMaxValue=fanRpmMaxValue, snmpTrapSwitchGroup=snmpTrapSwitchGroup, protoBasedVlanName=protoBasedVlanName, routerDomainIpRipVersion=routerDomainIpRipVersion, brLimitPortTable=brLimitPortTable, routerVrrpStatus=routerVrrpStatus, sysSwVersionControlNbr=sysSwVersionControlNbr, tempHighThresh=tempHighThresh, subnetBasedVlanState=subnetBasedVlanState, routerDomainSetup=routerDomainSetup, igmpSnpGroupCountStatus=igmpSnpGroupCountStatus, dhcpSnpDbStatLastIgnoreExpireLease=dhcpSnpDbStatLastIgnoreExpireLease, rateLimitState=rateLimitState, igmpSnpV2CountQueryRx=igmpSnpV2CountQueryRx, authorizationTypeMethod=authorizationTypeMethod, vlanTrunkPortTable=vlanTrunkPortTable, igmpSnpV2CountVlanLeaveRxDrop=igmpSnpV2CountVlanLeaveRxDrop, voltageLowThresh=voltageLowThresh, dot3OamPortEntry=dot3OamPortEntry, vlanStackState=vlanStackState, sysInfo=sysInfo, vlanTrunkPortState=vlanTrunkPortState, dhcpSnpDbStatFirstSuccessAccess=dhcpSnpDbStatFirstSuccessAccess, ospfSummaryAddrEntry=ospfSummaryAddrEntry, igmpsnpVlanName=igmpsnpVlanName, esSeries=esSeries, igmpSnpV2CountReportTx=igmpSnpV2CountReportTx, arpInspectLogInterval=arpInspectLogInterval, authorizationTypeActive=authorizationTypeActive, vlanMappingRulePriority=vlanMappingRulePriority, brLimitPortBrState=brLimitPortBrState, portOpModePortIntrusionLock=portOpModePortIntrusionLock, zyswdot1agCfmMepTable=zyswdot1agCfmMepTable, sFlowPortEntry=sFlowPortEntry, rateLimitPortPeakState=rateLimitPortPeakState, eventSeqNum=eventSeqNum, errdisableRecoveryIfStatusTable=errdisableRecoveryIfStatusTable, vlanCounterVlanID=vlanCounterVlanID, routerDomainEntry=routerDomainEntry, pppoeIaVlanTable=pppoeIaVlanTable, macAuthenticationSetup=macAuthenticationSetup, errdisableTrapNotifications=errdisableTrapNotifications, fanRpmIndex=fanRpmIndex, protoBasedVlanState=protoBasedVlanState, arpInspectLogIp=arpInspectLogIp, dhcpServer=dhcpServer, tacacsAuthServerSetup=tacacsAuthServerSetup, sFlowCollectorAddressType=sFlowCollectorAddressType, securedClientEnable=securedClientEnable, policyRouteProfileTable=policyRouteProfileTable, multicastPortSetup=multicastPortSetup) mibBuilder.exportSymbols('ZYXEL-XGS4728F-MIB', mstp=mstp, ospfIfBackupDesignatedRouterID=ospfIfBackupDesignatedRouterID, radiusAcctServerEntry=radiusAcctServerEntry, radiusAcctServerIpAddr=radiusAcctServerIpAddr, filterMacAddr=filterMacAddr, snmpTrapUserName=snmpTrapUserName, portOpModePortLBTestStatus=portOpModePortLBTestStatus, mstpTopologyChange=mstpTopologyChange, ospfLsdbExtRouteAddress=ospfLsdbExtRouteAddress, accessCtlSetup=accessCtlSetup, sysLogTypeIndex=sysLogTypeIndex, ipStatusVid=ipStatusVid, diffservSetup=diffservSetup, dateTimeNewTimeMinute=dateTimeNewTimeMinute, sysMemoryPoolName=sysMemoryPoolName, pppoeIaFlexibleCircuitIDSyntaxActive=pppoeIaFlexibleCircuitIDSyntaxActive, radiusAuthServerTimeout=radiusAuthServerTimeout, arpInspectPortTrust=arpInspectPortTrust, sFlowPortCollectorAddress=sFlowPortCollectorAddress, igmpSnpCountIndex=igmpSnpCountIndex, tempTable=tempTable, ctlProtTransTunnelPortEntry=ctlProtTransTunnelPortEntry, mstpXstEntry=mstpXstEntry, transceiverSerialInfoEntry=transceiverSerialInfoEntry, ospfIfAdjacentNbrCount=ospfIfAdjacentNbrCount, ospfRedistributeRouteType=ospfRedistributeRouteType, mvrPortTagging=mvrPortTagging, clusterMembers=clusterMembers, mrstpHoldTime=mrstpHoldTime, ospfAreaExtTable=ospfAreaExtTable, privateVLANEntry=privateVLANEntry, dateTimeServerType=dateTimeServerType, portOpModePortCX4CableLength=portOpModePortCX4CableLength, dhcpServerGateway=dhcpServerGateway, igmpSnpV2CountVlanReportTx=igmpSnpV2CountVlanReportTx, dhcpSnpDbStat=dhcpSnpDbStat, staticRouteEntry=staticRouteEntry, errdisableRecoveryIfStatusReason=errdisableRecoveryIfStatusReason, multicastVlanStatusVlanID=multicastVlanStatusVlanID, igmpSnpV2CountPortLeaveRxDrop=igmpSnpV2CountPortLeaveRxDrop, clusterCandidateName=clusterCandidateName, clusterStatusRole=clusterStatusRole, tacacsServerSetup=tacacsServerSetup, mstpXstTable=mstpXstTable, portOpModePortTable=portOpModePortTable, portSecurityPortCount=portSecurityPortCount, clusterCandidateTable=clusterCandidateTable, sFlowCollectorRowStatus=sFlowCollectorRowStatus, ospfNbrExtEntry=ospfNbrExtEntry, arpInspectPortRate=arpInspectPortRate, accountingTypeActive=accountingTypeActive, inbandEntryIp=inbandEntryIp, portSecurityState=portSecurityState, igmpSnpCountVlanEntry=igmpSnpCountVlanEntry, dhcpSnp=dhcpSnp, ipStatusType=ipStatusType, snmpSetCommunity=snmpSetCommunity, aggrState=aggrState, mvrPortRole=mvrPortRole, arpInspectVlanStatus=arpInspectVlanStatus, mrstpPortDesignatedRoot=mrstpPortDesignatedRoot, ipSetup=ipSetup, mstpXstInternalRootCost=mstpXstInternalRootCost, aggrGroupDynamicState=aggrGroupDynamicState, ospfVirtualLinkTable=ospfVirtualLinkTable, routerVrrpStatusVRStatus=routerVrrpStatusVRStatus, arpInspectFilterTable=arpInspectFilterTable, portIsolationEntry=portIsolationEntry, arpInspectStatisticsClear=arpInspectStatisticsClear, portOpModePortLinkUpType=portOpModePortLinkUpType, igmpSnpV3CountVlanQueryRxDrop=igmpSnpV3CountVlanQueryRxDrop, subnetBasedVlanEntryState=subnetBasedVlanEntryState, portIsolationState=portIsolationState, igmpSnpV2CountReportRx=igmpSnpV2CountReportRx, mrstpForwardDelay=mrstpForwardDelay, dhcpSnpDbStatSuccWrite=dhcpSnpDbStatSuccWrite, diffservMapDscp=diffservMapDscp, dhcpSnpVlanEntryInfo=dhcpSnpVlanEntryInfo, sysLogSetup=sysLogSetup, ipsgTable=ipsgTable, pppoeIaPortVlanEntry=pppoeIaPortVlanEntry, authenticationTypeName=authenticationTypeName, igmpFilteringMaxNumberOfProfile=igmpFilteringMaxNumberOfProfile, eventName=eventName, trTCMPortDscpGreen=trTCMPortDscpGreen, dhcpSnpDb=dhcpSnpDb, tempMinValue=tempMinValue, snmpTrapSystemGroup=snmpTrapSystemGroup, mstpPortOperEdgePort=mstpPortOperEdgePort, multicastVlanStatusEntry=multicastVlanStatusEntry, accessCtlEntry=accessCtlEntry, multicastStatusVlanID=multicastStatusVlanID, clusterStatusMemberMac=clusterStatusMemberMac, dhcpSnpPortEntryRate=dhcpSnpPortEntryRate, loopGuardPortEntry=loopGuardPortEntry, mstpXstPortDesignatedRoot=mstpXstPortDesignatedRoot, dhcpSnpDbStatStartupFail=dhcpSnpDbStatStartupFail, radiusAuthServerMode=radiusAuthServerMode, igmpSnpCountVlanIndex=igmpSnpCountVlanIndex, clusterMaxNumOfMember=clusterMaxNumOfMember, eventSetTime=eventSetTime, dhcpSnpDbStatTotalIgnoreParse=dhcpSnpDbStatTotalIgnoreParse, portAuthSupplicantTimeout=portAuthSupplicantTimeout, l2ptState=l2ptState, mstpGenCistRootBrid=mstpGenCistRootBrid, sysMgmt=sysMgmt, igmpFilteringProfileTable=igmpFilteringProfileTable, mrstpBridgeIndex=mrstpBridgeIndex, igmpSnpV3CountVlanReportTx=igmpSnpV3CountVlanReportTx, fanRpmMinValue=fanRpmMinValue, mvrSetup=mvrSetup, vlanMappingRuleEntry=vlanMappingRuleEntry, vlanCounterHCPkts=vlanCounterHCPkts, selectiveQinQEntry=selectiveQinQEntry, outOfBandSubnetMask=outOfBandSubnetMask, arpInspectLog=arpInspectLog, radiusAuthServerIpAddr=radiusAuthServerIpAddr, dhcpSnpBindEntryMac=dhcpSnpBindEntryMac, mstpXstBridgeId=mstpXstBridgeId, errdisableDetectReasonEntry=errdisableDetectReasonEntry, routingStatus=routingStatus, maxNumberOfDhcpRelay=maxNumberOfDhcpRelay, eventEventId=eventEventId, authorizationTypeEntry=authorizationTypeEntry, arpInspectLogRate=arpInspectLogRate, igmpSnpV2CountPortLeaveTx=igmpSnpV2CountPortLeaveTx, globalDhcpRelayInfoEnable=globalDhcpRelayInfoEnable, snmpTrapDestTable=snmpTrapDestTable, routingStatusGateway=routingStatusGateway, portOpModePortFlowCntl=portOpModePortFlowCntl, trapInfoObjects=trapInfoObjects, trapSenderStatus=trapSenderStatus, portAuthEntryState=portAuthEntryState, brLimitPortDlfState=brLimitPortDlfState, mstpGenCfgIdCfgDigest=mstpGenCfgIdCfgDigest, dhcpServerSecondaryDNS=dhcpServerSecondaryDNS, vlanMappingSetup=vlanMappingSetup, mstpXstPortIndex=mstpXstPortIndex, vlanMappingRuleVid=vlanMappingRuleVid, securedClientTable=securedClientTable, MstiOrCistInstanceIndex=MstiOrCistInstanceIndex, routerDvmrpState=routerDvmrpState, securedClientStartIp=securedClientStartIp, vlanMappingPortTable=vlanMappingPortTable, mvrTable=mvrTable, portReAuthEntryTimer=portReAuthEntryTimer, arpInspectVlanTable=arpInspectVlanTable, layer2Setup=layer2Setup, daylightSavingTimeStartDateHour=daylightSavingTimeStartDateHour, l2ptMode=l2ptMode, dhcpRelayOption82Enable=dhcpRelayOption82Enable, routerDvmrpThreshold=routerDvmrpThreshold, dhcpSnpPortEntry=dhcpSnpPortEntry, portSecurityVMLMacLimit=portSecurityVMLMacLimit, igmpSnpCountVlanTable=igmpSnpCountVlanTable, igmpSnpCountPortTable=igmpSnpCountPortTable, eventInstanceId=eventInstanceId, errdisableRecoveryTrap=errdisableRecoveryTrap, mvrGroupEntry=mvrGroupEntry, dhcpSnpDbStatTotalIgnoreInvalidIntf=dhcpSnpDbStatTotalIgnoreInvalidIntf, radiusAcctServerUdpPort=radiusAcctServerUdpPort, multicastPortTable=multicastPortTable, dhcpSnpBindEntryLease=dhcpSnpBindEntryLease, portSecurityVMLRowStatus=portSecurityVMLRowStatus, protoBasedVlanEntry=protoBasedVlanEntry, sFlowCollectorEntry=sFlowCollectorEntry, dhcpSnpDbStatTotalIgnoreExpireLease=dhcpSnpDbStatTotalIgnoreExpireLease, globalDhcpRelayRemoteServerIp=globalDhcpRelayRemoteServerIp, igmpSnpGroupCountPortNum=igmpSnpGroupCountPortNum, portIsolationTable=portIsolationTable, stpMode=stpMode, clusterMemberPassword=clusterMemberPassword, arpMacAddr=arpMacAddr, ospfIfNbrCount=ospfIfNbrCount, ospfNbrExtRole=ospfNbrExtRole, maxNumberOfMVR=maxNumberOfMVR, vlanCounterHCPkts64Octets=vlanCounterHCPkts64Octets, arpInspectStatisticsForward=arpInspectStatisticsForward, dateTimeNewDateMonth=dateTimeNewDateMonth, portQueuingMethodTable=portQueuingMethodTable, loadSharing=loadSharing, mstpGenMaxHops=mstpGenMaxHops, arpInspectPortIndex=arpInspectPortIndex, ospfRedistributeRouteTable=ospfRedistributeRouteTable, dhcpRelayRemoteServerRowStatus=dhcpRelayRemoteServerRowStatus, portSecurityMacFreeze=portSecurityMacFreeze, transceiverSerialInfoEntryRevision=transceiverSerialInfoEntryRevision, snmpUserSecurityLevel=snmpUserSecurityLevel, transceiverDdmInfoEntry=transceiverDdmInfoEntry, mrstpState=mrstpState, sFlowCollectorTable=sFlowCollectorTable, routerDomainIpIgmpVersion=routerDomainIpIgmpVersion, hwMonitorInfo=hwMonitorInfo, dateTimeDaylightSavingTimeSetup=dateTimeDaylightSavingTimeSetup, dhcpSnpDbStatAgentRunning=dhcpSnpDbStatAgentRunning, fanRpmCurValue=fanRpmCurValue, igmpSnpV3CountVlanReportRx=igmpSnpV3CountVlanReportRx, errdisableRecoveryIfStatusPort=errdisableRecoveryIfStatusPort, vlanMappingRuleRowStatus=vlanMappingRuleRowStatus, dhcpSnpDbStatTotalAttempt=dhcpSnpDbStatTotalAttempt, faultTrapsMIB=faultTrapsMIB, dhcpRelayRemoteServerTable=dhcpRelayRemoteServerTable, mstpXstTimeSinceTopologyChange=mstpXstTimeSinceTopologyChange, sysMgmtBootupImage=sysMgmtBootupImage, routerVrrpVirtualID=routerVrrpVirtualID, arpInspectLogVid=arpInspectLogVid, mrstpTopologyChange=mrstpTopologyChange, mstpGenCistRootPathCost=mstpGenCistRootPathCost, vlanCounterHCPkts128to255Octets=vlanCounterHCPkts128to255Octets, aggrPortDynamicStateTimeout=aggrPortDynamicStateTimeout, staticRouteRowStatus=staticRouteRowStatus, sysMgmtSystemStatus=sysMgmtSystemStatus, routerVrrpStatusUpLinkStatus=routerVrrpStatusUpLinkStatus, routerVrrpAuthKey=routerVrrpAuthKey, arpInspectVlanLog=arpInspectVlanLog, policyRouteProfileEntry=policyRouteProfileEntry, policyRouteRuleRowStatus=policyRouteRuleRowStatus, trTCMPortDscpRed=trTCMPortDscpRed, transceiverInfo=transceiverInfo, portBasedVlanPortListEntry=portBasedVlanPortListEntry, EventPersistence=EventPersistence, dhcpRelayInfoEnable=dhcpRelayInfoEnable, ospfIfKeyId=ospfIfKeyId, accessCtlServicePort=accessCtlServicePort, mstpGenHelloTime=mstpGenHelloTime, brLimitPortMcRate=brLimitPortMcRate, inbandEntryVid=inbandEntryVid, errdisableRecoveryReason=errdisableRecoveryReason, accountingTypePrivilege=accountingTypePrivilege, igmpsnpVlanRowStatus=igmpsnpVlanRowStatus, ospfIfHelloDueTime=ospfIfHelloDueTime, igmpSnpV2CountVlanQueryRx=igmpSnpV2CountVlanQueryRx, arpEntry=arpEntry, portQueuingMethodHybridSpqTable=portQueuingMethodHybridSpqTable, routerVrrpMaxNumber=routerVrrpMaxNumber, zyswdot1agCfmMepEntry=zyswdot1agCfmMepEntry, cpuProtectionPort=cpuProtectionPort, sysMgmtTftpAction=sysMgmtTftpAction, l2ptSetup=l2ptSetup, dhcpServerVid=dhcpServerVid, clusterMemberMac=clusterMemberMac, mrstpPortOperEdgePort=mrstpPortOperEdgePort, eventSeverity=eventSeverity, ospfDistance=ospfDistance, accountingSetup=accountingSetup, sysSwDay=sysSwDay, dhcpSnpDbStatFirstSuccAccess=dhcpSnpDbStatFirstSuccAccess, dhcpRelayInfoData=dhcpRelayInfoData, dateTimeNewTimeHour=dateTimeNewTimeHour, dhcpSnpBindTable=dhcpSnpBindTable, arpInspectLogTime=arpInspectLogTime, tacacsAuthServerTable=tacacsAuthServerTable, multicastPortEntry=multicastPortEntry, igmpSnpV3CountReportRx=igmpSnpV3CountReportRx) mibBuilder.exportSymbols('ZYXEL-XGS4728F-MIB', igmpFilteringProfileRowStatus=igmpFilteringProfileRowStatus, sysMemoryPoolTotal=sysMemoryPoolTotal, igmpSnpV3CountPortQueryRx=igmpSnpV3CountPortQueryRx, sysLogTypeTable=sysLogTypeTable, reservedMulticastFrameForwarding=reservedMulticastFrameForwarding, clusterStatusMemberName=clusterStatusMemberName, filterActionState=filterActionState, routerRipDistance=routerRipDistance, igmpSnpV2CountPortReportTx=igmpSnpV2CountPortReportTx, vlanCounterTimeout=vlanCounterTimeout, pppoeIaPortVlanEntryRemoteIDString=pppoeIaPortVlanEntryRemoteIDString, portSecurityVMLVID=portSecurityVMLVID, dhcpSnpDbStatLastSuccTime=dhcpSnpDbStatLastSuccTime, xgs4728f=xgs4728f, portBasedVlanPortListMembers=portBasedVlanPortListMembers, transceiverDdmInfoEntryWarnMax=transceiverDdmInfoEntryWarnMax, mvrEntry=mvrEntry, ospfIfMaskbits=ospfIfMaskbits, arpInspectFilterClear=arpInspectFilterClear, clusterMemberRowStatus=clusterMemberRowStatus, eventInstanceType=eventInstanceType, radiusAcctServerSetup=radiusAcctServerSetup, brLimitPortBrRate=brLimitPortBrRate, snmpTrapVersion=snmpTrapVersion, transceiverDdmInfoEntryAlarmMax=transceiverDdmInfoEntryAlarmMax, eventOnTrap=eventOnTrap, ospfVirtualLinkKeyId=ospfVirtualLinkKeyId, ospfIfDesignatedRouterID=ospfIfDesignatedRouterID, portAuthMaxRequest=portAuthMaxRequest, dhcpRelayRemoteServerIp=dhcpRelayRemoteServerIp, vlanCounterTable=vlanCounterTable, sysMgmtConfigSavePrivilege13=sysMgmtConfigSavePrivilege13, arpTable=arpTable, multicastGrpHostTimeout=multicastGrpHostTimeout, maxNumberOfDhcpRelayRemoteServer=maxNumberOfDhcpRelayRemoteServer, tacacsAcctServerSetup=tacacsAcctServerSetup, snmpTrapDestIP=snmpTrapDestIP, rateLimitPortPeakRate=rateLimitPortPeakRate, arpInspectStatisticsReceived=arpInspectStatisticsReceived, mrstpTopChanges=mrstpTopChanges, portAuthState=portAuthState, snmpGetCommunity=snmpGetCommunity, policyRouteRuleCalssifier=policyRouteRuleCalssifier, pppoeIaPortVlanEntryVid=pppoeIaPortVlanEntryVid, ospfNbrExtInterface=ospfNbrExtInterface, globalDhcpRelayOption82Enable=globalDhcpRelayOption82Enable, mrstpPortTable=mrstpPortTable, ipsgEntryState=ipsgEntryState, sFlowPortCollectorPollInterval=sFlowPortCollectorPollInterval, dhcpRelayEntry=dhcpRelayEntry, mrstpPortOnBridgeIndex=mrstpPortOnBridgeIndex, mstMapVlans2k=mstMapVlans2k, staticRouteSetup=staticRouteSetup, ospfLsdbExtRouteMaskbits=ospfLsdbExtRouteMaskbits, clusterStatusMemberEntry=clusterStatusMemberEntry, rateLimitPortEgrRate=rateLimitPortEgrRate, tacacsAuthServerTimeout=tacacsAuthServerTimeout, errdisableDetectReasonEnable=errdisableDetectReasonEnable, rateLimitPortTable=rateLimitPortTable, multicastPortMaxOfGroup=multicastPortMaxOfGroup, mrstpPortForwardTransitions=mrstpPortForwardTransitions, arpInspectLogMac=arpInspectLogMac, arpInspectStatisticsEntry=arpInspectStatisticsEntry, pppoe=pppoe, mrstpMaxAge=mrstpMaxAge, mstpXstPortXstId=mstpXstPortXstId, staticRouteIp=staticRouteIp, errdisableDetectReason=errdisableDetectReason, portQueuingMethodWeight=portQueuingMethodWeight, clusterManagerRowStatus=clusterManagerRowStatus, igmpFilteringStateSetup=igmpFilteringStateSetup, dhcpSnpVlanEntryEnable=dhcpSnpVlanEntryEnable, faultMIB=faultMIB, igmpSnpV2CountLeaveRx=igmpSnpV2CountLeaveRx, routerDomainIpEntry=routerDomainIpEntry, voltageMinValue=voltageMinValue, arpInspectStatisticsVid=arpInspectStatisticsVid, privateVLANVid=privateVLANVid, routerVrrpStatusVirtualID=routerVrrpStatusVirtualID, unknownMulticastFrameForwarding=unknownMulticastFrameForwarding, dhcpSnpDbStatFailRead=dhcpSnpDbStatFailRead, routerIgmpState=routerIgmpState, errdisableDetectReasonMode=errdisableDetectReasonMode, rateLimitPortCommitState=rateLimitPortCommitState, dhcpSnpDbStatLastIgnoreUnsuppVlan=dhcpSnpDbStatLastIgnoreUnsuppVlan, trapRefSeqNum=trapRefSeqNum, queuingMethodSetup=queuingMethodSetup, igmpSnpV2CountPortLeaveRx=igmpSnpV2CountPortLeaveRx, mstpXstPortPriority=mstpXstPortPriority, sysMemoryPoolUtil=sysMemoryPoolUtil, arpInspectFilterEntry=arpInspectFilterEntry, globalDhcpRelayRemoteServerEntry=globalDhcpRelayRemoteServerEntry, arpInspectFilterReason=arpInspectFilterReason, igmpSnpV2CountVlanQueryRxDrop=igmpSnpV2CountVlanQueryRxDrop, policyRouteRuleTable=policyRouteRuleTable, vlanStackPortMode=vlanStackPortMode, sysMgmtBootupConfig=sysMgmtBootupConfig, portQueuingMethodHybridSpqEntry=portQueuingMethodHybridSpqEntry, mvrGroupEndAddress=mvrGroupEndAddress, clusterMemberModel=clusterMemberModel, mrstpHelloTime=mrstpHelloTime, mrstpPortState=mrstpPortState, dhcpServerEntry=dhcpServerEntry, multicastStatus=multicastStatus, ctlProtTransSetup=ctlProtTransSetup, mvrPortTable=mvrPortTable, dot1agCfmSetup=dot1agCfmSetup, tempMaxValue=tempMaxValue, sFlowCollectorUdpPort=sFlowCollectorUdpPort, sysLogServerAddress=sysLogServerAddress, igmpSnpV3CountPortReportRxDrop=igmpSnpV3CountPortReportRxDrop, voltageIndex=voltageIndex, sysSwPlatformMinorVers=sysSwPlatformMinorVers, snmpTrapAAAGroup=snmpTrapAAAGroup, eventInstanceIdNumber=eventInstanceIdNumber, filterTable=filterTable, mstMapRowStatus=mstMapRowStatus, staticRouteName=staticRouteName, arpInspectLogEntries=arpInspectLogEntries, mstpGenCfgIdName=mstpGenCfgIdName, vlanStackPortTable=vlanStackPortTable, portAuthGuestVlanState=portAuthGuestVlanState, tacacsAuthServerMode=tacacsAuthServerMode, dhcpSnpDbStatFailWrite=dhcpSnpDbStatFailWrite, dot3OamFunctionsSupported=dot3OamFunctionsSupported, mstpGenCfgIdRevLevel=mstpGenCfgIdRevLevel, igmpSnpV2CountQueryRxDrop=igmpSnpV2CountQueryRxDrop, daylightSavingTimeState=daylightSavingTimeState, maxNumberOfDhcpServers=maxNumberOfDhcpServers, clusterManagerTable=clusterManagerTable, vlanCounterRowStatus=vlanCounterRowStatus, errdisableRecoveryState=errdisableRecoveryState, voltageEntry=voltageEntry, igmpSnpV2CountPortQueryRx=igmpSnpV2CountPortQueryRx, transceiverSerialInfoEntryPartNo=transceiverSerialInfoEntryPartNo, dot3OamState=dot3OamState, routerVrrpUplinkGateway=routerVrrpUplinkGateway, transceiverDdmInfoEntryCurrent=transceiverDdmInfoEntryCurrent, sysHwMinorVers=sysHwMinorVers, sysLogServerRowStatus=sysLogServerRowStatus, mstpGenState=mstpGenState, pppoeIaPortEntryRemoteIDString=pppoeIaPortEntryRemoteIDString, arpInspectStatisticsDrop=arpInspectStatisticsDrop, daylightSavingTimeStartDateWeek=daylightSavingTimeStartDateWeek, policyRouteSetup=policyRouteSetup, dhcpSnpVlanEntryVid=dhcpSnpVlanEntryVid, dot3OamPortTable=dot3OamPortTable, dhcpSnpDbStatSuccRead=dhcpSnpDbStatSuccRead, pppoeIaPortEntry=pppoeIaPortEntry, igmpSnpV2CountPortReportRx=igmpSnpV2CountPortReportRx, dhcpSnpPortEntryPort=dhcpSnpPortEntryPort, dhcpSnpDbWriteDelay=dhcpSnpDbWriteDelay, tempCurValue=tempCurValue, clusterMemberTable=clusterMemberTable, sysLogServerEntry=sysLogServerEntry, arpMacVid=arpMacVid, snmpVersion=snmpVersion, daylightSavingTimeEndDateDay=daylightSavingTimeEndDateDay, dhcpSnpDbStatDelayExpiry=dhcpSnpDbStatDelayExpiry, mstVlanMstIndex=mstVlanMstIndex, vlanMappingRuleName=vlanMappingRuleName, portOpModePortEntry=portOpModePortEntry, ipStatusPort=ipStatusPort, pppoeIaPortEntryCircuitIDString=pppoeIaPortEntryCircuitIDString, diffservPortState=diffservPortState, dhcpSnpBindEntry=dhcpSnpBindEntry, dhcpSetup=dhcpSetup, portAuthTxPeriod=portAuthTxPeriod, portSecurityPortLearnState=portSecurityPortLearnState, UtcTimeStamp=UtcTimeStamp, subnetBasedVlanPriority=subnetBasedVlanPriority, sysLogTypeName=sysLogTypeName, dot1agCfmMep=dot1agCfmMep, pppoeIaPortTable=pppoeIaPortTable, maxNumberOfMvrGroup=maxNumberOfMvrGroup, brLimitPortEntry=brLimitPortEntry, arpInspectLogTable=arpInspectLogTable, mstpXstBridgePriority=mstpXstBridgePriority, pppoeIaPortVlanTable=pppoeIaPortVlanTable, accountingTypeEntry=accountingTypeEntry, vlanStackPortEntry=vlanStackPortEntry, mstMapVlans1k=mstMapVlans1k, portQueuingMethodMode=portQueuingMethodMode, tacacsAuthServerTcpPort=tacacsAuthServerTcpPort, diffservMapPriority=diffservMapPriority, mstpPortAdminEdgePort=mstpPortAdminEdgePort, vlanCounterSetup=vlanCounterSetup, sysMemoryPoolEntry=sysMemoryPoolEntry, routerVrrpStatusTable=routerVrrpStatusTable, mstpXstPortPathCost=mstpXstPortPathCost, arpInspectPortTable=arpInspectPortTable, dhcpSnpDbStatTotalIgnoreUnsuppVlan=dhcpSnpDbStatTotalIgnoreUnsuppVlan, mvrPortEntry=mvrPortEntry, dhcpSnpVlanTable=dhcpSnpVlanTable, policyRouteProfileRowStatus=policyRouteProfileRowStatus, ospfNbrExtRXmtL=ospfNbrExtRXmtL, sFlowPortCollectorAddressType=sFlowPortCollectorAddressType, routerVrrpPrimaryVirtualIP=routerVrrpPrimaryVirtualIP, mstpXstPortDesignatedCost=mstpXstPortDesignatedCost, routingStatusDestMaskbits=routingStatusDestMaskbits, sysHwMajorVers=sysHwMajorVers, dateTimeServerIP=dateTimeServerIP, igmpSnpV3CountPortReportRx=igmpSnpV3CountPortReportRx, voltageDescr=voltageDescr, mvr8021pPriority=mvr8021pPriority, mrstpPortEnable=mrstpPortEnable, dhcpServerStartAddr=dhcpServerStartAddr, defaultMgmt=defaultMgmt, multicastPortFastLeaveTimeout=multicastPortFastLeaveTimeout, mstpPortTable=mstpPortTable, l2ptMacAddr=l2ptMacAddr, routerVrrpStatusIpMaskBits=routerVrrpStatusIpMaskBits, radiusAuthServerTable=radiusAuthServerTable, arpInspectFilterExpiry=arpInspectFilterExpiry, macAuthenticationState=macAuthenticationState, smartIsolationState=smartIsolationState, sysMemoryPoolTable=sysMemoryPoolTable, ctlProtTransState=ctlProtTransState, voltageMaxValue=voltageMaxValue, subnetBasedVlanVid=subnetBasedVlanVid, pppoeIaPortEntryPort=pppoeIaPortEntryPort, voltageNominalValue=voltageNominalValue, sysLogTypeState=sysLogTypeState, errdisableTrapInfoObject=errdisableTrapInfoObject, sFlowPortCollectorRowStatus=sFlowPortCollectorRowStatus, mstpXstPortDesignatedPort=mstpXstPortDesignatedPort, snmpTrapCommunity=snmpTrapCommunity, igmpSnpGroupCountVlanEntry=igmpSnpGroupCountVlanEntry, dhcpSnpPortTable=dhcpSnpPortTable, protoBasedVlanEtherType=protoBasedVlanEtherType, dateTimeNewDateDay=dateTimeNewDateDay, sysMemoryPool=sysMemoryPool, multicastPortLeaveMode=multicastPortLeaveMode, mrstpProtocolSpecification=mrstpProtocolSpecification, outOfBandGateway=outOfBandGateway, radiusAcctServerSharedSecret=radiusAcctServerSharedSecret, ipsg=ipsg, sFlowPortCollectorEntry=sFlowPortCollectorEntry, snmpUserEntry=snmpUserEntry, maxNumOfInbandIp=maxNumOfInbandIp, securedClientService=securedClientService, fanRpmLowThresh=fanRpmLowThresh, snmpTrapDestRowStatus=snmpTrapDestRowStatus, igmpSnpGroupCountPortEntry=igmpSnpGroupCountPortEntry, snmpUserName=snmpUserName, mstpXstPortState=mstpXstPortState, igmpSnpV2CountVlanLeaveRx=igmpSnpV2CountVlanLeaveRx, arpInspectStatus=arpInspectStatus, sysSwMonth=sysSwMonth, portAuthEntry=portAuthEntry, aggrPortGroup=aggrPortGroup, mirrorDirection=mirrorDirection, clusterManagerName=clusterManagerName) mibBuilder.exportSymbols('ZYXEL-XGS4728F-MIB', loopGuardPortState=loopGuardPortState, mstpGen=mstpGen, authenticationSetup=authenticationSetup, accountingTypeTable=accountingTypeTable, portSecurityPortEntry=portSecurityPortEntry, arpIndex=arpIndex, errdisableTrapPort=errdisableTrapPort, igmpSnpGroupCountPortTable=igmpSnpGroupCountPortTable, vlanStackPortVid=vlanStackPortVid, dateTimeSetup=dateTimeSetup, mvrGroupStartAddress=mvrGroupStartAddress, routerVrrpEntry=routerVrrpEntry, portQueuingMethodQueue=portQueuingMethodQueue, filterSetup=filterSetup, diffservPortTable=diffservPortTable, dhcpSnpDbUrlRenew=dhcpSnpDbUrlRenew, diffservPortEntry=diffservPortEntry, arpInspectStatisticsTable=arpInspectStatisticsTable, errdisableRecoveryReasonTable=errdisableRecoveryReasonTable, dhcpSnpPortEntryTrust=dhcpSnpPortEntryTrust, dhcpVlanOverrideState=dhcpVlanOverrideState, brLimitSetup=brLimitSetup, macAuthenticationPassword=macAuthenticationPassword, trTCMPortState=trTCMPortState, ospfRedistributeRouteProtocol=ospfRedistributeRouteProtocol, errdisableDetectTrap=errdisableDetectTrap, dnsIpAddress=dnsIpAddress, multicastStatusPort=multicastStatusPort, mstpNewRoot=mstpNewRoot, portOpModePortCounterReset=portOpModePortCounterReset, privateVLANPromiscuousPorts=privateVLANPromiscuousPorts, pppoeIaPortVlanEntryCircuitIDString=pppoeIaPortVlanEntryCircuitIDString, igmpSnpGroupCountNum=igmpSnpGroupCountNum, sysMgmtCPUUsage=sysMgmtCPUUsage, clusterManager=clusterManager, mrstpBridgeTable=mrstpBridgeTable, multicastPortThrottlingAction=multicastPortThrottlingAction, pppoeIaFlexibleCircuitIDSyntaxIdentifierString=pppoeIaFlexibleCircuitIDSyntaxIdentifierString, routerVrrpPreempt=routerVrrpPreempt, accessCtlService=accessCtlService, securedClientEntry=securedClientEntry, arpInspectStatisticsReply=arpInspectStatisticsReply, igmpSnpV2CountReportRxDrop=igmpSnpV2CountReportRxDrop, routerDomainIpAddress=routerDomainIpAddress, routerDomainTable=routerDomainTable, ipStatusTable=ipStatusTable, stpState=stpState, sysLogTypeEntry=sysLogTypeEntry, tacacsAuthServerEntry=tacacsAuthServerEntry, transceiverSerialInfoEntrySerialNo=transceiverSerialInfoEntrySerialNo, igmpSnpV2CountQueryTx=igmpSnpV2CountQueryTx, routerVrrpSecondaryVirtualIP=routerVrrpSecondaryVirtualIP, mrstpTimeSinceTopologyChange=mrstpTimeSinceTopologyChange, portOpModePortSpeedDuplex=portOpModePortSpeedDuplex, vlanStackPortPrio=vlanStackPortPrio, dhcpSnpVlanEntryOption82Enable=dhcpSnpVlanEntryOption82Enable, inbandIpTable=inbandIpTable, vlanMappingRuleTransVid=vlanMappingRuleTransVid, clusterMemberEntry=clusterMemberEntry, mrstpBridgeForwardDelay=mrstpBridgeForwardDelay, transceiverDdmInfoEntryPort=transceiverDdmInfoEntryPort, sysMgmtConfigSave=sysMgmtConfigSave, ospfExt=ospfExt, errdisableRecoveryReasonActive=errdisableRecoveryReasonActive, routerVrrpPriority=routerVrrpPriority, rateLimitPortEntry=rateLimitPortEntry, l2ptEntry=l2ptEntry, detect=detect, igmpSnpV2CountLeaveRxDrop=igmpSnpV2CountLeaveRxDrop, igmpsnpQuerierMode=igmpsnpQuerierMode, routingStatusType=routingStatusType, aggrSetup=aggrSetup, tempIndex=tempIndex, transceiverSerialInfoEntryStatus=transceiverSerialInfoEntryStatus, EventIdNumber=EventIdNumber, diffservMapEntry=diffservMapEntry, subnetBasedVlanSetup=subnetBasedVlanSetup, eventEntry=eventEntry, portOpModePortName=portOpModePortName, mstpPortEntry=mstpPortEntry, pppoeIaFlexibleCircuitIDSyntaxDelimiter=pppoeIaFlexibleCircuitIDSyntaxDelimiter, staticRouteMask=staticRouteMask, routerDomainIpTable=routerDomainIpTable, ipsgEntryLease=ipsgEntryLease, clusterStatusMemberStatus=clusterStatusMemberStatus, errdisableRecoveryReasonInterval=errdisableRecoveryReasonInterval, dhcpSnpBindEntryPort=dhcpSnpBindEntryPort, mrstpPortDesignatedCost=mrstpPortDesignatedCost, dhcpSnpDbStatSuccTrans=dhcpSnpDbStatSuccTrans, accessSwitch=accessSwitch, sysMgmtTftpRemoteFileName=sysMgmtTftpRemoteFileName, vlanTrunkPortEntry=vlanTrunkPortEntry, accountingUpdatePeriod=accountingUpdatePeriod, vlanTrunkSetup=vlanTrunkSetup, igmpSnpGroupCountVlanIndex=igmpSnpGroupCountVlanIndex, dhcpSnpDbUrl=dhcpSnpDbUrl, clusterCandidateMac=clusterCandidateMac, ospfAreaExtEntry=ospfAreaExtEntry, clusterCandidateEntry=clusterCandidateEntry, dhcpServerRowStatus=dhcpServerRowStatus, fanRpmTable=fanRpmTable, errdisableRecoveryIfStatusTimeToRecover=errdisableRecoveryIfStatusTimeToRecover, accountingTypeMode=accountingTypeMode, diffservMapTable=diffservMapTable, mstpXstPortDesignatedBridge=mstpXstPortDesignatedBridge, EventServiceAffective=EventServiceAffective, ospfVirtualLinkName=ospfVirtualLinkName, vlanCounterHCPkts256to511Octets=vlanCounterHCPkts256to511Octets, mstpPortIndex=mstpPortIndex, arpLearningPortEntry=arpLearningPortEntry, daylightSavingTimeEndDateMonth=daylightSavingTimeEndDateMonth, snmpTrapGroupEntry=snmpTrapGroupEntry, dhcpSnpBindEntryType=dhcpSnpBindEntryType, igmpSnpGroupCountVlanTable=igmpSnpGroupCountVlanTable, vlanCounterHCPkts65to127Octets=vlanCounterHCPkts65to127Octets, multicastVlanStatusType=multicastVlanStatusType, portSecurityPortTable=portSecurityPortTable, vlanTypeSetup=vlanTypeSetup, subnetBasedVlanEntry=subnetBasedVlanEntry, routingStatusTable=routingStatusTable, tacacsAcctServerTimeout=tacacsAcctServerTimeout, zyxel=zyxel, clusterMaxNumOfManager=clusterMaxNumOfManager)
def validate(number): if not 0 < number <= 64: raise ValueError("Invalid input!") def square(number): validate(number) return 2 ** (number - 1) def total(number): validate(number) return sum(square(i + 1) for i in range(number))
def validate(number): if not 0 < number <= 64: raise value_error('Invalid input!') def square(number): validate(number) return 2 ** (number - 1) def total(number): validate(number) return sum((square(i + 1) for i in range(number)))
""" Given n non-negative integers representing an elevation map where the width of each bar is 1, compute how much water it is able to trap after raining. Example : Given [0,1,0,2,1,0,1,3,2,1,2,1], return 6. Rain water trapped: Example 1 The above elevation map is represented by array [0,1,0,2,1,0,1,3,2,1,2,1]. In this case, 6 units of rain water (blue section) are being trapped. """ # TODO Again do this using stack class Solution: def rain_water_trap(self, arr): n = len(arr) result = 0 left_max = 0 right_max = 0 l = 0 r = n - 1 while l <= r: if arr[l] < arr[r]: if arr[l] > left_max: left_max = arr[l] else: result += left_max - arr[l] l += 1 else: if arr[r] > right_max: right_max = arr[r] else: result += right_max - arr[r] r -= 1 return result s = Solution() dp = [0, 1, 0, 2, 1, 0, 1, 3, 2, 1, 2, 1] print(s.rain_water_trap(dp))
""" Given n non-negative integers representing an elevation map where the width of each bar is 1, compute how much water it is able to trap after raining. Example : Given [0,1,0,2,1,0,1,3,2,1,2,1], return 6. Rain water trapped: Example 1 The above elevation map is represented by array [0,1,0,2,1,0,1,3,2,1,2,1]. In this case, 6 units of rain water (blue section) are being trapped. """ class Solution: def rain_water_trap(self, arr): n = len(arr) result = 0 left_max = 0 right_max = 0 l = 0 r = n - 1 while l <= r: if arr[l] < arr[r]: if arr[l] > left_max: left_max = arr[l] else: result += left_max - arr[l] l += 1 else: if arr[r] > right_max: right_max = arr[r] else: result += right_max - arr[r] r -= 1 return result s = solution() dp = [0, 1, 0, 2, 1, 0, 1, 3, 2, 1, 2, 1] print(s.rain_water_trap(dp))
DB_NAME = "defaultdb" DB_USER = "postgres" SESSIONSDB_HOST = '127.0.0.1' SESSIONSDB_PORT = 6379 SESSIONSDB_PASSWD = None SESSIONSDB_NO = 1 # SMTP MD_HOST = '127.0.0.1' MD_PORT = 10000 MD_USERNAME = None MD_KEY = '' class API_LOGGER: ENABLED = False
db_name = 'defaultdb' db_user = 'postgres' sessionsdb_host = '127.0.0.1' sessionsdb_port = 6379 sessionsdb_passwd = None sessionsdb_no = 1 md_host = '127.0.0.1' md_port = 10000 md_username = None md_key = '' class Api_Logger: enabled = False
inpt = [] while True: try: inpt.append(int(input())) except EOFError: break even = lambda x: True if x % 2 == 0 else False l = lambda lst: list(map(even, inpt)) print(l(inpt))
inpt = [] while True: try: inpt.append(int(input())) except EOFError: break even = lambda x: True if x % 2 == 0 else False l = lambda lst: list(map(even, inpt)) print(l(inpt))
#/usr/bin/python3 class Car() : def __init__(self) : print("This is class named car") car = Car() class ChinaCar(Car) : def __init__(self, name) : self.__name__ = name print("China car named ", name) china_car = ChinaCar("byd") class FlyCar(Car) : def __init__(self) : super().__init__() @property def color(self) : print("color is ", self.__color__) return self.__color__ @color.setter def color(self, color) : self.__color__= color fly_car = FlyCar() fly_car.color = "red" print(fly_car.color) class A() : count = 0 def __init__(self) : A.count += 1 @classmethod def kids(cls) : print("There are total %s A object" % A.count) a = A() b = A() A.kids() class B() : def __init__(self) : pass @staticmethod def staticTest() : print("This is test for static method") B.staticTest()
class Car: def __init__(self): print('This is class named car') car = car() class Chinacar(Car): def __init__(self, name): self.__name__ = name print('China car named ', name) china_car = china_car('byd') class Flycar(Car): def __init__(self): super().__init__() @property def color(self): print('color is ', self.__color__) return self.__color__ @color.setter def color(self, color): self.__color__ = color fly_car = fly_car() fly_car.color = 'red' print(fly_car.color) class A: count = 0 def __init__(self): A.count += 1 @classmethod def kids(cls): print('There are total %s A object' % A.count) a = a() b = a() A.kids() class B: def __init__(self): pass @staticmethod def static_test(): print('This is test for static method') B.staticTest()
# # PySNMP MIB module CISCO-UNIFIED-COMPUTING-FC-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/CISCO-UNIFIED-COMPUTING-FC-MIB # Produced by pysmi-0.3.4 at Mon Apr 29 17:59:25 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, OctetString, Integer = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "OctetString", "Integer") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ConstraintsUnion, ValueSizeConstraint, ValueRangeConstraint, ConstraintsIntersection, SingleValueConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsUnion", "ValueSizeConstraint", "ValueRangeConstraint", "ConstraintsIntersection", "SingleValueConstraint") ciscoMgmt, = mibBuilder.importSymbols("CISCO-SMI", "ciscoMgmt") Unsigned64, TimeIntervalSec, CiscoAlarmSeverity, CiscoNetworkAddress, CiscoInetAddressMask = mibBuilder.importSymbols("CISCO-TC", "Unsigned64", "TimeIntervalSec", "CiscoAlarmSeverity", "CiscoNetworkAddress", "CiscoInetAddressMask") CucsManagedObjectId, CucsManagedObjectDn, ciscoUnifiedComputingMIBObjects = mibBuilder.importSymbols("CISCO-UNIFIED-COMPUTING-MIB", "CucsManagedObjectId", "CucsManagedObjectDn", "ciscoUnifiedComputingMIBObjects") CucsNetworkConnectionType, CucsFsmLifecycle, CucsFcErrStatsThresholded, CucsFabricAdminState, CucsPortMode, CucsFcPIoFsmCurrentFsm, CucsNetworkSwitchId, CucsConditionRemoteInvRslt, CucsNetworkPhysEpIfType, CucsLicenseState, CucsNetworkPortOperState, CucsPortEncap, CucsFsmFsmStageStatus, CucsNetworkLocale, CucsPortSpeed, CucsFcErrStatsHistThresholded, CucsNetworkPortRole, CucsFcStatsHistThresholded, CucsNetworkTransport, CucsFcStatsThresholded, CucsEquipmentXcvrType, CucsFcPIoFsmStageName = mibBuilder.importSymbols("CISCO-UNIFIED-COMPUTING-TC-MIB", "CucsNetworkConnectionType", "CucsFsmLifecycle", "CucsFcErrStatsThresholded", "CucsFabricAdminState", "CucsPortMode", "CucsFcPIoFsmCurrentFsm", "CucsNetworkSwitchId", "CucsConditionRemoteInvRslt", "CucsNetworkPhysEpIfType", "CucsLicenseState", "CucsNetworkPortOperState", "CucsPortEncap", "CucsFsmFsmStageStatus", "CucsNetworkLocale", "CucsPortSpeed", "CucsFcErrStatsHistThresholded", "CucsNetworkPortRole", "CucsFcStatsHistThresholded", "CucsNetworkTransport", "CucsFcStatsThresholded", "CucsEquipmentXcvrType", "CucsFcPIoFsmStageName") InetAddressIPv4, InetAddressIPv6 = mibBuilder.importSymbols("INET-ADDRESS-MIB", "InetAddressIPv4", "InetAddressIPv6") SnmpAdminString, = mibBuilder.importSymbols("SNMP-FRAMEWORK-MIB", "SnmpAdminString") ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup") ModuleIdentity, IpAddress, MibIdentifier, Unsigned32, iso, MibScalar, MibTable, MibTableRow, MibTableColumn, Bits, NotificationType, Gauge32, TimeTicks, Counter64, ObjectIdentity, Counter32, Integer32 = mibBuilder.importSymbols("SNMPv2-SMI", "ModuleIdentity", "IpAddress", "MibIdentifier", "Unsigned32", "iso", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Bits", "NotificationType", "Gauge32", "TimeTicks", "Counter64", "ObjectIdentity", "Counter32", "Integer32") MacAddress, TruthValue, TextualConvention, TimeStamp, TimeInterval, RowPointer, DateAndTime, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "MacAddress", "TruthValue", "TextualConvention", "TimeStamp", "TimeInterval", "RowPointer", "DateAndTime", "DisplayString") cucsFcObjects = ModuleIdentity((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20)) if mibBuilder.loadTexts: cucsFcObjects.setLastUpdated('201601180000Z') if mibBuilder.loadTexts: cucsFcObjects.setOrganization('Cisco Systems Inc.') cucsFcErrStatsTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1), ) if mibBuilder.loadTexts: cucsFcErrStatsTable.setStatus('current') cucsFcErrStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1), ).setIndexNames((0, "CISCO-UNIFIED-COMPUTING-FC-MIB", "cucsFcErrStatsInstanceId")) if mibBuilder.loadTexts: cucsFcErrStatsEntry.setStatus('current') cucsFcErrStatsInstanceId = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 1), CucsManagedObjectId()) if mibBuilder.loadTexts: cucsFcErrStatsInstanceId.setStatus('current') cucsFcErrStatsDn = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 2), CucsManagedObjectDn()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsDn.setStatus('current') cucsFcErrStatsRn = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 3), SnmpAdminString()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsRn.setStatus('current') cucsFcErrStatsCrcRx = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 4), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsCrcRx.setStatus('current') cucsFcErrStatsCrcRxDelta = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 5), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsCrcRxDelta.setStatus('current') cucsFcErrStatsCrcRxDeltaAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 6), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsCrcRxDeltaAvg.setStatus('current') cucsFcErrStatsCrcRxDeltaMax = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 7), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsCrcRxDeltaMax.setStatus('current') cucsFcErrStatsCrcRxDeltaMin = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 8), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsCrcRxDeltaMin.setStatus('current') cucsFcErrStatsDiscardRx = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 9), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsDiscardRx.setStatus('current') cucsFcErrStatsDiscardRxDelta = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 10), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsDiscardRxDelta.setStatus('current') cucsFcErrStatsDiscardRxDeltaAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 11), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsDiscardRxDeltaAvg.setStatus('current') cucsFcErrStatsDiscardRxDeltaMax = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 12), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsDiscardRxDeltaMax.setStatus('current') cucsFcErrStatsDiscardRxDeltaMin = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 13), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsDiscardRxDeltaMin.setStatus('current') cucsFcErrStatsDiscardTx = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 14), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsDiscardTx.setStatus('current') cucsFcErrStatsDiscardTxDelta = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 15), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsDiscardTxDelta.setStatus('current') cucsFcErrStatsDiscardTxDeltaAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 16), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsDiscardTxDeltaAvg.setStatus('current') cucsFcErrStatsDiscardTxDeltaMax = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 17), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsDiscardTxDeltaMax.setStatus('current') cucsFcErrStatsDiscardTxDeltaMin = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 18), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsDiscardTxDeltaMin.setStatus('current') cucsFcErrStatsIntervals = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 19), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsIntervals.setStatus('current') cucsFcErrStatsLinkFailures = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 20), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsLinkFailures.setStatus('current') cucsFcErrStatsLinkFailuresDelta = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 21), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsLinkFailuresDelta.setStatus('current') cucsFcErrStatsLinkFailuresDeltaAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 22), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsLinkFailuresDeltaAvg.setStatus('current') cucsFcErrStatsLinkFailuresDeltaMax = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 23), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsLinkFailuresDeltaMax.setStatus('current') cucsFcErrStatsLinkFailuresDeltaMin = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 24), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsLinkFailuresDeltaMin.setStatus('current') cucsFcErrStatsRx = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 25), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsRx.setStatus('current') cucsFcErrStatsRxDelta = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 26), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsRxDelta.setStatus('current') cucsFcErrStatsRxDeltaAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 27), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsRxDeltaAvg.setStatus('current') cucsFcErrStatsRxDeltaMax = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 28), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsRxDeltaMax.setStatus('current') cucsFcErrStatsRxDeltaMin = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 29), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsRxDeltaMin.setStatus('current') cucsFcErrStatsSignalLosses = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 30), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsSignalLosses.setStatus('current') cucsFcErrStatsSignalLossesDelta = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 31), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsSignalLossesDelta.setStatus('current') cucsFcErrStatsSignalLossesDeltaAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 32), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsSignalLossesDeltaAvg.setStatus('current') cucsFcErrStatsSignalLossesDeltaMax = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 33), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsSignalLossesDeltaMax.setStatus('current') cucsFcErrStatsSignalLossesDeltaMin = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 34), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsSignalLossesDeltaMin.setStatus('current') cucsFcErrStatsSuspect = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 35), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsSuspect.setStatus('current') cucsFcErrStatsSyncLosses = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 36), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsSyncLosses.setStatus('current') cucsFcErrStatsSyncLossesDelta = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 37), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsSyncLossesDelta.setStatus('current') cucsFcErrStatsSyncLossesDeltaAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 38), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsSyncLossesDeltaAvg.setStatus('current') cucsFcErrStatsSyncLossesDeltaMax = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 39), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsSyncLossesDeltaMax.setStatus('current') cucsFcErrStatsSyncLossesDeltaMin = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 40), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsSyncLossesDeltaMin.setStatus('current') cucsFcErrStatsThresholded = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 41), CucsFcErrStatsThresholded()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsThresholded.setStatus('current') cucsFcErrStatsTimeCollected = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 42), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsTimeCollected.setStatus('current') cucsFcErrStatsTooLongRx = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 43), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsTooLongRx.setStatus('current') cucsFcErrStatsTooLongRxDelta = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 44), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsTooLongRxDelta.setStatus('current') cucsFcErrStatsTooLongRxDeltaAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 45), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsTooLongRxDeltaAvg.setStatus('current') cucsFcErrStatsTooLongRxDeltaMax = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 46), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsTooLongRxDeltaMax.setStatus('current') cucsFcErrStatsTooLongRxDeltaMin = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 47), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsTooLongRxDeltaMin.setStatus('current') cucsFcErrStatsTooShortRx = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 48), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsTooShortRx.setStatus('current') cucsFcErrStatsTooShortRxDelta = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 49), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsTooShortRxDelta.setStatus('current') cucsFcErrStatsTooShortRxDeltaAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 50), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsTooShortRxDeltaAvg.setStatus('current') cucsFcErrStatsTooShortRxDeltaMax = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 51), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsTooShortRxDeltaMax.setStatus('current') cucsFcErrStatsTooShortRxDeltaMin = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 52), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsTooShortRxDeltaMin.setStatus('current') cucsFcErrStatsTx = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 53), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsTx.setStatus('current') cucsFcErrStatsTxDelta = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 54), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsTxDelta.setStatus('current') cucsFcErrStatsTxDeltaAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 55), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsTxDeltaAvg.setStatus('current') cucsFcErrStatsTxDeltaMax = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 56), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsTxDeltaMax.setStatus('current') cucsFcErrStatsTxDeltaMin = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 57), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsTxDeltaMin.setStatus('current') cucsFcErrStatsUpdate = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 58), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsUpdate.setStatus('current') cucsFcErrStatsHistTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2), ) if mibBuilder.loadTexts: cucsFcErrStatsHistTable.setStatus('current') cucsFcErrStatsHistEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1), ).setIndexNames((0, "CISCO-UNIFIED-COMPUTING-FC-MIB", "cucsFcErrStatsHistInstanceId")) if mibBuilder.loadTexts: cucsFcErrStatsHistEntry.setStatus('current') cucsFcErrStatsHistInstanceId = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 1), CucsManagedObjectId()) if mibBuilder.loadTexts: cucsFcErrStatsHistInstanceId.setStatus('current') cucsFcErrStatsHistDn = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 2), CucsManagedObjectDn()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistDn.setStatus('current') cucsFcErrStatsHistRn = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 3), SnmpAdminString()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistRn.setStatus('current') cucsFcErrStatsHistCrcRx = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 4), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistCrcRx.setStatus('current') cucsFcErrStatsHistCrcRxDelta = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 5), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistCrcRxDelta.setStatus('current') cucsFcErrStatsHistCrcRxDeltaAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 6), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistCrcRxDeltaAvg.setStatus('current') cucsFcErrStatsHistCrcRxDeltaMax = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 7), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistCrcRxDeltaMax.setStatus('current') cucsFcErrStatsHistCrcRxDeltaMin = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 8), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistCrcRxDeltaMin.setStatus('current') cucsFcErrStatsHistDiscardRx = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 9), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistDiscardRx.setStatus('current') cucsFcErrStatsHistDiscardRxDelta = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 10), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistDiscardRxDelta.setStatus('current') cucsFcErrStatsHistDiscardRxDeltaAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 11), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistDiscardRxDeltaAvg.setStatus('current') cucsFcErrStatsHistDiscardRxDeltaMax = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 12), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistDiscardRxDeltaMax.setStatus('current') cucsFcErrStatsHistDiscardRxDeltaMin = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 13), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistDiscardRxDeltaMin.setStatus('current') cucsFcErrStatsHistDiscardTx = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 14), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistDiscardTx.setStatus('current') cucsFcErrStatsHistDiscardTxDelta = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 15), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistDiscardTxDelta.setStatus('current') cucsFcErrStatsHistDiscardTxDeltaAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 16), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistDiscardTxDeltaAvg.setStatus('current') cucsFcErrStatsHistDiscardTxDeltaMax = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 17), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistDiscardTxDeltaMax.setStatus('current') cucsFcErrStatsHistDiscardTxDeltaMin = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 18), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistDiscardTxDeltaMin.setStatus('current') cucsFcErrStatsHistId = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 19), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistId.setStatus('current') cucsFcErrStatsHistLinkFailures = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 20), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistLinkFailures.setStatus('current') cucsFcErrStatsHistLinkFailuresDelta = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 21), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistLinkFailuresDelta.setStatus('current') cucsFcErrStatsHistLinkFailuresDeltaAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 22), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistLinkFailuresDeltaAvg.setStatus('current') cucsFcErrStatsHistLinkFailuresDeltaMax = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 23), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistLinkFailuresDeltaMax.setStatus('current') cucsFcErrStatsHistLinkFailuresDeltaMin = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 24), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistLinkFailuresDeltaMin.setStatus('current') cucsFcErrStatsHistMostRecent = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 25), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistMostRecent.setStatus('current') cucsFcErrStatsHistRx = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 26), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistRx.setStatus('current') cucsFcErrStatsHistRxDelta = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 27), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistRxDelta.setStatus('current') cucsFcErrStatsHistRxDeltaAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 28), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistRxDeltaAvg.setStatus('current') cucsFcErrStatsHistRxDeltaMax = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 29), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistRxDeltaMax.setStatus('current') cucsFcErrStatsHistRxDeltaMin = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 30), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistRxDeltaMin.setStatus('current') cucsFcErrStatsHistSignalLosses = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 31), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistSignalLosses.setStatus('current') cucsFcErrStatsHistSignalLossesDelta = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 32), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistSignalLossesDelta.setStatus('current') cucsFcErrStatsHistSignalLossesDeltaAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 33), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistSignalLossesDeltaAvg.setStatus('current') cucsFcErrStatsHistSignalLossesDeltaMax = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 34), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistSignalLossesDeltaMax.setStatus('current') cucsFcErrStatsHistSignalLossesDeltaMin = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 35), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistSignalLossesDeltaMin.setStatus('current') cucsFcErrStatsHistSuspect = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 36), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistSuspect.setStatus('current') cucsFcErrStatsHistSyncLosses = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 37), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistSyncLosses.setStatus('current') cucsFcErrStatsHistSyncLossesDelta = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 38), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistSyncLossesDelta.setStatus('current') cucsFcErrStatsHistSyncLossesDeltaAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 39), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistSyncLossesDeltaAvg.setStatus('current') cucsFcErrStatsHistSyncLossesDeltaMax = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 40), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistSyncLossesDeltaMax.setStatus('current') cucsFcErrStatsHistSyncLossesDeltaMin = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 41), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistSyncLossesDeltaMin.setStatus('current') cucsFcErrStatsHistThresholded = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 42), CucsFcErrStatsHistThresholded()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistThresholded.setStatus('current') cucsFcErrStatsHistTimeCollected = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 43), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistTimeCollected.setStatus('current') cucsFcErrStatsHistTooLongRx = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 44), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistTooLongRx.setStatus('current') cucsFcErrStatsHistTooLongRxDelta = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 45), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistTooLongRxDelta.setStatus('current') cucsFcErrStatsHistTooLongRxDeltaAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 46), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistTooLongRxDeltaAvg.setStatus('current') cucsFcErrStatsHistTooLongRxDeltaMax = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 47), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistTooLongRxDeltaMax.setStatus('current') cucsFcErrStatsHistTooLongRxDeltaMin = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 48), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistTooLongRxDeltaMin.setStatus('current') cucsFcErrStatsHistTooShortRx = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 49), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistTooShortRx.setStatus('current') cucsFcErrStatsHistTooShortRxDelta = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 50), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistTooShortRxDelta.setStatus('current') cucsFcErrStatsHistTooShortRxDeltaAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 51), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistTooShortRxDeltaAvg.setStatus('current') cucsFcErrStatsHistTooShortRxDeltaMax = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 52), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistTooShortRxDeltaMax.setStatus('current') cucsFcErrStatsHistTooShortRxDeltaMin = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 53), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistTooShortRxDeltaMin.setStatus('current') cucsFcErrStatsHistTx = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 54), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistTx.setStatus('current') cucsFcErrStatsHistTxDelta = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 55), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistTxDelta.setStatus('current') cucsFcErrStatsHistTxDeltaAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 56), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistTxDeltaAvg.setStatus('current') cucsFcErrStatsHistTxDeltaMax = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 57), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistTxDeltaMax.setStatus('current') cucsFcErrStatsHistTxDeltaMin = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 58), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcErrStatsHistTxDeltaMin.setStatus('current') cucsFcNicIfConfigTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 3), ) if mibBuilder.loadTexts: cucsFcNicIfConfigTable.setStatus('current') cucsFcNicIfConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 3, 1), ).setIndexNames((0, "CISCO-UNIFIED-COMPUTING-FC-MIB", "cucsFcNicIfConfigInstanceId")) if mibBuilder.loadTexts: cucsFcNicIfConfigEntry.setStatus('current') cucsFcNicIfConfigInstanceId = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 3, 1, 1), CucsManagedObjectId()) if mibBuilder.loadTexts: cucsFcNicIfConfigInstanceId.setStatus('current') cucsFcNicIfConfigDn = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 3, 1, 2), CucsManagedObjectDn()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcNicIfConfigDn.setStatus('current') cucsFcNicIfConfigRn = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 3, 1, 3), SnmpAdminString()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcNicIfConfigRn.setStatus('current') cucsFcPIoTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4), ) if mibBuilder.loadTexts: cucsFcPIoTable.setStatus('current') cucsFcPIoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1), ).setIndexNames((0, "CISCO-UNIFIED-COMPUTING-FC-MIB", "cucsFcPIoInstanceId")) if mibBuilder.loadTexts: cucsFcPIoEntry.setStatus('current') cucsFcPIoInstanceId = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 1), CucsManagedObjectId()) if mibBuilder.loadTexts: cucsFcPIoInstanceId.setStatus('current') cucsFcPIoDn = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 2), CucsManagedObjectDn()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoDn.setStatus('current') cucsFcPIoRn = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 3), SnmpAdminString()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoRn.setStatus('current') cucsFcPIoAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 4), CucsFabricAdminState()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoAdminState.setStatus('current') cucsFcPIoChassisId = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 5), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoChassisId.setStatus('current') cucsFcPIoEncap = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 6), CucsPortEncap()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoEncap.setStatus('current') cucsFcPIoEpDn = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 7), SnmpAdminString()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoEpDn.setStatus('current') cucsFcPIoFltAggr = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 8), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoFltAggr.setStatus('current') cucsFcPIoIfRole = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 9), CucsNetworkPortRole()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoIfRole.setStatus('current') cucsFcPIoIfType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 10), CucsNetworkPhysEpIfType()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoIfType.setStatus('current') cucsFcPIoLocale = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 11), CucsNetworkLocale()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoLocale.setStatus('current') cucsFcPIoMode = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 12), CucsPortMode()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoMode.setStatus('current') cucsFcPIoModel = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 13), SnmpAdminString()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoModel.setStatus('current') cucsFcPIoName = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 14), SnmpAdminString()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoName.setStatus('current') cucsFcPIoOperSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 15), CucsPortSpeed()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoOperSpeed.setStatus('current') cucsFcPIoOperState = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 16), CucsNetworkPortOperState()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoOperState.setStatus('current') cucsFcPIoPeerDn = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 17), SnmpAdminString()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoPeerDn.setStatus('current') cucsFcPIoPeerPortId = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 18), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoPeerPortId.setStatus('current') cucsFcPIoPeerSlotId = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 19), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoPeerSlotId.setStatus('current') cucsFcPIoPortId = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 20), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoPortId.setStatus('current') cucsFcPIoRevision = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 21), SnmpAdminString()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoRevision.setStatus('current') cucsFcPIoSerial = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 22), SnmpAdminString()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoSerial.setStatus('current') cucsFcPIoSlotId = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 23), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoSlotId.setStatus('current') cucsFcPIoStateQual = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 24), SnmpAdminString()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoStateQual.setStatus('current') cucsFcPIoSwitchId = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 25), CucsNetworkSwitchId()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoSwitchId.setStatus('current') cucsFcPIoTransport = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 26), CucsNetworkTransport()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoTransport.setStatus('current') cucsFcPIoTs = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 27), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoTs.setStatus('current') cucsFcPIoType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 28), CucsNetworkConnectionType()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoType.setStatus('current') cucsFcPIoUsrLbl = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 29), SnmpAdminString()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoUsrLbl.setStatus('current') cucsFcPIoVendor = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 30), SnmpAdminString()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoVendor.setStatus('current') cucsFcPIoWwn = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 31), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoWwn.setStatus('current') cucsFcPIoFsmDescr = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 32), SnmpAdminString()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoFsmDescr.setStatus('current') cucsFcPIoFsmPrev = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 33), SnmpAdminString()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoFsmPrev.setStatus('current') cucsFcPIoFsmProgr = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 34), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoFsmProgr.setStatus('current') cucsFcPIoFsmRmtInvErrCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 35), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoFsmRmtInvErrCode.setStatus('current') cucsFcPIoFsmRmtInvErrDescr = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 36), SnmpAdminString()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoFsmRmtInvErrDescr.setStatus('current') cucsFcPIoFsmRmtInvRslt = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 37), CucsConditionRemoteInvRslt()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoFsmRmtInvRslt.setStatus('current') cucsFcPIoFsmStageDescr = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 38), SnmpAdminString()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoFsmStageDescr.setStatus('current') cucsFcPIoFsmStamp = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 39), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoFsmStamp.setStatus('current') cucsFcPIoFsmStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 40), SnmpAdminString()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoFsmStatus.setStatus('current') cucsFcPIoFsmTry = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 41), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoFsmTry.setStatus('current') cucsFcPIoLicGP = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 42), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoLicGP.setStatus('current') cucsFcPIoLicState = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 43), CucsLicenseState()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoLicState.setStatus('current') cucsFcPIoXcvrType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 44), CucsEquipmentXcvrType()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoXcvrType.setStatus('current') cucsFcPIoPeerChassisId = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 45), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoPeerChassisId.setStatus('current') cucsFcPIoAdminTransport = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 46), CucsNetworkTransport()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoAdminTransport.setStatus('current') cucsFcPIoLc = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 47), CucsFsmLifecycle()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoLc.setStatus('current') cucsFcPIoUnifiedPort = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 48), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoUnifiedPort.setStatus('current') cucsFcPIoMaxSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 49), CucsPortSpeed()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoMaxSpeed.setStatus('current') cucsFcPIoIsPortChannelMember = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 50), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoIsPortChannelMember.setStatus('current') cucsFcPIoAggrPortId = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 51), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoAggrPortId.setStatus('current') cucsFcPIoPeerAggrPortId = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 52), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoPeerAggrPortId.setStatus('current') cucsFcPIoFsmTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 8), ) if mibBuilder.loadTexts: cucsFcPIoFsmTable.setStatus('current') cucsFcPIoFsmEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 8, 1), ).setIndexNames((0, "CISCO-UNIFIED-COMPUTING-FC-MIB", "cucsFcPIoFsmInstanceId")) if mibBuilder.loadTexts: cucsFcPIoFsmEntry.setStatus('current') cucsFcPIoFsmInstanceId = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 8, 1, 1), CucsManagedObjectId()) if mibBuilder.loadTexts: cucsFcPIoFsmInstanceId.setStatus('current') cucsFcPIoFsmDn = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 8, 1, 2), CucsManagedObjectDn()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoFsmDn.setStatus('current') cucsFcPIoFsmRn = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 8, 1, 3), SnmpAdminString()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoFsmRn.setStatus('current') cucsFcPIoFsmCompletionTime = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 8, 1, 4), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoFsmCompletionTime.setStatus('current') cucsFcPIoFsmCurrentFsm = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 8, 1, 5), CucsFcPIoFsmCurrentFsm()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoFsmCurrentFsm.setStatus('current') cucsFcPIoFsmDescrData = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 8, 1, 6), SnmpAdminString()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoFsmDescrData.setStatus('current') cucsFcPIoFsmFsmStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 8, 1, 7), CucsFsmFsmStageStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoFsmFsmStatus.setStatus('current') cucsFcPIoFsmProgress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 8, 1, 8), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoFsmProgress.setStatus('current') cucsFcPIoFsmRmtErrCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 8, 1, 9), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoFsmRmtErrCode.setStatus('current') cucsFcPIoFsmRmtErrDescr = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 8, 1, 10), SnmpAdminString()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoFsmRmtErrDescr.setStatus('current') cucsFcPIoFsmRmtRslt = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 8, 1, 11), CucsConditionRemoteInvRslt()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoFsmRmtRslt.setStatus('current') cucsFcPIoFsmStageTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 9), ) if mibBuilder.loadTexts: cucsFcPIoFsmStageTable.setStatus('current') cucsFcPIoFsmStageEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 9, 1), ).setIndexNames((0, "CISCO-UNIFIED-COMPUTING-FC-MIB", "cucsFcPIoFsmStageInstanceId")) if mibBuilder.loadTexts: cucsFcPIoFsmStageEntry.setStatus('current') cucsFcPIoFsmStageInstanceId = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 9, 1, 1), CucsManagedObjectId()) if mibBuilder.loadTexts: cucsFcPIoFsmStageInstanceId.setStatus('current') cucsFcPIoFsmStageDn = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 9, 1, 2), CucsManagedObjectDn()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoFsmStageDn.setStatus('current') cucsFcPIoFsmStageRn = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 9, 1, 3), SnmpAdminString()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoFsmStageRn.setStatus('current') cucsFcPIoFsmStageDescrData = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 9, 1, 4), SnmpAdminString()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoFsmStageDescrData.setStatus('current') cucsFcPIoFsmStageLastUpdateTime = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 9, 1, 5), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoFsmStageLastUpdateTime.setStatus('current') cucsFcPIoFsmStageName = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 9, 1, 6), CucsFcPIoFsmStageName()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoFsmStageName.setStatus('current') cucsFcPIoFsmStageOrder = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 9, 1, 7), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoFsmStageOrder.setStatus('current') cucsFcPIoFsmStageRetry = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 9, 1, 8), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoFsmStageRetry.setStatus('current') cucsFcPIoFsmStageStageStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 9, 1, 9), CucsFsmFsmStageStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcPIoFsmStageStageStatus.setStatus('current') cucsFcStatsTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5), ) if mibBuilder.loadTexts: cucsFcStatsTable.setStatus('current') cucsFcStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1), ).setIndexNames((0, "CISCO-UNIFIED-COMPUTING-FC-MIB", "cucsFcStatsInstanceId")) if mibBuilder.loadTexts: cucsFcStatsEntry.setStatus('current') cucsFcStatsInstanceId = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 1), CucsManagedObjectId()) if mibBuilder.loadTexts: cucsFcStatsInstanceId.setStatus('current') cucsFcStatsDn = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 2), CucsManagedObjectDn()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsDn.setStatus('current') cucsFcStatsRn = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 3), SnmpAdminString()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsRn.setStatus('current') cucsFcStatsBytesRx = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 4), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsBytesRx.setStatus('current') cucsFcStatsBytesRxDelta = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 5), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsBytesRxDelta.setStatus('current') cucsFcStatsBytesRxDeltaAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 6), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsBytesRxDeltaAvg.setStatus('current') cucsFcStatsBytesRxDeltaMax = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 7), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsBytesRxDeltaMax.setStatus('current') cucsFcStatsBytesRxDeltaMin = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 8), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsBytesRxDeltaMin.setStatus('current') cucsFcStatsBytesTx = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 9), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsBytesTx.setStatus('current') cucsFcStatsBytesTxDelta = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 10), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsBytesTxDelta.setStatus('current') cucsFcStatsBytesTxDeltaAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 11), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsBytesTxDeltaAvg.setStatus('current') cucsFcStatsBytesTxDeltaMax = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 12), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsBytesTxDeltaMax.setStatus('current') cucsFcStatsBytesTxDeltaMin = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 13), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsBytesTxDeltaMin.setStatus('current') cucsFcStatsIntervals = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 14), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsIntervals.setStatus('current') cucsFcStatsPacketsRx = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 15), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsPacketsRx.setStatus('current') cucsFcStatsPacketsRxDelta = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 16), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsPacketsRxDelta.setStatus('current') cucsFcStatsPacketsRxDeltaAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 17), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsPacketsRxDeltaAvg.setStatus('current') cucsFcStatsPacketsRxDeltaMax = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 18), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsPacketsRxDeltaMax.setStatus('current') cucsFcStatsPacketsRxDeltaMin = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 19), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsPacketsRxDeltaMin.setStatus('current') cucsFcStatsPacketsTx = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 20), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsPacketsTx.setStatus('current') cucsFcStatsPacketsTxDelta = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 21), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsPacketsTxDelta.setStatus('current') cucsFcStatsPacketsTxDeltaAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 22), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsPacketsTxDeltaAvg.setStatus('current') cucsFcStatsPacketsTxDeltaMax = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 23), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsPacketsTxDeltaMax.setStatus('current') cucsFcStatsPacketsTxDeltaMin = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 24), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsPacketsTxDeltaMin.setStatus('current') cucsFcStatsSuspect = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 25), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsSuspect.setStatus('current') cucsFcStatsThresholded = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 26), CucsFcStatsThresholded()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsThresholded.setStatus('current') cucsFcStatsTimeCollected = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 27), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsTimeCollected.setStatus('current') cucsFcStatsUpdate = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 28), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsUpdate.setStatus('current') cucsFcStatsHistTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6), ) if mibBuilder.loadTexts: cucsFcStatsHistTable.setStatus('current') cucsFcStatsHistEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1), ).setIndexNames((0, "CISCO-UNIFIED-COMPUTING-FC-MIB", "cucsFcStatsHistInstanceId")) if mibBuilder.loadTexts: cucsFcStatsHistEntry.setStatus('current') cucsFcStatsHistInstanceId = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 1), CucsManagedObjectId()) if mibBuilder.loadTexts: cucsFcStatsHistInstanceId.setStatus('current') cucsFcStatsHistDn = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 2), CucsManagedObjectDn()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsHistDn.setStatus('current') cucsFcStatsHistRn = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 3), SnmpAdminString()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsHistRn.setStatus('current') cucsFcStatsHistBytesRx = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 4), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsHistBytesRx.setStatus('current') cucsFcStatsHistBytesRxDelta = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 5), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsHistBytesRxDelta.setStatus('current') cucsFcStatsHistBytesRxDeltaAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 6), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsHistBytesRxDeltaAvg.setStatus('current') cucsFcStatsHistBytesRxDeltaMax = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 7), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsHistBytesRxDeltaMax.setStatus('current') cucsFcStatsHistBytesRxDeltaMin = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 8), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsHistBytesRxDeltaMin.setStatus('current') cucsFcStatsHistBytesTx = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 9), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsHistBytesTx.setStatus('current') cucsFcStatsHistBytesTxDelta = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 10), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsHistBytesTxDelta.setStatus('current') cucsFcStatsHistBytesTxDeltaAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 11), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsHistBytesTxDeltaAvg.setStatus('current') cucsFcStatsHistBytesTxDeltaMax = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 12), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsHistBytesTxDeltaMax.setStatus('current') cucsFcStatsHistBytesTxDeltaMin = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 13), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsHistBytesTxDeltaMin.setStatus('current') cucsFcStatsHistId = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 14), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsHistId.setStatus('current') cucsFcStatsHistMostRecent = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 15), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsHistMostRecent.setStatus('current') cucsFcStatsHistPacketsRx = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 16), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsHistPacketsRx.setStatus('current') cucsFcStatsHistPacketsRxDelta = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 17), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsHistPacketsRxDelta.setStatus('current') cucsFcStatsHistPacketsRxDeltaAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 18), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsHistPacketsRxDeltaAvg.setStatus('current') cucsFcStatsHistPacketsRxDeltaMax = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 19), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsHistPacketsRxDeltaMax.setStatus('current') cucsFcStatsHistPacketsRxDeltaMin = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 20), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsHistPacketsRxDeltaMin.setStatus('current') cucsFcStatsHistPacketsTx = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 21), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsHistPacketsTx.setStatus('current') cucsFcStatsHistPacketsTxDelta = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 22), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsHistPacketsTxDelta.setStatus('current') cucsFcStatsHistPacketsTxDeltaAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 23), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsHistPacketsTxDeltaAvg.setStatus('current') cucsFcStatsHistPacketsTxDeltaMax = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 24), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsHistPacketsTxDeltaMax.setStatus('current') cucsFcStatsHistPacketsTxDeltaMin = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 25), Unsigned64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsHistPacketsTxDeltaMin.setStatus('current') cucsFcStatsHistSuspect = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 26), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsHistSuspect.setStatus('current') cucsFcStatsHistThresholded = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 27), CucsFcStatsHistThresholded()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsHistThresholded.setStatus('current') cucsFcStatsHistTimeCollected = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 28), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcStatsHistTimeCollected.setStatus('current') cucsFcSwIfConfigTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 7), ) if mibBuilder.loadTexts: cucsFcSwIfConfigTable.setStatus('current') cucsFcSwIfConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 7, 1), ).setIndexNames((0, "CISCO-UNIFIED-COMPUTING-FC-MIB", "cucsFcSwIfConfigInstanceId")) if mibBuilder.loadTexts: cucsFcSwIfConfigEntry.setStatus('current') cucsFcSwIfConfigInstanceId = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 7, 1, 1), CucsManagedObjectId()) if mibBuilder.loadTexts: cucsFcSwIfConfigInstanceId.setStatus('current') cucsFcSwIfConfigDn = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 7, 1, 2), CucsManagedObjectDn()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcSwIfConfigDn.setStatus('current') cucsFcSwIfConfigRn = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 7, 1, 3), SnmpAdminString()).setMaxAccess("readonly") if mibBuilder.loadTexts: cucsFcSwIfConfigRn.setStatus('current') mibBuilder.exportSymbols("CISCO-UNIFIED-COMPUTING-FC-MIB", cucsFcStatsBytesRxDeltaMax=cucsFcStatsBytesRxDeltaMax, cucsFcStatsPacketsRxDelta=cucsFcStatsPacketsRxDelta, cucsFcErrStatsHistSyncLossesDeltaAvg=cucsFcErrStatsHistSyncLossesDeltaAvg, cucsFcSwIfConfigRn=cucsFcSwIfConfigRn, cucsFcErrStatsLinkFailuresDelta=cucsFcErrStatsLinkFailuresDelta, cucsFcPIoLocale=cucsFcPIoLocale, cucsFcErrStatsHistMostRecent=cucsFcErrStatsHistMostRecent, cucsFcStatsInstanceId=cucsFcStatsInstanceId, cucsFcErrStatsHistLinkFailuresDeltaAvg=cucsFcErrStatsHistLinkFailuresDeltaAvg, cucsFcStatsHistPacketsTxDelta=cucsFcStatsHistPacketsTxDelta, cucsFcErrStatsHistLinkFailuresDelta=cucsFcErrStatsHistLinkFailuresDelta, cucsFcPIoFsmStageEntry=cucsFcPIoFsmStageEntry, cucsFcErrStatsHistDiscardRx=cucsFcErrStatsHistDiscardRx, cucsFcStatsHistBytesTxDeltaMax=cucsFcStatsHistBytesTxDeltaMax, cucsFcPIoInstanceId=cucsFcPIoInstanceId, cucsFcErrStatsDiscardTxDeltaMin=cucsFcErrStatsDiscardTxDeltaMin, cucsFcErrStatsHistDiscardRxDelta=cucsFcErrStatsHistDiscardRxDelta, cucsFcErrStatsSuspect=cucsFcErrStatsSuspect, cucsFcPIoAdminState=cucsFcPIoAdminState, cucsFcPIoMode=cucsFcPIoMode, cucsFcPIoName=cucsFcPIoName, cucsFcPIoPeerPortId=cucsFcPIoPeerPortId, cucsFcStatsBytesTxDeltaAvg=cucsFcStatsBytesTxDeltaAvg, cucsFcErrStatsDiscardTx=cucsFcErrStatsDiscardTx, cucsFcErrStatsSignalLosses=cucsFcErrStatsSignalLosses, cucsFcStatsHistBytesRxDeltaAvg=cucsFcStatsHistBytesRxDeltaAvg, cucsFcPIoModel=cucsFcPIoModel, cucsFcStatsBytesTxDeltaMin=cucsFcStatsBytesTxDeltaMin, cucsFcErrStatsTooLongRxDeltaMin=cucsFcErrStatsTooLongRxDeltaMin, cucsFcStatsPacketsTxDeltaMin=cucsFcStatsPacketsTxDeltaMin, cucsFcErrStatsHistSignalLossesDelta=cucsFcErrStatsHistSignalLossesDelta, cucsFcStatsTable=cucsFcStatsTable, cucsFcStatsBytesTx=cucsFcStatsBytesTx, cucsFcStatsHistPacketsTxDeltaMax=cucsFcStatsHistPacketsTxDeltaMax, cucsFcPIoPeerAggrPortId=cucsFcPIoPeerAggrPortId, cucsFcErrStatsHistDiscardTxDeltaMax=cucsFcErrStatsHistDiscardTxDeltaMax, cucsFcErrStatsHistTooLongRxDeltaMin=cucsFcErrStatsHistTooLongRxDeltaMin, cucsFcErrStatsHistLinkFailuresDeltaMin=cucsFcErrStatsHistLinkFailuresDeltaMin, cucsFcPIoStateQual=cucsFcPIoStateQual, cucsFcErrStatsHistSignalLossesDeltaMax=cucsFcErrStatsHistSignalLossesDeltaMax, cucsFcErrStatsHistTooLongRxDeltaMax=cucsFcErrStatsHistTooLongRxDeltaMax, cucsFcNicIfConfigInstanceId=cucsFcNicIfConfigInstanceId, cucsFcStatsTimeCollected=cucsFcStatsTimeCollected, cucsFcErrStatsCrcRxDelta=cucsFcErrStatsCrcRxDelta, cucsFcStatsHistPacketsTxDeltaAvg=cucsFcStatsHistPacketsTxDeltaAvg, cucsFcPIoFsmCurrentFsm=cucsFcPIoFsmCurrentFsm, cucsFcPIoFsmStageTable=cucsFcPIoFsmStageTable, cucsFcErrStatsTooShortRxDeltaMin=cucsFcErrStatsTooShortRxDeltaMin, cucsFcErrStatsTooShortRxDelta=cucsFcErrStatsTooShortRxDelta, cucsFcPIoAggrPortId=cucsFcPIoAggrPortId, cucsFcPIoFsmRn=cucsFcPIoFsmRn, cucsFcStatsHistBytesTxDeltaAvg=cucsFcStatsHistBytesTxDeltaAvg, cucsFcErrStatsHistDiscardRxDeltaMax=cucsFcErrStatsHistDiscardRxDeltaMax, cucsFcErrStatsHistTooShortRxDeltaMin=cucsFcErrStatsHistTooShortRxDeltaMin, cucsFcErrStatsHistRx=cucsFcErrStatsHistRx, cucsFcStatsHistBytesTxDeltaMin=cucsFcStatsHistBytesTxDeltaMin, cucsFcStatsHistInstanceId=cucsFcStatsHistInstanceId, cucsFcErrStatsDiscardRxDelta=cucsFcErrStatsDiscardRxDelta, cucsFcErrStatsRn=cucsFcErrStatsRn, cucsFcErrStatsThresholded=cucsFcErrStatsThresholded, cucsFcErrStatsHistTooLongRx=cucsFcErrStatsHistTooLongRx, cucsFcErrStatsHistDn=cucsFcErrStatsHistDn, cucsFcErrStatsHistTooLongRxDeltaAvg=cucsFcErrStatsHistTooLongRxDeltaAvg, cucsFcPIoTransport=cucsFcPIoTransport, cucsFcPIoFsmRmtErrCode=cucsFcPIoFsmRmtErrCode, cucsFcStatsBytesTxDelta=cucsFcStatsBytesTxDelta, cucsFcStatsBytesTxDeltaMax=cucsFcStatsBytesTxDeltaMax, cucsFcNicIfConfigRn=cucsFcNicIfConfigRn, cucsFcNicIfConfigDn=cucsFcNicIfConfigDn, cucsFcPIoSwitchId=cucsFcPIoSwitchId, cucsFcErrStatsDiscardTxDeltaAvg=cucsFcErrStatsDiscardTxDeltaAvg, cucsFcPIoFsmRmtInvRslt=cucsFcPIoFsmRmtInvRslt, cucsFcErrStatsHistTxDeltaMax=cucsFcErrStatsHistTxDeltaMax, cucsFcPIoWwn=cucsFcPIoWwn, cucsFcErrStatsHistRn=cucsFcErrStatsHistRn, cucsFcErrStatsSignalLossesDelta=cucsFcErrStatsSignalLossesDelta, cucsFcErrStatsHistCrcRxDeltaMax=cucsFcErrStatsHistCrcRxDeltaMax, cucsFcPIoFsmRmtRslt=cucsFcPIoFsmRmtRslt, cucsFcStatsUpdate=cucsFcStatsUpdate, cucsFcObjects=cucsFcObjects, cucsFcErrStatsHistRxDelta=cucsFcErrStatsHistRxDelta, cucsFcErrStatsTxDelta=cucsFcErrStatsTxDelta, cucsFcErrStatsHistSyncLosses=cucsFcErrStatsHistSyncLosses, cucsFcStatsHistPacketsRxDeltaAvg=cucsFcStatsHistPacketsRxDeltaAvg, cucsFcPIoTs=cucsFcPIoTs, cucsFcErrStatsHistTooShortRxDelta=cucsFcErrStatsHistTooShortRxDelta, cucsFcPIoUsrLbl=cucsFcPIoUsrLbl, cucsFcPIoFsmStageLastUpdateTime=cucsFcPIoFsmStageLastUpdateTime, cucsFcStatsHistBytesRxDeltaMin=cucsFcStatsHistBytesRxDeltaMin, cucsFcErrStatsSyncLosses=cucsFcErrStatsSyncLosses, cucsFcPIoFsmInstanceId=cucsFcPIoFsmInstanceId, cucsFcPIoIsPortChannelMember=cucsFcPIoIsPortChannelMember, cucsFcErrStatsCrcRxDeltaAvg=cucsFcErrStatsCrcRxDeltaAvg, cucsFcErrStatsDiscardRxDeltaMin=cucsFcErrStatsDiscardRxDeltaMin, cucsFcErrStatsTooShortRxDeltaAvg=cucsFcErrStatsTooShortRxDeltaAvg, cucsFcSwIfConfigDn=cucsFcSwIfConfigDn, cucsFcStatsHistSuspect=cucsFcStatsHistSuspect, cucsFcStatsHistPacketsRxDeltaMax=cucsFcStatsHistPacketsRxDeltaMax, cucsFcPIoFsmStageOrder=cucsFcPIoFsmStageOrder, cucsFcStatsPacketsRxDeltaAvg=cucsFcStatsPacketsRxDeltaAvg, cucsFcStatsHistPacketsRx=cucsFcStatsHistPacketsRx, cucsFcErrStatsInstanceId=cucsFcErrStatsInstanceId, cucsFcSwIfConfigTable=cucsFcSwIfConfigTable, PYSNMP_MODULE_ID=cucsFcObjects, cucsFcErrStatsTxDeltaMax=cucsFcErrStatsTxDeltaMax, cucsFcPIoFsmStageStageStatus=cucsFcPIoFsmStageStageStatus, cucsFcErrStatsSignalLossesDeltaMax=cucsFcErrStatsSignalLossesDeltaMax, cucsFcPIoDn=cucsFcPIoDn, cucsFcErrStatsHistThresholded=cucsFcErrStatsHistThresholded, cucsFcPIoFsmDescrData=cucsFcPIoFsmDescrData, cucsFcStatsHistDn=cucsFcStatsHistDn, cucsFcErrStatsRxDelta=cucsFcErrStatsRxDelta, cucsFcErrStatsHistTxDelta=cucsFcErrStatsHistTxDelta, cucsFcStatsPacketsTx=cucsFcStatsPacketsTx, cucsFcStatsHistBytesRx=cucsFcStatsHistBytesRx, cucsFcErrStatsLinkFailuresDeltaMin=cucsFcErrStatsLinkFailuresDeltaMin, cucsFcErrStatsHistSyncLossesDeltaMax=cucsFcErrStatsHistSyncLossesDeltaMax, cucsFcPIoFsmTable=cucsFcPIoFsmTable, cucsFcPIoFsmStatus=cucsFcPIoFsmStatus, cucsFcErrStatsHistCrcRx=cucsFcErrStatsHistCrcRx, cucsFcPIoPeerDn=cucsFcPIoPeerDn, cucsFcErrStatsHistRxDeltaMin=cucsFcErrStatsHistRxDeltaMin, cucsFcPIoFsmFsmStatus=cucsFcPIoFsmFsmStatus, cucsFcErrStatsHistCrcRxDelta=cucsFcErrStatsHistCrcRxDelta, cucsFcErrStatsHistDiscardTx=cucsFcErrStatsHistDiscardTx, cucsFcErrStatsHistRxDeltaAvg=cucsFcErrStatsHistRxDeltaAvg, cucsFcErrStatsRxDeltaAvg=cucsFcErrStatsRxDeltaAvg, cucsFcErrStatsHistSignalLossesDeltaMin=cucsFcErrStatsHistSignalLossesDeltaMin, cucsFcPIoFsmDescr=cucsFcPIoFsmDescr, cucsFcStatsHistPacketsRxDeltaMin=cucsFcStatsHistPacketsRxDeltaMin, cucsFcStatsPacketsTxDeltaMax=cucsFcStatsPacketsTxDeltaMax, cucsFcPIoTable=cucsFcPIoTable, cucsFcErrStatsHistLinkFailures=cucsFcErrStatsHistLinkFailures, cucsFcPIoFsmProgress=cucsFcPIoFsmProgress, cucsFcPIoLicGP=cucsFcPIoLicGP, cucsFcStatsPacketsTxDeltaAvg=cucsFcStatsPacketsTxDeltaAvg, cucsFcErrStatsLinkFailuresDeltaAvg=cucsFcErrStatsLinkFailuresDeltaAvg, cucsFcErrStatsHistTable=cucsFcErrStatsHistTable, cucsFcPIoFsmCompletionTime=cucsFcPIoFsmCompletionTime, cucsFcStatsHistEntry=cucsFcStatsHistEntry, cucsFcErrStatsIntervals=cucsFcErrStatsIntervals, cucsFcErrStatsTx=cucsFcErrStatsTx, cucsFcErrStatsHistId=cucsFcErrStatsHistId, cucsFcStatsHistBytesTx=cucsFcStatsHistBytesTx, cucsFcErrStatsTooLongRx=cucsFcErrStatsTooLongRx, cucsFcErrStatsHistTooShortRxDeltaMax=cucsFcErrStatsHistTooShortRxDeltaMax, cucsFcPIoXcvrType=cucsFcPIoXcvrType, cucsFcStatsHistId=cucsFcStatsHistId, cucsFcErrStatsHistLinkFailuresDeltaMax=cucsFcErrStatsHistLinkFailuresDeltaMax, cucsFcStatsSuspect=cucsFcStatsSuspect, cucsFcErrStatsSyncLossesDelta=cucsFcErrStatsSyncLossesDelta, cucsFcPIoPeerSlotId=cucsFcPIoPeerSlotId, cucsFcPIoAdminTransport=cucsFcPIoAdminTransport, cucsFcPIoFsmStageDescr=cucsFcPIoFsmStageDescr, cucsFcPIoFsmEntry=cucsFcPIoFsmEntry, cucsFcPIoOperSpeed=cucsFcPIoOperSpeed, cucsFcErrStatsSyncLossesDeltaAvg=cucsFcErrStatsSyncLossesDeltaAvg, cucsFcErrStatsLinkFailuresDeltaMax=cucsFcErrStatsLinkFailuresDeltaMax, cucsFcStatsHistBytesTxDelta=cucsFcStatsHistBytesTxDelta, cucsFcPIoPortId=cucsFcPIoPortId, cucsFcErrStatsSyncLossesDeltaMax=cucsFcErrStatsSyncLossesDeltaMax, cucsFcErrStatsHistCrcRxDeltaMin=cucsFcErrStatsHistCrcRxDeltaMin, cucsFcErrStatsDn=cucsFcErrStatsDn, cucsFcPIoRn=cucsFcPIoRn, cucsFcStatsPacketsRxDeltaMax=cucsFcStatsPacketsRxDeltaMax, cucsFcPIoFsmStamp=cucsFcPIoFsmStamp, cucsFcPIoType=cucsFcPIoType, cucsFcPIoFsmDn=cucsFcPIoFsmDn, cucsFcPIoIfRole=cucsFcPIoIfRole, cucsFcStatsBytesRxDeltaMin=cucsFcStatsBytesRxDeltaMin, cucsFcErrStatsHistDiscardTxDeltaAvg=cucsFcErrStatsHistDiscardTxDeltaAvg, cucsFcErrStatsDiscardTxDeltaMax=cucsFcErrStatsDiscardTxDeltaMax, cucsFcPIoFsmRmtInvErrCode=cucsFcPIoFsmRmtInvErrCode, cucsFcErrStatsTooLongRxDeltaMax=cucsFcErrStatsTooLongRxDeltaMax, cucsFcStatsBytesRxDelta=cucsFcStatsBytesRxDelta, cucsFcStatsHistBytesRxDeltaMax=cucsFcStatsHistBytesRxDeltaMax, cucsFcErrStatsCrcRxDeltaMin=cucsFcErrStatsCrcRxDeltaMin, cucsFcErrStatsHistDiscardRxDeltaAvg=cucsFcErrStatsHistDiscardRxDeltaAvg, cucsFcPIoVendor=cucsFcPIoVendor, cucsFcPIoFsmPrev=cucsFcPIoFsmPrev, cucsFcPIoChassisId=cucsFcPIoChassisId, cucsFcErrStatsHistDiscardTxDeltaMin=cucsFcErrStatsHistDiscardTxDeltaMin, cucsFcErrStatsCrcRx=cucsFcErrStatsCrcRx, cucsFcStatsHistRn=cucsFcStatsHistRn, cucsFcErrStatsHistCrcRxDeltaAvg=cucsFcErrStatsHistCrcRxDeltaAvg, cucsFcStatsDn=cucsFcStatsDn, cucsFcStatsHistPacketsTx=cucsFcStatsHistPacketsTx, cucsFcErrStatsDiscardTxDelta=cucsFcErrStatsDiscardTxDelta, cucsFcPIoFsmStageRn=cucsFcPIoFsmStageRn, cucsFcStatsHistMostRecent=cucsFcStatsHistMostRecent, cucsFcSwIfConfigInstanceId=cucsFcSwIfConfigInstanceId, cucsFcErrStatsHistTooShortRxDeltaAvg=cucsFcErrStatsHistTooShortRxDeltaAvg, cucsFcStatsBytesRxDeltaAvg=cucsFcStatsBytesRxDeltaAvg, cucsFcStatsEntry=cucsFcStatsEntry, cucsFcErrStatsRx=cucsFcErrStatsRx, cucsFcErrStatsUpdate=cucsFcErrStatsUpdate, cucsFcPIoFsmRmtErrDescr=cucsFcPIoFsmRmtErrDescr, cucsFcErrStatsHistTooShortRx=cucsFcErrStatsHistTooShortRx, cucsFcErrStatsRxDeltaMin=cucsFcErrStatsRxDeltaMin, cucsFcStatsHistTable=cucsFcStatsHistTable, cucsFcPIoSerial=cucsFcPIoSerial, cucsFcPIoRevision=cucsFcPIoRevision, cucsFcPIoPeerChassisId=cucsFcPIoPeerChassisId, cucsFcPIoFltAggr=cucsFcPIoFltAggr, cucsFcPIoFsmTry=cucsFcPIoFsmTry, cucsFcPIoEntry=cucsFcPIoEntry, cucsFcErrStatsRxDeltaMax=cucsFcErrStatsRxDeltaMax, cucsFcPIoFsmProgr=cucsFcPIoFsmProgr, cucsFcStatsPacketsTxDelta=cucsFcStatsPacketsTxDelta, cucsFcStatsHistPacketsRxDelta=cucsFcStatsHistPacketsRxDelta, cucsFcPIoFsmRmtInvErrDescr=cucsFcPIoFsmRmtInvErrDescr, cucsFcPIoOperState=cucsFcPIoOperState, cucsFcErrStatsHistEntry=cucsFcErrStatsHistEntry, cucsFcSwIfConfigEntry=cucsFcSwIfConfigEntry, cucsFcErrStatsHistSuspect=cucsFcErrStatsHistSuspect, cucsFcErrStatsTxDeltaAvg=cucsFcErrStatsTxDeltaAvg, cucsFcPIoFsmStageInstanceId=cucsFcPIoFsmStageInstanceId, cucsFcErrStatsTooShortRxDeltaMax=cucsFcErrStatsTooShortRxDeltaMax, cucsFcErrStatsTxDeltaMin=cucsFcErrStatsTxDeltaMin, cucsFcErrStatsDiscardRx=cucsFcErrStatsDiscardRx, cucsFcStatsPacketsRx=cucsFcStatsPacketsRx, cucsFcPIoFsmStageRetry=cucsFcPIoFsmStageRetry, cucsFcPIoEncap=cucsFcPIoEncap, cucsFcPIoSlotId=cucsFcPIoSlotId, cucsFcErrStatsHistSyncLossesDelta=cucsFcErrStatsHistSyncLossesDelta, cucsFcStatsHistThresholded=cucsFcStatsHistThresholded, cucsFcErrStatsHistSignalLossesDeltaAvg=cucsFcErrStatsHistSignalLossesDeltaAvg, cucsFcErrStatsSignalLossesDeltaAvg=cucsFcErrStatsSignalLossesDeltaAvg, cucsFcErrStatsTooLongRxDelta=cucsFcErrStatsTooLongRxDelta, cucsFcErrStatsTooLongRxDeltaAvg=cucsFcErrStatsTooLongRxDeltaAvg, cucsFcErrStatsSyncLossesDeltaMin=cucsFcErrStatsSyncLossesDeltaMin, cucsFcErrStatsHistTxDeltaAvg=cucsFcErrStatsHistTxDeltaAvg, cucsFcNicIfConfigEntry=cucsFcNicIfConfigEntry, cucsFcErrStatsDiscardRxDeltaAvg=cucsFcErrStatsDiscardRxDeltaAvg, cucsFcErrStatsHistTx=cucsFcErrStatsHistTx, cucsFcPIoUnifiedPort=cucsFcPIoUnifiedPort, cucsFcErrStatsHistRxDeltaMax=cucsFcErrStatsHistRxDeltaMax, cucsFcNicIfConfigTable=cucsFcNicIfConfigTable, cucsFcErrStatsCrcRxDeltaMax=cucsFcErrStatsCrcRxDeltaMax, cucsFcPIoFsmStageDn=cucsFcPIoFsmStageDn, cucsFcStatsBytesRx=cucsFcStatsBytesRx, cucsFcStatsPacketsRxDeltaMin=cucsFcStatsPacketsRxDeltaMin, cucsFcStatsHistPacketsTxDeltaMin=cucsFcStatsHistPacketsTxDeltaMin, cucsFcErrStatsHistSyncLossesDeltaMin=cucsFcErrStatsHistSyncLossesDeltaMin, cucsFcErrStatsHistTxDeltaMin=cucsFcErrStatsHistTxDeltaMin, cucsFcPIoMaxSpeed=cucsFcPIoMaxSpeed, cucsFcPIoFsmStageDescrData=cucsFcPIoFsmStageDescrData, cucsFcErrStatsEntry=cucsFcErrStatsEntry, cucsFcErrStatsHistInstanceId=cucsFcErrStatsHistInstanceId, cucsFcErrStatsHistTooLongRxDelta=cucsFcErrStatsHistTooLongRxDelta, cucsFcErrStatsHistTimeCollected=cucsFcErrStatsHistTimeCollected, cucsFcErrStatsHistDiscardRxDeltaMin=cucsFcErrStatsHistDiscardRxDeltaMin, cucsFcErrStatsTable=cucsFcErrStatsTable, cucsFcErrStatsTooShortRx=cucsFcErrStatsTooShortRx) mibBuilder.exportSymbols("CISCO-UNIFIED-COMPUTING-FC-MIB", cucsFcErrStatsLinkFailures=cucsFcErrStatsLinkFailures, cucsFcPIoIfType=cucsFcPIoIfType, cucsFcErrStatsTimeCollected=cucsFcErrStatsTimeCollected, cucsFcStatsThresholded=cucsFcStatsThresholded, cucsFcStatsHistBytesRxDelta=cucsFcStatsHistBytesRxDelta, cucsFcPIoLicState=cucsFcPIoLicState, cucsFcStatsIntervals=cucsFcStatsIntervals, cucsFcErrStatsDiscardRxDeltaMax=cucsFcErrStatsDiscardRxDeltaMax, cucsFcPIoLc=cucsFcPIoLc, cucsFcStatsRn=cucsFcStatsRn, cucsFcErrStatsHistDiscardTxDelta=cucsFcErrStatsHistDiscardTxDelta, cucsFcStatsHistTimeCollected=cucsFcStatsHistTimeCollected, cucsFcErrStatsSignalLossesDeltaMin=cucsFcErrStatsSignalLossesDeltaMin, cucsFcPIoFsmStageName=cucsFcPIoFsmStageName, cucsFcErrStatsHistSignalLosses=cucsFcErrStatsHistSignalLosses, cucsFcPIoEpDn=cucsFcPIoEpDn)
(object_identifier, octet_string, integer) = mibBuilder.importSymbols('ASN1', 'ObjectIdentifier', 'OctetString', 'Integer') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (constraints_union, value_size_constraint, value_range_constraint, constraints_intersection, single_value_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsUnion', 'ValueSizeConstraint', 'ValueRangeConstraint', 'ConstraintsIntersection', 'SingleValueConstraint') (cisco_mgmt,) = mibBuilder.importSymbols('CISCO-SMI', 'ciscoMgmt') (unsigned64, time_interval_sec, cisco_alarm_severity, cisco_network_address, cisco_inet_address_mask) = mibBuilder.importSymbols('CISCO-TC', 'Unsigned64', 'TimeIntervalSec', 'CiscoAlarmSeverity', 'CiscoNetworkAddress', 'CiscoInetAddressMask') (cucs_managed_object_id, cucs_managed_object_dn, cisco_unified_computing_mib_objects) = mibBuilder.importSymbols('CISCO-UNIFIED-COMPUTING-MIB', 'CucsManagedObjectId', 'CucsManagedObjectDn', 'ciscoUnifiedComputingMIBObjects') (cucs_network_connection_type, cucs_fsm_lifecycle, cucs_fc_err_stats_thresholded, cucs_fabric_admin_state, cucs_port_mode, cucs_fc_p_io_fsm_current_fsm, cucs_network_switch_id, cucs_condition_remote_inv_rslt, cucs_network_phys_ep_if_type, cucs_license_state, cucs_network_port_oper_state, cucs_port_encap, cucs_fsm_fsm_stage_status, cucs_network_locale, cucs_port_speed, cucs_fc_err_stats_hist_thresholded, cucs_network_port_role, cucs_fc_stats_hist_thresholded, cucs_network_transport, cucs_fc_stats_thresholded, cucs_equipment_xcvr_type, cucs_fc_p_io_fsm_stage_name) = mibBuilder.importSymbols('CISCO-UNIFIED-COMPUTING-TC-MIB', 'CucsNetworkConnectionType', 'CucsFsmLifecycle', 'CucsFcErrStatsThresholded', 'CucsFabricAdminState', 'CucsPortMode', 'CucsFcPIoFsmCurrentFsm', 'CucsNetworkSwitchId', 'CucsConditionRemoteInvRslt', 'CucsNetworkPhysEpIfType', 'CucsLicenseState', 'CucsNetworkPortOperState', 'CucsPortEncap', 'CucsFsmFsmStageStatus', 'CucsNetworkLocale', 'CucsPortSpeed', 'CucsFcErrStatsHistThresholded', 'CucsNetworkPortRole', 'CucsFcStatsHistThresholded', 'CucsNetworkTransport', 'CucsFcStatsThresholded', 'CucsEquipmentXcvrType', 'CucsFcPIoFsmStageName') (inet_address_i_pv4, inet_address_i_pv6) = mibBuilder.importSymbols('INET-ADDRESS-MIB', 'InetAddressIPv4', 'InetAddressIPv6') (snmp_admin_string,) = mibBuilder.importSymbols('SNMP-FRAMEWORK-MIB', 'SnmpAdminString') (module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup') (module_identity, ip_address, mib_identifier, unsigned32, iso, mib_scalar, mib_table, mib_table_row, mib_table_column, bits, notification_type, gauge32, time_ticks, counter64, object_identity, counter32, integer32) = mibBuilder.importSymbols('SNMPv2-SMI', 'ModuleIdentity', 'IpAddress', 'MibIdentifier', 'Unsigned32', 'iso', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Bits', 'NotificationType', 'Gauge32', 'TimeTicks', 'Counter64', 'ObjectIdentity', 'Counter32', 'Integer32') (mac_address, truth_value, textual_convention, time_stamp, time_interval, row_pointer, date_and_time, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'MacAddress', 'TruthValue', 'TextualConvention', 'TimeStamp', 'TimeInterval', 'RowPointer', 'DateAndTime', 'DisplayString') cucs_fc_objects = module_identity((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20)) if mibBuilder.loadTexts: cucsFcObjects.setLastUpdated('201601180000Z') if mibBuilder.loadTexts: cucsFcObjects.setOrganization('Cisco Systems Inc.') cucs_fc_err_stats_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1)) if mibBuilder.loadTexts: cucsFcErrStatsTable.setStatus('current') cucs_fc_err_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1)).setIndexNames((0, 'CISCO-UNIFIED-COMPUTING-FC-MIB', 'cucsFcErrStatsInstanceId')) if mibBuilder.loadTexts: cucsFcErrStatsEntry.setStatus('current') cucs_fc_err_stats_instance_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 1), cucs_managed_object_id()) if mibBuilder.loadTexts: cucsFcErrStatsInstanceId.setStatus('current') cucs_fc_err_stats_dn = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 2), cucs_managed_object_dn()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsDn.setStatus('current') cucs_fc_err_stats_rn = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 3), snmp_admin_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsRn.setStatus('current') cucs_fc_err_stats_crc_rx = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 4), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsCrcRx.setStatus('current') cucs_fc_err_stats_crc_rx_delta = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 5), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsCrcRxDelta.setStatus('current') cucs_fc_err_stats_crc_rx_delta_avg = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 6), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsCrcRxDeltaAvg.setStatus('current') cucs_fc_err_stats_crc_rx_delta_max = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 7), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsCrcRxDeltaMax.setStatus('current') cucs_fc_err_stats_crc_rx_delta_min = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 8), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsCrcRxDeltaMin.setStatus('current') cucs_fc_err_stats_discard_rx = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 9), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsDiscardRx.setStatus('current') cucs_fc_err_stats_discard_rx_delta = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 10), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsDiscardRxDelta.setStatus('current') cucs_fc_err_stats_discard_rx_delta_avg = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 11), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsDiscardRxDeltaAvg.setStatus('current') cucs_fc_err_stats_discard_rx_delta_max = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 12), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsDiscardRxDeltaMax.setStatus('current') cucs_fc_err_stats_discard_rx_delta_min = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 13), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsDiscardRxDeltaMin.setStatus('current') cucs_fc_err_stats_discard_tx = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 14), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsDiscardTx.setStatus('current') cucs_fc_err_stats_discard_tx_delta = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 15), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsDiscardTxDelta.setStatus('current') cucs_fc_err_stats_discard_tx_delta_avg = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 16), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsDiscardTxDeltaAvg.setStatus('current') cucs_fc_err_stats_discard_tx_delta_max = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 17), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsDiscardTxDeltaMax.setStatus('current') cucs_fc_err_stats_discard_tx_delta_min = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 18), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsDiscardTxDeltaMin.setStatus('current') cucs_fc_err_stats_intervals = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 19), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsIntervals.setStatus('current') cucs_fc_err_stats_link_failures = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 20), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsLinkFailures.setStatus('current') cucs_fc_err_stats_link_failures_delta = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 21), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsLinkFailuresDelta.setStatus('current') cucs_fc_err_stats_link_failures_delta_avg = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 22), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsLinkFailuresDeltaAvg.setStatus('current') cucs_fc_err_stats_link_failures_delta_max = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 23), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsLinkFailuresDeltaMax.setStatus('current') cucs_fc_err_stats_link_failures_delta_min = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 24), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsLinkFailuresDeltaMin.setStatus('current') cucs_fc_err_stats_rx = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 25), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsRx.setStatus('current') cucs_fc_err_stats_rx_delta = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 26), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsRxDelta.setStatus('current') cucs_fc_err_stats_rx_delta_avg = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 27), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsRxDeltaAvg.setStatus('current') cucs_fc_err_stats_rx_delta_max = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 28), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsRxDeltaMax.setStatus('current') cucs_fc_err_stats_rx_delta_min = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 29), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsRxDeltaMin.setStatus('current') cucs_fc_err_stats_signal_losses = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 30), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsSignalLosses.setStatus('current') cucs_fc_err_stats_signal_losses_delta = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 31), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsSignalLossesDelta.setStatus('current') cucs_fc_err_stats_signal_losses_delta_avg = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 32), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsSignalLossesDeltaAvg.setStatus('current') cucs_fc_err_stats_signal_losses_delta_max = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 33), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsSignalLossesDeltaMax.setStatus('current') cucs_fc_err_stats_signal_losses_delta_min = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 34), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsSignalLossesDeltaMin.setStatus('current') cucs_fc_err_stats_suspect = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 35), truth_value()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsSuspect.setStatus('current') cucs_fc_err_stats_sync_losses = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 36), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsSyncLosses.setStatus('current') cucs_fc_err_stats_sync_losses_delta = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 37), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsSyncLossesDelta.setStatus('current') cucs_fc_err_stats_sync_losses_delta_avg = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 38), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsSyncLossesDeltaAvg.setStatus('current') cucs_fc_err_stats_sync_losses_delta_max = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 39), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsSyncLossesDeltaMax.setStatus('current') cucs_fc_err_stats_sync_losses_delta_min = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 40), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsSyncLossesDeltaMin.setStatus('current') cucs_fc_err_stats_thresholded = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 41), cucs_fc_err_stats_thresholded()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsThresholded.setStatus('current') cucs_fc_err_stats_time_collected = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 42), date_and_time()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsTimeCollected.setStatus('current') cucs_fc_err_stats_too_long_rx = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 43), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsTooLongRx.setStatus('current') cucs_fc_err_stats_too_long_rx_delta = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 44), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsTooLongRxDelta.setStatus('current') cucs_fc_err_stats_too_long_rx_delta_avg = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 45), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsTooLongRxDeltaAvg.setStatus('current') cucs_fc_err_stats_too_long_rx_delta_max = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 46), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsTooLongRxDeltaMax.setStatus('current') cucs_fc_err_stats_too_long_rx_delta_min = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 47), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsTooLongRxDeltaMin.setStatus('current') cucs_fc_err_stats_too_short_rx = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 48), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsTooShortRx.setStatus('current') cucs_fc_err_stats_too_short_rx_delta = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 49), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsTooShortRxDelta.setStatus('current') cucs_fc_err_stats_too_short_rx_delta_avg = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 50), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsTooShortRxDeltaAvg.setStatus('current') cucs_fc_err_stats_too_short_rx_delta_max = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 51), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsTooShortRxDeltaMax.setStatus('current') cucs_fc_err_stats_too_short_rx_delta_min = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 52), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsTooShortRxDeltaMin.setStatus('current') cucs_fc_err_stats_tx = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 53), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsTx.setStatus('current') cucs_fc_err_stats_tx_delta = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 54), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsTxDelta.setStatus('current') cucs_fc_err_stats_tx_delta_avg = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 55), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsTxDeltaAvg.setStatus('current') cucs_fc_err_stats_tx_delta_max = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 56), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsTxDeltaMax.setStatus('current') cucs_fc_err_stats_tx_delta_min = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 57), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsTxDeltaMin.setStatus('current') cucs_fc_err_stats_update = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 1, 1, 58), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsUpdate.setStatus('current') cucs_fc_err_stats_hist_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2)) if mibBuilder.loadTexts: cucsFcErrStatsHistTable.setStatus('current') cucs_fc_err_stats_hist_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1)).setIndexNames((0, 'CISCO-UNIFIED-COMPUTING-FC-MIB', 'cucsFcErrStatsHistInstanceId')) if mibBuilder.loadTexts: cucsFcErrStatsHistEntry.setStatus('current') cucs_fc_err_stats_hist_instance_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 1), cucs_managed_object_id()) if mibBuilder.loadTexts: cucsFcErrStatsHistInstanceId.setStatus('current') cucs_fc_err_stats_hist_dn = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 2), cucs_managed_object_dn()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistDn.setStatus('current') cucs_fc_err_stats_hist_rn = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 3), snmp_admin_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistRn.setStatus('current') cucs_fc_err_stats_hist_crc_rx = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 4), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistCrcRx.setStatus('current') cucs_fc_err_stats_hist_crc_rx_delta = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 5), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistCrcRxDelta.setStatus('current') cucs_fc_err_stats_hist_crc_rx_delta_avg = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 6), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistCrcRxDeltaAvg.setStatus('current') cucs_fc_err_stats_hist_crc_rx_delta_max = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 7), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistCrcRxDeltaMax.setStatus('current') cucs_fc_err_stats_hist_crc_rx_delta_min = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 8), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistCrcRxDeltaMin.setStatus('current') cucs_fc_err_stats_hist_discard_rx = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 9), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistDiscardRx.setStatus('current') cucs_fc_err_stats_hist_discard_rx_delta = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 10), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistDiscardRxDelta.setStatus('current') cucs_fc_err_stats_hist_discard_rx_delta_avg = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 11), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistDiscardRxDeltaAvg.setStatus('current') cucs_fc_err_stats_hist_discard_rx_delta_max = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 12), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistDiscardRxDeltaMax.setStatus('current') cucs_fc_err_stats_hist_discard_rx_delta_min = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 13), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistDiscardRxDeltaMin.setStatus('current') cucs_fc_err_stats_hist_discard_tx = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 14), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistDiscardTx.setStatus('current') cucs_fc_err_stats_hist_discard_tx_delta = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 15), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistDiscardTxDelta.setStatus('current') cucs_fc_err_stats_hist_discard_tx_delta_avg = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 16), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistDiscardTxDeltaAvg.setStatus('current') cucs_fc_err_stats_hist_discard_tx_delta_max = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 17), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistDiscardTxDeltaMax.setStatus('current') cucs_fc_err_stats_hist_discard_tx_delta_min = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 18), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistDiscardTxDeltaMin.setStatus('current') cucs_fc_err_stats_hist_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 19), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistId.setStatus('current') cucs_fc_err_stats_hist_link_failures = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 20), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistLinkFailures.setStatus('current') cucs_fc_err_stats_hist_link_failures_delta = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 21), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistLinkFailuresDelta.setStatus('current') cucs_fc_err_stats_hist_link_failures_delta_avg = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 22), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistLinkFailuresDeltaAvg.setStatus('current') cucs_fc_err_stats_hist_link_failures_delta_max = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 23), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistLinkFailuresDeltaMax.setStatus('current') cucs_fc_err_stats_hist_link_failures_delta_min = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 24), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistLinkFailuresDeltaMin.setStatus('current') cucs_fc_err_stats_hist_most_recent = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 25), truth_value()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistMostRecent.setStatus('current') cucs_fc_err_stats_hist_rx = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 26), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistRx.setStatus('current') cucs_fc_err_stats_hist_rx_delta = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 27), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistRxDelta.setStatus('current') cucs_fc_err_stats_hist_rx_delta_avg = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 28), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistRxDeltaAvg.setStatus('current') cucs_fc_err_stats_hist_rx_delta_max = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 29), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistRxDeltaMax.setStatus('current') cucs_fc_err_stats_hist_rx_delta_min = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 30), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistRxDeltaMin.setStatus('current') cucs_fc_err_stats_hist_signal_losses = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 31), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistSignalLosses.setStatus('current') cucs_fc_err_stats_hist_signal_losses_delta = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 32), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistSignalLossesDelta.setStatus('current') cucs_fc_err_stats_hist_signal_losses_delta_avg = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 33), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistSignalLossesDeltaAvg.setStatus('current') cucs_fc_err_stats_hist_signal_losses_delta_max = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 34), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistSignalLossesDeltaMax.setStatus('current') cucs_fc_err_stats_hist_signal_losses_delta_min = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 35), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistSignalLossesDeltaMin.setStatus('current') cucs_fc_err_stats_hist_suspect = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 36), truth_value()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistSuspect.setStatus('current') cucs_fc_err_stats_hist_sync_losses = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 37), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistSyncLosses.setStatus('current') cucs_fc_err_stats_hist_sync_losses_delta = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 38), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistSyncLossesDelta.setStatus('current') cucs_fc_err_stats_hist_sync_losses_delta_avg = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 39), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistSyncLossesDeltaAvg.setStatus('current') cucs_fc_err_stats_hist_sync_losses_delta_max = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 40), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistSyncLossesDeltaMax.setStatus('current') cucs_fc_err_stats_hist_sync_losses_delta_min = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 41), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistSyncLossesDeltaMin.setStatus('current') cucs_fc_err_stats_hist_thresholded = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 42), cucs_fc_err_stats_hist_thresholded()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistThresholded.setStatus('current') cucs_fc_err_stats_hist_time_collected = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 43), date_and_time()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistTimeCollected.setStatus('current') cucs_fc_err_stats_hist_too_long_rx = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 44), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistTooLongRx.setStatus('current') cucs_fc_err_stats_hist_too_long_rx_delta = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 45), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistTooLongRxDelta.setStatus('current') cucs_fc_err_stats_hist_too_long_rx_delta_avg = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 46), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistTooLongRxDeltaAvg.setStatus('current') cucs_fc_err_stats_hist_too_long_rx_delta_max = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 47), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistTooLongRxDeltaMax.setStatus('current') cucs_fc_err_stats_hist_too_long_rx_delta_min = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 48), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistTooLongRxDeltaMin.setStatus('current') cucs_fc_err_stats_hist_too_short_rx = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 49), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistTooShortRx.setStatus('current') cucs_fc_err_stats_hist_too_short_rx_delta = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 50), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistTooShortRxDelta.setStatus('current') cucs_fc_err_stats_hist_too_short_rx_delta_avg = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 51), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistTooShortRxDeltaAvg.setStatus('current') cucs_fc_err_stats_hist_too_short_rx_delta_max = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 52), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistTooShortRxDeltaMax.setStatus('current') cucs_fc_err_stats_hist_too_short_rx_delta_min = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 53), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistTooShortRxDeltaMin.setStatus('current') cucs_fc_err_stats_hist_tx = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 54), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistTx.setStatus('current') cucs_fc_err_stats_hist_tx_delta = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 55), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistTxDelta.setStatus('current') cucs_fc_err_stats_hist_tx_delta_avg = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 56), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistTxDeltaAvg.setStatus('current') cucs_fc_err_stats_hist_tx_delta_max = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 57), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistTxDeltaMax.setStatus('current') cucs_fc_err_stats_hist_tx_delta_min = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 2, 1, 58), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcErrStatsHistTxDeltaMin.setStatus('current') cucs_fc_nic_if_config_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 3)) if mibBuilder.loadTexts: cucsFcNicIfConfigTable.setStatus('current') cucs_fc_nic_if_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 3, 1)).setIndexNames((0, 'CISCO-UNIFIED-COMPUTING-FC-MIB', 'cucsFcNicIfConfigInstanceId')) if mibBuilder.loadTexts: cucsFcNicIfConfigEntry.setStatus('current') cucs_fc_nic_if_config_instance_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 3, 1, 1), cucs_managed_object_id()) if mibBuilder.loadTexts: cucsFcNicIfConfigInstanceId.setStatus('current') cucs_fc_nic_if_config_dn = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 3, 1, 2), cucs_managed_object_dn()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcNicIfConfigDn.setStatus('current') cucs_fc_nic_if_config_rn = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 3, 1, 3), snmp_admin_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcNicIfConfigRn.setStatus('current') cucs_fc_p_io_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4)) if mibBuilder.loadTexts: cucsFcPIoTable.setStatus('current') cucs_fc_p_io_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1)).setIndexNames((0, 'CISCO-UNIFIED-COMPUTING-FC-MIB', 'cucsFcPIoInstanceId')) if mibBuilder.loadTexts: cucsFcPIoEntry.setStatus('current') cucs_fc_p_io_instance_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 1), cucs_managed_object_id()) if mibBuilder.loadTexts: cucsFcPIoInstanceId.setStatus('current') cucs_fc_p_io_dn = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 2), cucs_managed_object_dn()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoDn.setStatus('current') cucs_fc_p_io_rn = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 3), snmp_admin_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoRn.setStatus('current') cucs_fc_p_io_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 4), cucs_fabric_admin_state()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoAdminState.setStatus('current') cucs_fc_p_io_chassis_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 5), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoChassisId.setStatus('current') cucs_fc_p_io_encap = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 6), cucs_port_encap()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoEncap.setStatus('current') cucs_fc_p_io_ep_dn = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 7), snmp_admin_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoEpDn.setStatus('current') cucs_fc_p_io_flt_aggr = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 8), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoFltAggr.setStatus('current') cucs_fc_p_io_if_role = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 9), cucs_network_port_role()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoIfRole.setStatus('current') cucs_fc_p_io_if_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 10), cucs_network_phys_ep_if_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoIfType.setStatus('current') cucs_fc_p_io_locale = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 11), cucs_network_locale()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoLocale.setStatus('current') cucs_fc_p_io_mode = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 12), cucs_port_mode()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoMode.setStatus('current') cucs_fc_p_io_model = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 13), snmp_admin_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoModel.setStatus('current') cucs_fc_p_io_name = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 14), snmp_admin_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoName.setStatus('current') cucs_fc_p_io_oper_speed = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 15), cucs_port_speed()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoOperSpeed.setStatus('current') cucs_fc_p_io_oper_state = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 16), cucs_network_port_oper_state()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoOperState.setStatus('current') cucs_fc_p_io_peer_dn = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 17), snmp_admin_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoPeerDn.setStatus('current') cucs_fc_p_io_peer_port_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 18), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoPeerPortId.setStatus('current') cucs_fc_p_io_peer_slot_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 19), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoPeerSlotId.setStatus('current') cucs_fc_p_io_port_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 20), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoPortId.setStatus('current') cucs_fc_p_io_revision = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 21), snmp_admin_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoRevision.setStatus('current') cucs_fc_p_io_serial = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 22), snmp_admin_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoSerial.setStatus('current') cucs_fc_p_io_slot_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 23), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoSlotId.setStatus('current') cucs_fc_p_io_state_qual = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 24), snmp_admin_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoStateQual.setStatus('current') cucs_fc_p_io_switch_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 25), cucs_network_switch_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoSwitchId.setStatus('current') cucs_fc_p_io_transport = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 26), cucs_network_transport()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoTransport.setStatus('current') cucs_fc_p_io_ts = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 27), date_and_time()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoTs.setStatus('current') cucs_fc_p_io_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 28), cucs_network_connection_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoType.setStatus('current') cucs_fc_p_io_usr_lbl = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 29), snmp_admin_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoUsrLbl.setStatus('current') cucs_fc_p_io_vendor = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 30), snmp_admin_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoVendor.setStatus('current') cucs_fc_p_io_wwn = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 31), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoWwn.setStatus('current') cucs_fc_p_io_fsm_descr = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 32), snmp_admin_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoFsmDescr.setStatus('current') cucs_fc_p_io_fsm_prev = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 33), snmp_admin_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoFsmPrev.setStatus('current') cucs_fc_p_io_fsm_progr = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 34), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoFsmProgr.setStatus('current') cucs_fc_p_io_fsm_rmt_inv_err_code = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 35), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoFsmRmtInvErrCode.setStatus('current') cucs_fc_p_io_fsm_rmt_inv_err_descr = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 36), snmp_admin_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoFsmRmtInvErrDescr.setStatus('current') cucs_fc_p_io_fsm_rmt_inv_rslt = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 37), cucs_condition_remote_inv_rslt()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoFsmRmtInvRslt.setStatus('current') cucs_fc_p_io_fsm_stage_descr = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 38), snmp_admin_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoFsmStageDescr.setStatus('current') cucs_fc_p_io_fsm_stamp = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 39), date_and_time()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoFsmStamp.setStatus('current') cucs_fc_p_io_fsm_status = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 40), snmp_admin_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoFsmStatus.setStatus('current') cucs_fc_p_io_fsm_try = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 41), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoFsmTry.setStatus('current') cucs_fc_p_io_lic_gp = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 42), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoLicGP.setStatus('current') cucs_fc_p_io_lic_state = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 43), cucs_license_state()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoLicState.setStatus('current') cucs_fc_p_io_xcvr_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 44), cucs_equipment_xcvr_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoXcvrType.setStatus('current') cucs_fc_p_io_peer_chassis_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 45), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoPeerChassisId.setStatus('current') cucs_fc_p_io_admin_transport = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 46), cucs_network_transport()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoAdminTransport.setStatus('current') cucs_fc_p_io_lc = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 47), cucs_fsm_lifecycle()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoLc.setStatus('current') cucs_fc_p_io_unified_port = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 48), truth_value()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoUnifiedPort.setStatus('current') cucs_fc_p_io_max_speed = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 49), cucs_port_speed()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoMaxSpeed.setStatus('current') cucs_fc_p_io_is_port_channel_member = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 50), truth_value()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoIsPortChannelMember.setStatus('current') cucs_fc_p_io_aggr_port_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 51), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoAggrPortId.setStatus('current') cucs_fc_p_io_peer_aggr_port_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 4, 1, 52), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoPeerAggrPortId.setStatus('current') cucs_fc_p_io_fsm_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 8)) if mibBuilder.loadTexts: cucsFcPIoFsmTable.setStatus('current') cucs_fc_p_io_fsm_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 8, 1)).setIndexNames((0, 'CISCO-UNIFIED-COMPUTING-FC-MIB', 'cucsFcPIoFsmInstanceId')) if mibBuilder.loadTexts: cucsFcPIoFsmEntry.setStatus('current') cucs_fc_p_io_fsm_instance_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 8, 1, 1), cucs_managed_object_id()) if mibBuilder.loadTexts: cucsFcPIoFsmInstanceId.setStatus('current') cucs_fc_p_io_fsm_dn = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 8, 1, 2), cucs_managed_object_dn()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoFsmDn.setStatus('current') cucs_fc_p_io_fsm_rn = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 8, 1, 3), snmp_admin_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoFsmRn.setStatus('current') cucs_fc_p_io_fsm_completion_time = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 8, 1, 4), date_and_time()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoFsmCompletionTime.setStatus('current') cucs_fc_p_io_fsm_current_fsm = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 8, 1, 5), cucs_fc_p_io_fsm_current_fsm()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoFsmCurrentFsm.setStatus('current') cucs_fc_p_io_fsm_descr_data = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 8, 1, 6), snmp_admin_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoFsmDescrData.setStatus('current') cucs_fc_p_io_fsm_fsm_status = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 8, 1, 7), cucs_fsm_fsm_stage_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoFsmFsmStatus.setStatus('current') cucs_fc_p_io_fsm_progress = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 8, 1, 8), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoFsmProgress.setStatus('current') cucs_fc_p_io_fsm_rmt_err_code = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 8, 1, 9), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoFsmRmtErrCode.setStatus('current') cucs_fc_p_io_fsm_rmt_err_descr = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 8, 1, 10), snmp_admin_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoFsmRmtErrDescr.setStatus('current') cucs_fc_p_io_fsm_rmt_rslt = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 8, 1, 11), cucs_condition_remote_inv_rslt()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoFsmRmtRslt.setStatus('current') cucs_fc_p_io_fsm_stage_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 9)) if mibBuilder.loadTexts: cucsFcPIoFsmStageTable.setStatus('current') cucs_fc_p_io_fsm_stage_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 9, 1)).setIndexNames((0, 'CISCO-UNIFIED-COMPUTING-FC-MIB', 'cucsFcPIoFsmStageInstanceId')) if mibBuilder.loadTexts: cucsFcPIoFsmStageEntry.setStatus('current') cucs_fc_p_io_fsm_stage_instance_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 9, 1, 1), cucs_managed_object_id()) if mibBuilder.loadTexts: cucsFcPIoFsmStageInstanceId.setStatus('current') cucs_fc_p_io_fsm_stage_dn = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 9, 1, 2), cucs_managed_object_dn()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoFsmStageDn.setStatus('current') cucs_fc_p_io_fsm_stage_rn = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 9, 1, 3), snmp_admin_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoFsmStageRn.setStatus('current') cucs_fc_p_io_fsm_stage_descr_data = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 9, 1, 4), snmp_admin_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoFsmStageDescrData.setStatus('current') cucs_fc_p_io_fsm_stage_last_update_time = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 9, 1, 5), date_and_time()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoFsmStageLastUpdateTime.setStatus('current') cucs_fc_p_io_fsm_stage_name = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 9, 1, 6), cucs_fc_p_io_fsm_stage_name()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoFsmStageName.setStatus('current') cucs_fc_p_io_fsm_stage_order = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 9, 1, 7), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoFsmStageOrder.setStatus('current') cucs_fc_p_io_fsm_stage_retry = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 9, 1, 8), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoFsmStageRetry.setStatus('current') cucs_fc_p_io_fsm_stage_stage_status = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 9, 1, 9), cucs_fsm_fsm_stage_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcPIoFsmStageStageStatus.setStatus('current') cucs_fc_stats_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5)) if mibBuilder.loadTexts: cucsFcStatsTable.setStatus('current') cucs_fc_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1)).setIndexNames((0, 'CISCO-UNIFIED-COMPUTING-FC-MIB', 'cucsFcStatsInstanceId')) if mibBuilder.loadTexts: cucsFcStatsEntry.setStatus('current') cucs_fc_stats_instance_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 1), cucs_managed_object_id()) if mibBuilder.loadTexts: cucsFcStatsInstanceId.setStatus('current') cucs_fc_stats_dn = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 2), cucs_managed_object_dn()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsDn.setStatus('current') cucs_fc_stats_rn = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 3), snmp_admin_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsRn.setStatus('current') cucs_fc_stats_bytes_rx = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 4), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsBytesRx.setStatus('current') cucs_fc_stats_bytes_rx_delta = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 5), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsBytesRxDelta.setStatus('current') cucs_fc_stats_bytes_rx_delta_avg = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 6), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsBytesRxDeltaAvg.setStatus('current') cucs_fc_stats_bytes_rx_delta_max = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 7), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsBytesRxDeltaMax.setStatus('current') cucs_fc_stats_bytes_rx_delta_min = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 8), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsBytesRxDeltaMin.setStatus('current') cucs_fc_stats_bytes_tx = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 9), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsBytesTx.setStatus('current') cucs_fc_stats_bytes_tx_delta = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 10), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsBytesTxDelta.setStatus('current') cucs_fc_stats_bytes_tx_delta_avg = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 11), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsBytesTxDeltaAvg.setStatus('current') cucs_fc_stats_bytes_tx_delta_max = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 12), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsBytesTxDeltaMax.setStatus('current') cucs_fc_stats_bytes_tx_delta_min = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 13), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsBytesTxDeltaMin.setStatus('current') cucs_fc_stats_intervals = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 14), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsIntervals.setStatus('current') cucs_fc_stats_packets_rx = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 15), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsPacketsRx.setStatus('current') cucs_fc_stats_packets_rx_delta = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 16), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsPacketsRxDelta.setStatus('current') cucs_fc_stats_packets_rx_delta_avg = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 17), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsPacketsRxDeltaAvg.setStatus('current') cucs_fc_stats_packets_rx_delta_max = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 18), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsPacketsRxDeltaMax.setStatus('current') cucs_fc_stats_packets_rx_delta_min = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 19), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsPacketsRxDeltaMin.setStatus('current') cucs_fc_stats_packets_tx = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 20), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsPacketsTx.setStatus('current') cucs_fc_stats_packets_tx_delta = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 21), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsPacketsTxDelta.setStatus('current') cucs_fc_stats_packets_tx_delta_avg = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 22), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsPacketsTxDeltaAvg.setStatus('current') cucs_fc_stats_packets_tx_delta_max = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 23), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsPacketsTxDeltaMax.setStatus('current') cucs_fc_stats_packets_tx_delta_min = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 24), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsPacketsTxDeltaMin.setStatus('current') cucs_fc_stats_suspect = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 25), truth_value()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsSuspect.setStatus('current') cucs_fc_stats_thresholded = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 26), cucs_fc_stats_thresholded()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsThresholded.setStatus('current') cucs_fc_stats_time_collected = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 27), date_and_time()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsTimeCollected.setStatus('current') cucs_fc_stats_update = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 5, 1, 28), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsUpdate.setStatus('current') cucs_fc_stats_hist_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6)) if mibBuilder.loadTexts: cucsFcStatsHistTable.setStatus('current') cucs_fc_stats_hist_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1)).setIndexNames((0, 'CISCO-UNIFIED-COMPUTING-FC-MIB', 'cucsFcStatsHistInstanceId')) if mibBuilder.loadTexts: cucsFcStatsHistEntry.setStatus('current') cucs_fc_stats_hist_instance_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 1), cucs_managed_object_id()) if mibBuilder.loadTexts: cucsFcStatsHistInstanceId.setStatus('current') cucs_fc_stats_hist_dn = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 2), cucs_managed_object_dn()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsHistDn.setStatus('current') cucs_fc_stats_hist_rn = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 3), snmp_admin_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsHistRn.setStatus('current') cucs_fc_stats_hist_bytes_rx = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 4), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsHistBytesRx.setStatus('current') cucs_fc_stats_hist_bytes_rx_delta = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 5), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsHistBytesRxDelta.setStatus('current') cucs_fc_stats_hist_bytes_rx_delta_avg = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 6), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsHistBytesRxDeltaAvg.setStatus('current') cucs_fc_stats_hist_bytes_rx_delta_max = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 7), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsHistBytesRxDeltaMax.setStatus('current') cucs_fc_stats_hist_bytes_rx_delta_min = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 8), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsHistBytesRxDeltaMin.setStatus('current') cucs_fc_stats_hist_bytes_tx = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 9), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsHistBytesTx.setStatus('current') cucs_fc_stats_hist_bytes_tx_delta = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 10), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsHistBytesTxDelta.setStatus('current') cucs_fc_stats_hist_bytes_tx_delta_avg = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 11), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsHistBytesTxDeltaAvg.setStatus('current') cucs_fc_stats_hist_bytes_tx_delta_max = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 12), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsHistBytesTxDeltaMax.setStatus('current') cucs_fc_stats_hist_bytes_tx_delta_min = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 13), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsHistBytesTxDeltaMin.setStatus('current') cucs_fc_stats_hist_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 14), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsHistId.setStatus('current') cucs_fc_stats_hist_most_recent = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 15), truth_value()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsHistMostRecent.setStatus('current') cucs_fc_stats_hist_packets_rx = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 16), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsHistPacketsRx.setStatus('current') cucs_fc_stats_hist_packets_rx_delta = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 17), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsHistPacketsRxDelta.setStatus('current') cucs_fc_stats_hist_packets_rx_delta_avg = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 18), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsHistPacketsRxDeltaAvg.setStatus('current') cucs_fc_stats_hist_packets_rx_delta_max = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 19), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsHistPacketsRxDeltaMax.setStatus('current') cucs_fc_stats_hist_packets_rx_delta_min = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 20), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsHistPacketsRxDeltaMin.setStatus('current') cucs_fc_stats_hist_packets_tx = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 21), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsHistPacketsTx.setStatus('current') cucs_fc_stats_hist_packets_tx_delta = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 22), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsHistPacketsTxDelta.setStatus('current') cucs_fc_stats_hist_packets_tx_delta_avg = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 23), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsHistPacketsTxDeltaAvg.setStatus('current') cucs_fc_stats_hist_packets_tx_delta_max = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 24), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsHistPacketsTxDeltaMax.setStatus('current') cucs_fc_stats_hist_packets_tx_delta_min = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 25), unsigned64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsHistPacketsTxDeltaMin.setStatus('current') cucs_fc_stats_hist_suspect = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 26), truth_value()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsHistSuspect.setStatus('current') cucs_fc_stats_hist_thresholded = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 27), cucs_fc_stats_hist_thresholded()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsHistThresholded.setStatus('current') cucs_fc_stats_hist_time_collected = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 6, 1, 28), date_and_time()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcStatsHistTimeCollected.setStatus('current') cucs_fc_sw_if_config_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 7)) if mibBuilder.loadTexts: cucsFcSwIfConfigTable.setStatus('current') cucs_fc_sw_if_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 7, 1)).setIndexNames((0, 'CISCO-UNIFIED-COMPUTING-FC-MIB', 'cucsFcSwIfConfigInstanceId')) if mibBuilder.loadTexts: cucsFcSwIfConfigEntry.setStatus('current') cucs_fc_sw_if_config_instance_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 7, 1, 1), cucs_managed_object_id()) if mibBuilder.loadTexts: cucsFcSwIfConfigInstanceId.setStatus('current') cucs_fc_sw_if_config_dn = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 7, 1, 2), cucs_managed_object_dn()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcSwIfConfigDn.setStatus('current') cucs_fc_sw_if_config_rn = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 719, 1, 20, 7, 1, 3), snmp_admin_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: cucsFcSwIfConfigRn.setStatus('current') mibBuilder.exportSymbols('CISCO-UNIFIED-COMPUTING-FC-MIB', cucsFcStatsBytesRxDeltaMax=cucsFcStatsBytesRxDeltaMax, cucsFcStatsPacketsRxDelta=cucsFcStatsPacketsRxDelta, cucsFcErrStatsHistSyncLossesDeltaAvg=cucsFcErrStatsHistSyncLossesDeltaAvg, cucsFcSwIfConfigRn=cucsFcSwIfConfigRn, cucsFcErrStatsLinkFailuresDelta=cucsFcErrStatsLinkFailuresDelta, cucsFcPIoLocale=cucsFcPIoLocale, cucsFcErrStatsHistMostRecent=cucsFcErrStatsHistMostRecent, cucsFcStatsInstanceId=cucsFcStatsInstanceId, cucsFcErrStatsHistLinkFailuresDeltaAvg=cucsFcErrStatsHistLinkFailuresDeltaAvg, cucsFcStatsHistPacketsTxDelta=cucsFcStatsHistPacketsTxDelta, cucsFcErrStatsHistLinkFailuresDelta=cucsFcErrStatsHistLinkFailuresDelta, cucsFcPIoFsmStageEntry=cucsFcPIoFsmStageEntry, cucsFcErrStatsHistDiscardRx=cucsFcErrStatsHistDiscardRx, cucsFcStatsHistBytesTxDeltaMax=cucsFcStatsHistBytesTxDeltaMax, cucsFcPIoInstanceId=cucsFcPIoInstanceId, cucsFcErrStatsDiscardTxDeltaMin=cucsFcErrStatsDiscardTxDeltaMin, cucsFcErrStatsHistDiscardRxDelta=cucsFcErrStatsHistDiscardRxDelta, cucsFcErrStatsSuspect=cucsFcErrStatsSuspect, cucsFcPIoAdminState=cucsFcPIoAdminState, cucsFcPIoMode=cucsFcPIoMode, cucsFcPIoName=cucsFcPIoName, cucsFcPIoPeerPortId=cucsFcPIoPeerPortId, cucsFcStatsBytesTxDeltaAvg=cucsFcStatsBytesTxDeltaAvg, cucsFcErrStatsDiscardTx=cucsFcErrStatsDiscardTx, cucsFcErrStatsSignalLosses=cucsFcErrStatsSignalLosses, cucsFcStatsHistBytesRxDeltaAvg=cucsFcStatsHistBytesRxDeltaAvg, cucsFcPIoModel=cucsFcPIoModel, cucsFcStatsBytesTxDeltaMin=cucsFcStatsBytesTxDeltaMin, cucsFcErrStatsTooLongRxDeltaMin=cucsFcErrStatsTooLongRxDeltaMin, cucsFcStatsPacketsTxDeltaMin=cucsFcStatsPacketsTxDeltaMin, cucsFcErrStatsHistSignalLossesDelta=cucsFcErrStatsHistSignalLossesDelta, cucsFcStatsTable=cucsFcStatsTable, cucsFcStatsBytesTx=cucsFcStatsBytesTx, cucsFcStatsHistPacketsTxDeltaMax=cucsFcStatsHistPacketsTxDeltaMax, cucsFcPIoPeerAggrPortId=cucsFcPIoPeerAggrPortId, cucsFcErrStatsHistDiscardTxDeltaMax=cucsFcErrStatsHistDiscardTxDeltaMax, cucsFcErrStatsHistTooLongRxDeltaMin=cucsFcErrStatsHistTooLongRxDeltaMin, cucsFcErrStatsHistLinkFailuresDeltaMin=cucsFcErrStatsHistLinkFailuresDeltaMin, cucsFcPIoStateQual=cucsFcPIoStateQual, cucsFcErrStatsHistSignalLossesDeltaMax=cucsFcErrStatsHistSignalLossesDeltaMax, cucsFcErrStatsHistTooLongRxDeltaMax=cucsFcErrStatsHistTooLongRxDeltaMax, cucsFcNicIfConfigInstanceId=cucsFcNicIfConfigInstanceId, cucsFcStatsTimeCollected=cucsFcStatsTimeCollected, cucsFcErrStatsCrcRxDelta=cucsFcErrStatsCrcRxDelta, cucsFcStatsHistPacketsTxDeltaAvg=cucsFcStatsHistPacketsTxDeltaAvg, cucsFcPIoFsmCurrentFsm=cucsFcPIoFsmCurrentFsm, cucsFcPIoFsmStageTable=cucsFcPIoFsmStageTable, cucsFcErrStatsTooShortRxDeltaMin=cucsFcErrStatsTooShortRxDeltaMin, cucsFcErrStatsTooShortRxDelta=cucsFcErrStatsTooShortRxDelta, cucsFcPIoAggrPortId=cucsFcPIoAggrPortId, cucsFcPIoFsmRn=cucsFcPIoFsmRn, cucsFcStatsHistBytesTxDeltaAvg=cucsFcStatsHistBytesTxDeltaAvg, cucsFcErrStatsHistDiscardRxDeltaMax=cucsFcErrStatsHistDiscardRxDeltaMax, cucsFcErrStatsHistTooShortRxDeltaMin=cucsFcErrStatsHistTooShortRxDeltaMin, cucsFcErrStatsHistRx=cucsFcErrStatsHistRx, cucsFcStatsHistBytesTxDeltaMin=cucsFcStatsHistBytesTxDeltaMin, cucsFcStatsHistInstanceId=cucsFcStatsHistInstanceId, cucsFcErrStatsDiscardRxDelta=cucsFcErrStatsDiscardRxDelta, cucsFcErrStatsRn=cucsFcErrStatsRn, cucsFcErrStatsThresholded=cucsFcErrStatsThresholded, cucsFcErrStatsHistTooLongRx=cucsFcErrStatsHistTooLongRx, cucsFcErrStatsHistDn=cucsFcErrStatsHistDn, cucsFcErrStatsHistTooLongRxDeltaAvg=cucsFcErrStatsHistTooLongRxDeltaAvg, cucsFcPIoTransport=cucsFcPIoTransport, cucsFcPIoFsmRmtErrCode=cucsFcPIoFsmRmtErrCode, cucsFcStatsBytesTxDelta=cucsFcStatsBytesTxDelta, cucsFcStatsBytesTxDeltaMax=cucsFcStatsBytesTxDeltaMax, cucsFcNicIfConfigRn=cucsFcNicIfConfigRn, cucsFcNicIfConfigDn=cucsFcNicIfConfigDn, cucsFcPIoSwitchId=cucsFcPIoSwitchId, cucsFcErrStatsDiscardTxDeltaAvg=cucsFcErrStatsDiscardTxDeltaAvg, cucsFcPIoFsmRmtInvRslt=cucsFcPIoFsmRmtInvRslt, cucsFcErrStatsHistTxDeltaMax=cucsFcErrStatsHistTxDeltaMax, cucsFcPIoWwn=cucsFcPIoWwn, cucsFcErrStatsHistRn=cucsFcErrStatsHistRn, cucsFcErrStatsSignalLossesDelta=cucsFcErrStatsSignalLossesDelta, cucsFcErrStatsHistCrcRxDeltaMax=cucsFcErrStatsHistCrcRxDeltaMax, cucsFcPIoFsmRmtRslt=cucsFcPIoFsmRmtRslt, cucsFcStatsUpdate=cucsFcStatsUpdate, cucsFcObjects=cucsFcObjects, cucsFcErrStatsHistRxDelta=cucsFcErrStatsHistRxDelta, cucsFcErrStatsTxDelta=cucsFcErrStatsTxDelta, cucsFcErrStatsHistSyncLosses=cucsFcErrStatsHistSyncLosses, cucsFcStatsHistPacketsRxDeltaAvg=cucsFcStatsHistPacketsRxDeltaAvg, cucsFcPIoTs=cucsFcPIoTs, cucsFcErrStatsHistTooShortRxDelta=cucsFcErrStatsHistTooShortRxDelta, cucsFcPIoUsrLbl=cucsFcPIoUsrLbl, cucsFcPIoFsmStageLastUpdateTime=cucsFcPIoFsmStageLastUpdateTime, cucsFcStatsHistBytesRxDeltaMin=cucsFcStatsHistBytesRxDeltaMin, cucsFcErrStatsSyncLosses=cucsFcErrStatsSyncLosses, cucsFcPIoFsmInstanceId=cucsFcPIoFsmInstanceId, cucsFcPIoIsPortChannelMember=cucsFcPIoIsPortChannelMember, cucsFcErrStatsCrcRxDeltaAvg=cucsFcErrStatsCrcRxDeltaAvg, cucsFcErrStatsDiscardRxDeltaMin=cucsFcErrStatsDiscardRxDeltaMin, cucsFcErrStatsTooShortRxDeltaAvg=cucsFcErrStatsTooShortRxDeltaAvg, cucsFcSwIfConfigDn=cucsFcSwIfConfigDn, cucsFcStatsHistSuspect=cucsFcStatsHistSuspect, cucsFcStatsHistPacketsRxDeltaMax=cucsFcStatsHistPacketsRxDeltaMax, cucsFcPIoFsmStageOrder=cucsFcPIoFsmStageOrder, cucsFcStatsPacketsRxDeltaAvg=cucsFcStatsPacketsRxDeltaAvg, cucsFcStatsHistPacketsRx=cucsFcStatsHistPacketsRx, cucsFcErrStatsInstanceId=cucsFcErrStatsInstanceId, cucsFcSwIfConfigTable=cucsFcSwIfConfigTable, PYSNMP_MODULE_ID=cucsFcObjects, cucsFcErrStatsTxDeltaMax=cucsFcErrStatsTxDeltaMax, cucsFcPIoFsmStageStageStatus=cucsFcPIoFsmStageStageStatus, cucsFcErrStatsSignalLossesDeltaMax=cucsFcErrStatsSignalLossesDeltaMax, cucsFcPIoDn=cucsFcPIoDn, cucsFcErrStatsHistThresholded=cucsFcErrStatsHistThresholded, cucsFcPIoFsmDescrData=cucsFcPIoFsmDescrData, cucsFcStatsHistDn=cucsFcStatsHistDn, cucsFcErrStatsRxDelta=cucsFcErrStatsRxDelta, cucsFcErrStatsHistTxDelta=cucsFcErrStatsHistTxDelta, cucsFcStatsPacketsTx=cucsFcStatsPacketsTx, cucsFcStatsHistBytesRx=cucsFcStatsHistBytesRx, cucsFcErrStatsLinkFailuresDeltaMin=cucsFcErrStatsLinkFailuresDeltaMin, cucsFcErrStatsHistSyncLossesDeltaMax=cucsFcErrStatsHistSyncLossesDeltaMax, cucsFcPIoFsmTable=cucsFcPIoFsmTable, cucsFcPIoFsmStatus=cucsFcPIoFsmStatus, cucsFcErrStatsHistCrcRx=cucsFcErrStatsHistCrcRx, cucsFcPIoPeerDn=cucsFcPIoPeerDn, cucsFcErrStatsHistRxDeltaMin=cucsFcErrStatsHistRxDeltaMin, cucsFcPIoFsmFsmStatus=cucsFcPIoFsmFsmStatus, cucsFcErrStatsHistCrcRxDelta=cucsFcErrStatsHistCrcRxDelta, cucsFcErrStatsHistDiscardTx=cucsFcErrStatsHistDiscardTx, cucsFcErrStatsHistRxDeltaAvg=cucsFcErrStatsHistRxDeltaAvg, cucsFcErrStatsRxDeltaAvg=cucsFcErrStatsRxDeltaAvg, cucsFcErrStatsHistSignalLossesDeltaMin=cucsFcErrStatsHistSignalLossesDeltaMin, cucsFcPIoFsmDescr=cucsFcPIoFsmDescr, cucsFcStatsHistPacketsRxDeltaMin=cucsFcStatsHistPacketsRxDeltaMin, cucsFcStatsPacketsTxDeltaMax=cucsFcStatsPacketsTxDeltaMax, cucsFcPIoTable=cucsFcPIoTable, cucsFcErrStatsHistLinkFailures=cucsFcErrStatsHistLinkFailures, cucsFcPIoFsmProgress=cucsFcPIoFsmProgress, cucsFcPIoLicGP=cucsFcPIoLicGP, cucsFcStatsPacketsTxDeltaAvg=cucsFcStatsPacketsTxDeltaAvg, cucsFcErrStatsLinkFailuresDeltaAvg=cucsFcErrStatsLinkFailuresDeltaAvg, cucsFcErrStatsHistTable=cucsFcErrStatsHistTable, cucsFcPIoFsmCompletionTime=cucsFcPIoFsmCompletionTime, cucsFcStatsHistEntry=cucsFcStatsHistEntry, cucsFcErrStatsIntervals=cucsFcErrStatsIntervals, cucsFcErrStatsTx=cucsFcErrStatsTx, cucsFcErrStatsHistId=cucsFcErrStatsHistId, cucsFcStatsHistBytesTx=cucsFcStatsHistBytesTx, cucsFcErrStatsTooLongRx=cucsFcErrStatsTooLongRx, cucsFcErrStatsHistTooShortRxDeltaMax=cucsFcErrStatsHistTooShortRxDeltaMax, cucsFcPIoXcvrType=cucsFcPIoXcvrType, cucsFcStatsHistId=cucsFcStatsHistId, cucsFcErrStatsHistLinkFailuresDeltaMax=cucsFcErrStatsHistLinkFailuresDeltaMax, cucsFcStatsSuspect=cucsFcStatsSuspect, cucsFcErrStatsSyncLossesDelta=cucsFcErrStatsSyncLossesDelta, cucsFcPIoPeerSlotId=cucsFcPIoPeerSlotId, cucsFcPIoAdminTransport=cucsFcPIoAdminTransport, cucsFcPIoFsmStageDescr=cucsFcPIoFsmStageDescr, cucsFcPIoFsmEntry=cucsFcPIoFsmEntry, cucsFcPIoOperSpeed=cucsFcPIoOperSpeed, cucsFcErrStatsSyncLossesDeltaAvg=cucsFcErrStatsSyncLossesDeltaAvg, cucsFcErrStatsLinkFailuresDeltaMax=cucsFcErrStatsLinkFailuresDeltaMax, cucsFcStatsHistBytesTxDelta=cucsFcStatsHistBytesTxDelta, cucsFcPIoPortId=cucsFcPIoPortId, cucsFcErrStatsSyncLossesDeltaMax=cucsFcErrStatsSyncLossesDeltaMax, cucsFcErrStatsHistCrcRxDeltaMin=cucsFcErrStatsHistCrcRxDeltaMin, cucsFcErrStatsDn=cucsFcErrStatsDn, cucsFcPIoRn=cucsFcPIoRn, cucsFcStatsPacketsRxDeltaMax=cucsFcStatsPacketsRxDeltaMax, cucsFcPIoFsmStamp=cucsFcPIoFsmStamp, cucsFcPIoType=cucsFcPIoType, cucsFcPIoFsmDn=cucsFcPIoFsmDn, cucsFcPIoIfRole=cucsFcPIoIfRole, cucsFcStatsBytesRxDeltaMin=cucsFcStatsBytesRxDeltaMin, cucsFcErrStatsHistDiscardTxDeltaAvg=cucsFcErrStatsHistDiscardTxDeltaAvg, cucsFcErrStatsDiscardTxDeltaMax=cucsFcErrStatsDiscardTxDeltaMax, cucsFcPIoFsmRmtInvErrCode=cucsFcPIoFsmRmtInvErrCode, cucsFcErrStatsTooLongRxDeltaMax=cucsFcErrStatsTooLongRxDeltaMax, cucsFcStatsBytesRxDelta=cucsFcStatsBytesRxDelta, cucsFcStatsHistBytesRxDeltaMax=cucsFcStatsHistBytesRxDeltaMax, cucsFcErrStatsCrcRxDeltaMin=cucsFcErrStatsCrcRxDeltaMin, cucsFcErrStatsHistDiscardRxDeltaAvg=cucsFcErrStatsHistDiscardRxDeltaAvg, cucsFcPIoVendor=cucsFcPIoVendor, cucsFcPIoFsmPrev=cucsFcPIoFsmPrev, cucsFcPIoChassisId=cucsFcPIoChassisId, cucsFcErrStatsHistDiscardTxDeltaMin=cucsFcErrStatsHistDiscardTxDeltaMin, cucsFcErrStatsCrcRx=cucsFcErrStatsCrcRx, cucsFcStatsHistRn=cucsFcStatsHistRn, cucsFcErrStatsHistCrcRxDeltaAvg=cucsFcErrStatsHistCrcRxDeltaAvg, cucsFcStatsDn=cucsFcStatsDn, cucsFcStatsHistPacketsTx=cucsFcStatsHistPacketsTx, cucsFcErrStatsDiscardTxDelta=cucsFcErrStatsDiscardTxDelta, cucsFcPIoFsmStageRn=cucsFcPIoFsmStageRn, cucsFcStatsHistMostRecent=cucsFcStatsHistMostRecent, cucsFcSwIfConfigInstanceId=cucsFcSwIfConfigInstanceId, cucsFcErrStatsHistTooShortRxDeltaAvg=cucsFcErrStatsHistTooShortRxDeltaAvg, cucsFcStatsBytesRxDeltaAvg=cucsFcStatsBytesRxDeltaAvg, cucsFcStatsEntry=cucsFcStatsEntry, cucsFcErrStatsRx=cucsFcErrStatsRx, cucsFcErrStatsUpdate=cucsFcErrStatsUpdate, cucsFcPIoFsmRmtErrDescr=cucsFcPIoFsmRmtErrDescr, cucsFcErrStatsHistTooShortRx=cucsFcErrStatsHistTooShortRx, cucsFcErrStatsRxDeltaMin=cucsFcErrStatsRxDeltaMin, cucsFcStatsHistTable=cucsFcStatsHistTable, cucsFcPIoSerial=cucsFcPIoSerial, cucsFcPIoRevision=cucsFcPIoRevision, cucsFcPIoPeerChassisId=cucsFcPIoPeerChassisId, cucsFcPIoFltAggr=cucsFcPIoFltAggr, cucsFcPIoFsmTry=cucsFcPIoFsmTry, cucsFcPIoEntry=cucsFcPIoEntry, cucsFcErrStatsRxDeltaMax=cucsFcErrStatsRxDeltaMax, cucsFcPIoFsmProgr=cucsFcPIoFsmProgr, cucsFcStatsPacketsTxDelta=cucsFcStatsPacketsTxDelta, cucsFcStatsHistPacketsRxDelta=cucsFcStatsHistPacketsRxDelta, cucsFcPIoFsmRmtInvErrDescr=cucsFcPIoFsmRmtInvErrDescr, cucsFcPIoOperState=cucsFcPIoOperState, cucsFcErrStatsHistEntry=cucsFcErrStatsHistEntry, cucsFcSwIfConfigEntry=cucsFcSwIfConfigEntry, cucsFcErrStatsHistSuspect=cucsFcErrStatsHistSuspect, cucsFcErrStatsTxDeltaAvg=cucsFcErrStatsTxDeltaAvg, cucsFcPIoFsmStageInstanceId=cucsFcPIoFsmStageInstanceId, cucsFcErrStatsTooShortRxDeltaMax=cucsFcErrStatsTooShortRxDeltaMax, cucsFcErrStatsTxDeltaMin=cucsFcErrStatsTxDeltaMin, cucsFcErrStatsDiscardRx=cucsFcErrStatsDiscardRx, cucsFcStatsPacketsRx=cucsFcStatsPacketsRx, cucsFcPIoFsmStageRetry=cucsFcPIoFsmStageRetry, cucsFcPIoEncap=cucsFcPIoEncap, cucsFcPIoSlotId=cucsFcPIoSlotId, cucsFcErrStatsHistSyncLossesDelta=cucsFcErrStatsHistSyncLossesDelta, cucsFcStatsHistThresholded=cucsFcStatsHistThresholded, cucsFcErrStatsHistSignalLossesDeltaAvg=cucsFcErrStatsHistSignalLossesDeltaAvg, cucsFcErrStatsSignalLossesDeltaAvg=cucsFcErrStatsSignalLossesDeltaAvg, cucsFcErrStatsTooLongRxDelta=cucsFcErrStatsTooLongRxDelta, cucsFcErrStatsTooLongRxDeltaAvg=cucsFcErrStatsTooLongRxDeltaAvg, cucsFcErrStatsSyncLossesDeltaMin=cucsFcErrStatsSyncLossesDeltaMin, cucsFcErrStatsHistTxDeltaAvg=cucsFcErrStatsHistTxDeltaAvg, cucsFcNicIfConfigEntry=cucsFcNicIfConfigEntry, cucsFcErrStatsDiscardRxDeltaAvg=cucsFcErrStatsDiscardRxDeltaAvg, cucsFcErrStatsHistTx=cucsFcErrStatsHistTx, cucsFcPIoUnifiedPort=cucsFcPIoUnifiedPort, cucsFcErrStatsHistRxDeltaMax=cucsFcErrStatsHistRxDeltaMax, cucsFcNicIfConfigTable=cucsFcNicIfConfigTable, cucsFcErrStatsCrcRxDeltaMax=cucsFcErrStatsCrcRxDeltaMax, cucsFcPIoFsmStageDn=cucsFcPIoFsmStageDn, cucsFcStatsBytesRx=cucsFcStatsBytesRx, cucsFcStatsPacketsRxDeltaMin=cucsFcStatsPacketsRxDeltaMin, cucsFcStatsHistPacketsTxDeltaMin=cucsFcStatsHistPacketsTxDeltaMin, cucsFcErrStatsHistSyncLossesDeltaMin=cucsFcErrStatsHistSyncLossesDeltaMin, cucsFcErrStatsHistTxDeltaMin=cucsFcErrStatsHistTxDeltaMin, cucsFcPIoMaxSpeed=cucsFcPIoMaxSpeed, cucsFcPIoFsmStageDescrData=cucsFcPIoFsmStageDescrData, cucsFcErrStatsEntry=cucsFcErrStatsEntry, cucsFcErrStatsHistInstanceId=cucsFcErrStatsHistInstanceId, cucsFcErrStatsHistTooLongRxDelta=cucsFcErrStatsHistTooLongRxDelta, cucsFcErrStatsHistTimeCollected=cucsFcErrStatsHistTimeCollected, cucsFcErrStatsHistDiscardRxDeltaMin=cucsFcErrStatsHistDiscardRxDeltaMin, cucsFcErrStatsTable=cucsFcErrStatsTable, cucsFcErrStatsTooShortRx=cucsFcErrStatsTooShortRx) mibBuilder.exportSymbols('CISCO-UNIFIED-COMPUTING-FC-MIB', cucsFcErrStatsLinkFailures=cucsFcErrStatsLinkFailures, cucsFcPIoIfType=cucsFcPIoIfType, cucsFcErrStatsTimeCollected=cucsFcErrStatsTimeCollected, cucsFcStatsThresholded=cucsFcStatsThresholded, cucsFcStatsHistBytesRxDelta=cucsFcStatsHistBytesRxDelta, cucsFcPIoLicState=cucsFcPIoLicState, cucsFcStatsIntervals=cucsFcStatsIntervals, cucsFcErrStatsDiscardRxDeltaMax=cucsFcErrStatsDiscardRxDeltaMax, cucsFcPIoLc=cucsFcPIoLc, cucsFcStatsRn=cucsFcStatsRn, cucsFcErrStatsHistDiscardTxDelta=cucsFcErrStatsHistDiscardTxDelta, cucsFcStatsHistTimeCollected=cucsFcStatsHistTimeCollected, cucsFcErrStatsSignalLossesDeltaMin=cucsFcErrStatsSignalLossesDeltaMin, cucsFcPIoFsmStageName=cucsFcPIoFsmStageName, cucsFcErrStatsHistSignalLosses=cucsFcErrStatsHistSignalLosses, cucsFcPIoEpDn=cucsFcPIoEpDn)
def heapSort(self): heap = hp.Heap() heap.createHeap(*self.arr) i = 0 while(heap.size > 0): self.arr[i] = heap.delete() i += 1
def heap_sort(self): heap = hp.Heap() heap.createHeap(*self.arr) i = 0 while heap.size > 0: self.arr[i] = heap.delete() i += 1
text = input() new = "@" dash = "-" save = [] command = input() while command != "Complete": conversion = command.split(" ") if conversion[0] == "Make": if conversion[1] == "Upper": conv = text.upper() text = conv print(conv) elif conversion[1] == "Lower": conv = text.lower() text = conv print(conv) elif conversion[0] == "GetDomain": number = int(conversion[1]) cut = text[-number:text.rfind("")] print(cut) elif conversion[0] == "GetUsername": if new in text: for letter in text: if letter == "@": print("".join(save)) break else: save.append(letter) else: print(f"The email {text} doesn't contain the @ symbol.") elif conversion[0] == "Replace": new_letter = conversion[1] rev = text.replace(new_letter, dash) print(rev) elif conversion[0] == "Encrypt": for letter in text: ordd = ord(letter) print(ordd, end=" ") command = input()
text = input() new = '@' dash = '-' save = [] command = input() while command != 'Complete': conversion = command.split(' ') if conversion[0] == 'Make': if conversion[1] == 'Upper': conv = text.upper() text = conv print(conv) elif conversion[1] == 'Lower': conv = text.lower() text = conv print(conv) elif conversion[0] == 'GetDomain': number = int(conversion[1]) cut = text[-number:text.rfind('')] print(cut) elif conversion[0] == 'GetUsername': if new in text: for letter in text: if letter == '@': print(''.join(save)) break else: save.append(letter) else: print(f"The email {text} doesn't contain the @ symbol.") elif conversion[0] == 'Replace': new_letter = conversion[1] rev = text.replace(new_letter, dash) print(rev) elif conversion[0] == 'Encrypt': for letter in text: ordd = ord(letter) print(ordd, end=' ') command = input()
# Definition for a binary tree node. # class TreeNode: # def __init__(self, x): # self.val = x # self.left = None # self.right = None LOW = float('-inf') class Solution: def largestValues(self, root): """ :type root: TreeNode :rtype: List[int] """ ret = [] if root is None: return ret q = collections.deque() q.append(root) while q: acc = LOW for _ in range(len(q)): root = q.popleft() acc = max(acc, root.val) if root.left is not None: q.append(root.left) if root.right is not None: q.append(root.right) assert acc != LOW ret.append(acc) return ret
low = float('-inf') class Solution: def largest_values(self, root): """ :type root: TreeNode :rtype: List[int] """ ret = [] if root is None: return ret q = collections.deque() q.append(root) while q: acc = LOW for _ in range(len(q)): root = q.popleft() acc = max(acc, root.val) if root.left is not None: q.append(root.left) if root.right is not None: q.append(root.right) assert acc != LOW ret.append(acc) return ret
class Solution(object): def romanToInt(self, s): """ :type s: str :rtype: int """ roman_dict1 = {'I':1, 'V':5, 'X':10, 'L':50, 'C':100, 'D':500, 'M':1000} roman_dict2 = {'IV':4, 'IX':9, 'XL':40, 'XC':90, 'CD':400, 'CM':900} sum_var = 0 i = 0 while(i!= (len(s))): if s[i:i+2] in roman_dict2.keys(): sum_var += roman_dict2[s[i:i+2]] i = i + 2 else: sum_var += roman_dict1[s[i]] i = i + 1 return sum_var
class Solution(object): def roman_to_int(self, s): """ :type s: str :rtype: int """ roman_dict1 = {'I': 1, 'V': 5, 'X': 10, 'L': 50, 'C': 100, 'D': 500, 'M': 1000} roman_dict2 = {'IV': 4, 'IX': 9, 'XL': 40, 'XC': 90, 'CD': 400, 'CM': 900} sum_var = 0 i = 0 while i != len(s): if s[i:i + 2] in roman_dict2.keys(): sum_var += roman_dict2[s[i:i + 2]] i = i + 2 else: sum_var += roman_dict1[s[i]] i = i + 1 return sum_var
L3_attention_mse=[{"layer_T":4, "layer_S":1, "feature":"attention", "loss":"attention_mse", "weight":1}, {"layer_T":8, "layer_S":2, "feature":"attention", "loss":"attention_mse", "weight":1}, {"layer_T":12, "layer_S":3, "feature":"attention", "loss":"attention_mse", "weight":1}] L3_attention_ce=[{"layer_T":0, "layer_S":0, "feature":"attention", "loss":"attention_ce", "weight":1}, {"layer_T":5, "layer_S":1, "feature":"attention", "loss":"attention_ce", "weight":1}, {"layer_T":11, "layer_S":2, "feature":"attention", "loss":"attention_ce", "weight":1}] L3_hybrid=[{"layer_T":[0,0], "layer_S":[0,0], "feature":"hidden", "loss":"mmd", "weight":1}, {"layer_T":[1,1], "layer_S":[1,1], "feature":"hidden", "loss":"mmd", "weight":1}, {"layer_T":[2,2], "layer_S":[2,2], "feature":"hidden", "loss":"mmd", "weight":1}, {"layer_T":[3,3],"layer_S":[3,3], "feature":"hidden", "loss":"mmd", "weight":1}, {"layer_T":1, "layer_S":1, "feature":"hidden", "loss":"hidden_ce", "weight":0.5}, {"layer_T":2, "layer_S":1, "feature":"hidden", "loss":"hidden_ce", "weight":0.5}, {"layer_T":3, "layer_S":2, "feature":"hidden", "loss":"hidden_ce", "weight":0.5}, {"layer_T":4, "layer_S":2, "feature":"hidden", "loss":"hidden_ce", "weight":0.5}, {"layer_T":5, "layer_S":3, "feature":"hidden", "loss":"hidden_ce", "weight":0.5}, {"layer_T":6, "layer_S":3, "feature":"hidden", "loss":"hidden_ce", "weight":0.5} ] L3_attention_mse_sum=[{"layer_T":4, "layer_S":1, "feature":"attention", "loss":"attention_mse_sum", "weight":1}, {"layer_T":8, "layer_S":2, "feature":"attention", "loss":"attention_mse_sum", "weight":1}, {"layer_T":12, "layer_S":3, "feature":"attention", "loss":"attention_mse_sum", "weight":1}] L3_attention_ce_mean=[{"layer_T":4, "layer_S":1, "feature":"attention", "loss":"attention_ce_mean", "weight":1}, {"layer_T":8, "layer_S":2, "feature":"attention", "loss":"attention_ce_mean", "weight":1}, {"layer_T":12, "layer_S":3, "feature":"attention", "loss":"attention_ce_mean", "weight":1}] L3_hidden_smmd=[{"layer_T":[0,0], "layer_S":[0,0], "feature":"hidden", "loss":"mmd", "weight":1}, {"layer_T":[4,4], "layer_S":[1,1], "feature":"hidden", "loss":"mmd", "weight":1}, {"layer_T":[8,8], "layer_S":[2,2], "feature":"hidden", "loss":"mmd", "weight":1}, {"layer_T":[12,12],"layer_S":[3,3], "feature":"hidden", "loss":"mmd", "weight":1}] L3n_hidden_mse=[{"layer_T":0, "layer_S":0, "feature":"hidden", "loss":"hidden_mse", "weight":1, "proj":["linear",384,768]}, {"layer_T":4, "layer_S":1, "feature":"hidden", "loss":"hidden_mse", "weight":1, "proj":["linear",384,768]}, {"layer_T":8, "layer_S":2, "feature":"hidden", "loss":"hidden_mse", "weight":1, "proj":["linear",384,768]}, {"layer_T":12,"layer_S":3, "feature":"hidden", "loss":"hidden_mse", "weight":1, "proj":["linear",384,768]}] L3_hidden_mse=[{"layer_T":0, "layer_S":0, "feature":"hidden", "loss":"hidden_mse", "weight":1}, {"layer_T":4, "layer_S":1, "feature":"hidden", "loss":"hidden_mse", "weight":1}, {"layer_T":8, "layer_S":2, "feature":"hidden", "loss":"hidden_mse", "weight":1}, {"layer_T":12,"layer_S":3, "feature":"hidden", "loss":"hidden_mse", "weight":1}] L3l_hidden_mse=[{"layer_T":0, "layer_S":0, "feature":"hidden", "loss":"hidden_mse", "weight":1, "proj":["linear",1024,768]}, {"layer_T":4, "layer_S":1, "feature":"hidden", "loss":"hidden_mse", "weight":1, "proj":["linear",1024,768]}, {"layer_T":8, "layer_S":2, "feature":"hidden", "loss":"hidden_mse", "weight":1, "proj":["linear",1024,768]}, {"layer_T":12,"layer_S":3, "feature":"hidden", "loss":"hidden_mse", "weight":1, "proj":["linear",1024,768]}] #######################L4################ L4_attention_mse=[{"layer_T":3, "layer_S":1, "feature":"attention", "loss":"attention_mse", "weight":1}, {"layer_T":6, "layer_S":2, "feature":"attention", "loss":"attention_mse", "weight":1}, {"layer_T":9, "layer_S":3, "feature":"attention", "loss":"attention_mse", "weight":1}, {"layer_T":12, "layer_S":4, "feature":"attention", "loss":"attention_mse", "weight":1}] L4_attention_ce=[{"layer_T":3, "layer_S":1, "feature":"attention", "loss":"attention_ce", "weight":1}, {"layer_T":6, "layer_S":2, "feature":"attention", "loss":"attention_ce", "weight":1}, {"layer_T":9, "layer_S":3, "feature":"attention", "loss":"attention_ce", "weight":1}, {"layer_T":12, "layer_S":4, "feature":"attention", "loss":"attention_ce", "weight":1}] L4_attention_ce_large=[{"layer_T":6, "layer_S":1, "feature":"attention", "loss":"attention_ce", "weight":1}, {"layer_T":12, "layer_S":2, "feature":"attention", "loss":"attention_ce", "weight":1}, {"layer_T":18, "layer_S":3, "feature":"attention", "loss":"attention_ce", "weight":1}, {"layer_T":24, "layer_S":4, "feature":"attention", "loss":"attention_ce", "weight":1}] L4_attention_mse_sum=[{"layer_T":3, "layer_S":1, "feature":"attention", "loss":"attention_mse_sum", "weight":1}, {"layer_T":6, "layer_S":2, "feature":"attention", "loss":"attention_mse_sum", "weight":1}, {"layer_T":9, "layer_S":3, "feature":"attention", "loss":"attention_mse_sum", "weight":1}, {"layer_T":12, "layer_S":4, "feature":"attention", "loss":"attention_mse_sum", "weight":1}] L4_attention_ce_mean=[{"layer_T":3, "layer_S":1, "feature":"attention", "loss":"attention_ce_mean", "weight":1}, {"layer_T":6, "layer_S":2, "feature":"attention", "loss":"attention_ce_mean", "weight":1}, {"layer_T":9, "layer_S":3, "feature":"attention", "loss":"attention_ce_mean", "weight":1}, {"layer_T":12, "layer_S":4, "feature":"attention", "loss":"attention_ce_mean", "weight":1}] L4_hidden_smmd=[{"layer_T":[0,0], "layer_S":[0,0], "feature":"hidden", "loss":"mmd", "weight":1}, {"layer_T":[3,3], "layer_S":[1,1], "feature":"hidden", "loss":"mmd", "weight":1}, {"layer_T":[6,6], "layer_S":[2,2], "feature":"hidden", "loss":"mmd", "weight":1}, {"layer_T":[9,9], "layer_S":[3,3], "feature":"hidden", "loss":"mmd", "weight":1}, {"layer_T":[12,12],"layer_S":[4,4], "feature":"hidden", "loss":"mmd", "weight":1}] L4_hidden_smmd_large=[{"layer_T":[20,20], "layer_S":[0,0], "feature":"hidden", "loss":"mmd", "weight":1}, {"layer_T":[21,21], "layer_S":[1,1], "feature":"hidden", "loss":"mmd", "weight":1}, {"layer_T":[22,22], "layer_S":[2,2], "feature":"hidden", "loss":"mmd", "weight":1}, {"layer_T":[23,23], "layer_S":[3,3], "feature":"hidden", "loss":"mmd", "weight":1}, {"layer_T":[24,24],"layer_S":[4,4], "feature":"hidden", "loss":"mmd", "weight":1}] L4t_hidden_mse=[{"layer_T":0, "layer_S":0, "feature":"hidden", "loss":"hidden_mse", "weight":1, "proj":["linear",384,768]}, {"layer_T":3, "layer_S":1, "feature":"hidden", "loss":"hidden_mse", "weight":1, "proj":["linear",384,768]}, {"layer_T":6, "layer_S":2, "feature":"hidden", "loss":"hidden_mse", "weight":1, "proj":["linear",384,768]}, {"layer_T":9, "layer_S":3, "feature":"hidden", "loss":"hidden_mse", "weight":1, "proj":["linear",384,768]}, {"layer_T":12,"layer_S":4, "feature":"hidden", "loss":"hidden_mse", "weight":1, "proj":["linear",384,768]}] L4t_hidden_mse_large=[{"layer_T":20, "layer_S":0, "feature":"hidden", "loss":"hidden_mse", "weight":1, "proj":["linear",384,1024]}, {"layer_T":21, "layer_S":1, "feature":"hidden", "loss":"hidden_mse", "weight":1, "proj":["linear",384,1024]}, {"layer_T":22, "layer_S":2, "feature":"hidden", "loss":"hidden_mse", "weight":1, "proj":["linear",384,1024]}, {"layer_T":23, "layer_S":3, "feature":"hidden", "loss":"hidden_mse", "weight":1, "proj":["linear",384,1024]}, {"layer_T":24,"layer_S":4, "feature":"hidden", "loss":"hidden_mse", "weight":1, "proj":["linear",384,1024]}] L4t_attention_ce_large=[{"layer_T":0, "layer_S":0, "feature":"attention", "loss":"attention_ce", "weight":1}, {"layer_T":21, "layer_S":1, "feature":"attention", "loss":"attention_ce", "weight":1}, {"layer_T":22, "layer_S":2, "feature":"attention", "loss":"attention_ce", "weight":1}, {"layer_T":23, "layer_S":3, "feature":"attention", "loss":"attention_ce", "weight":1}] L6_hidden_mse=[{"layer_T":0, "layer_S":0, "feature":"hidden", "loss":"hidden_mse", "weight":1}, {"layer_T":2, "layer_S":1, "feature":"hidden", "loss":"hidden_mse", "weight":1}, {"layer_T":4, "layer_S":2, "feature":"hidden", "loss":"hidden_mse", "weight":1}, {"layer_T":6,"layer_S":3, "feature":"hidden", "loss":"hidden_mse", "weight":1}, {"layer_T": 8, "layer_S": 4, "feature": "hidden", "loss": "hidden_mse", "weight": 1}, {"layer_T": 10, "layer_S": 5, "feature": "hidden", "loss": "hidden_mse", "weight": 1}, {"layer_T": 12, "layer_S": 6, "feature": "hidden", "loss": "hidden_mse", "weight": 1} ] L6_hidden_smmd=[{"layer_T":[0,0], "layer_S":[0,0], "feature":"hidden", "loss":"mmd", "weight":1}, {"layer_T":[2,2], "layer_S":[1,1], "feature":"hidden", "loss":"mmd", "weight":1}, {"layer_T":[4,4], "layer_S":[2,2], "feature":"hidden", "loss":"mmd", "weight":1}, {"layer_T":[6,6],"layer_S":[3,3], "feature":"hidden", "loss":"mmd", "weight":1}, {"layer_T": [8, 8], "layer_S": [4, 4], "feature": "hidden", "loss": "mmd", "weight": 1}, {"layer_T": [10, 10], "layer_S": [5, 5], "feature": "hidden", "loss": "mmd", "weight": 1}, {"layer_T": [12, 12], "layer_S": [6, 6], "feature": "hidden", "loss": "mmd", "weight": 1} ] L6_attention_ce=[{"layer_T":2, "layer_S": 1, "feature":"attention", "loss":"attention_ce", "weight":1}, {"layer_T":4, "layer_S": 2, "feature":"attention", "loss":"attention_ce", "weight":1}, {"layer_T":6, "layer_S": 3, "feature":"attention", "loss":"attention_ce", "weight":1}, {"layer_T": 8, "layer_S": 4, "feature": "attention", "loss": "attention_ce", "weight": 1}, {"layer_T": 10, "layer_S": 5, "feature": "attention", "loss": "attention_ce", "weight": 1}, {"layer_T": 12, "layer_S": 6, "feature": "attention", "loss": "attention_ce", "weight": 1} ] L6_attention_ce_mean=[{"layer_T":2, "layer_S":1, "feature":"attention", "loss":"attention_ce_mean", "weight":1}, {"layer_T":4, "layer_S":2, "feature":"attention", "loss":"attention_ce_mean", "weight":1}, {"layer_T":6, "layer_S":3, "feature":"attention", "loss":"attention_ce_mean", "weight":1}, {"layer_T": 8, "layer_S": 4, "feature": "attention", "loss": "attention_ce_mean", "weight": 1}, {"layer_T": 10, "layer_S": 5, "feature": "attention", "loss": "attention_ce_mean", "weight": 1}, {"layer_T": 12, "layer_S": 6, "feature": "attention", "loss": "attention_ce_mean", "weight": 1} ] matches={'L3_attention_mse':L3_attention_mse,'L3_attention_mse_sum':L3_attention_mse_sum, 'L3_attention_ce' :L3_attention_ce, 'L3_attention_ce_mean':L3_attention_ce_mean, 'L3n_hidden_mse' :L3n_hidden_mse, 'L3_hidden_smmd' :L3_hidden_smmd, 'L3l_hidden_mse' :L3l_hidden_mse, 'L3_hidden_mse': L3_hidden_mse, 'L4_attention_mse':L4_attention_mse,'L4_attention_mse_sum':L4_attention_mse_sum, 'L4_attention_ce' :L4_attention_ce, 'L4_attention_ce_mean':L4_attention_ce_mean, 'L4t_hidden_mse' :L4t_hidden_mse, 'L4_hidden_smmd' :L4_hidden_smmd, 'L6_hidden_mse' : L6_hidden_mse, 'L6_hidden_smmd' : L6_hidden_smmd, 'L6_attention_ce': L6_attention_ce, 'L6_attention_ce_mean': L6_attention_ce_mean, 'L3_hybrid':L3_hybrid, 'L4_hidden_smmd_large':L4_hidden_smmd_large, 'L4t_hidden_mse_large':L4t_hidden_mse_large, 'L4_attention_ce_large':L4_attention_ce_large, 'L4t_attention_ce_large': L4t_attention_ce_large }
l3_attention_mse = [{'layer_T': 4, 'layer_S': 1, 'feature': 'attention', 'loss': 'attention_mse', 'weight': 1}, {'layer_T': 8, 'layer_S': 2, 'feature': 'attention', 'loss': 'attention_mse', 'weight': 1}, {'layer_T': 12, 'layer_S': 3, 'feature': 'attention', 'loss': 'attention_mse', 'weight': 1}] l3_attention_ce = [{'layer_T': 0, 'layer_S': 0, 'feature': 'attention', 'loss': 'attention_ce', 'weight': 1}, {'layer_T': 5, 'layer_S': 1, 'feature': 'attention', 'loss': 'attention_ce', 'weight': 1}, {'layer_T': 11, 'layer_S': 2, 'feature': 'attention', 'loss': 'attention_ce', 'weight': 1}] l3_hybrid = [{'layer_T': [0, 0], 'layer_S': [0, 0], 'feature': 'hidden', 'loss': 'mmd', 'weight': 1}, {'layer_T': [1, 1], 'layer_S': [1, 1], 'feature': 'hidden', 'loss': 'mmd', 'weight': 1}, {'layer_T': [2, 2], 'layer_S': [2, 2], 'feature': 'hidden', 'loss': 'mmd', 'weight': 1}, {'layer_T': [3, 3], 'layer_S': [3, 3], 'feature': 'hidden', 'loss': 'mmd', 'weight': 1}, {'layer_T': 1, 'layer_S': 1, 'feature': 'hidden', 'loss': 'hidden_ce', 'weight': 0.5}, {'layer_T': 2, 'layer_S': 1, 'feature': 'hidden', 'loss': 'hidden_ce', 'weight': 0.5}, {'layer_T': 3, 'layer_S': 2, 'feature': 'hidden', 'loss': 'hidden_ce', 'weight': 0.5}, {'layer_T': 4, 'layer_S': 2, 'feature': 'hidden', 'loss': 'hidden_ce', 'weight': 0.5}, {'layer_T': 5, 'layer_S': 3, 'feature': 'hidden', 'loss': 'hidden_ce', 'weight': 0.5}, {'layer_T': 6, 'layer_S': 3, 'feature': 'hidden', 'loss': 'hidden_ce', 'weight': 0.5}] l3_attention_mse_sum = [{'layer_T': 4, 'layer_S': 1, 'feature': 'attention', 'loss': 'attention_mse_sum', 'weight': 1}, {'layer_T': 8, 'layer_S': 2, 'feature': 'attention', 'loss': 'attention_mse_sum', 'weight': 1}, {'layer_T': 12, 'layer_S': 3, 'feature': 'attention', 'loss': 'attention_mse_sum', 'weight': 1}] l3_attention_ce_mean = [{'layer_T': 4, 'layer_S': 1, 'feature': 'attention', 'loss': 'attention_ce_mean', 'weight': 1}, {'layer_T': 8, 'layer_S': 2, 'feature': 'attention', 'loss': 'attention_ce_mean', 'weight': 1}, {'layer_T': 12, 'layer_S': 3, 'feature': 'attention', 'loss': 'attention_ce_mean', 'weight': 1}] l3_hidden_smmd = [{'layer_T': [0, 0], 'layer_S': [0, 0], 'feature': 'hidden', 'loss': 'mmd', 'weight': 1}, {'layer_T': [4, 4], 'layer_S': [1, 1], 'feature': 'hidden', 'loss': 'mmd', 'weight': 1}, {'layer_T': [8, 8], 'layer_S': [2, 2], 'feature': 'hidden', 'loss': 'mmd', 'weight': 1}, {'layer_T': [12, 12], 'layer_S': [3, 3], 'feature': 'hidden', 'loss': 'mmd', 'weight': 1}] l3n_hidden_mse = [{'layer_T': 0, 'layer_S': 0, 'feature': 'hidden', 'loss': 'hidden_mse', 'weight': 1, 'proj': ['linear', 384, 768]}, {'layer_T': 4, 'layer_S': 1, 'feature': 'hidden', 'loss': 'hidden_mse', 'weight': 1, 'proj': ['linear', 384, 768]}, {'layer_T': 8, 'layer_S': 2, 'feature': 'hidden', 'loss': 'hidden_mse', 'weight': 1, 'proj': ['linear', 384, 768]}, {'layer_T': 12, 'layer_S': 3, 'feature': 'hidden', 'loss': 'hidden_mse', 'weight': 1, 'proj': ['linear', 384, 768]}] l3_hidden_mse = [{'layer_T': 0, 'layer_S': 0, 'feature': 'hidden', 'loss': 'hidden_mse', 'weight': 1}, {'layer_T': 4, 'layer_S': 1, 'feature': 'hidden', 'loss': 'hidden_mse', 'weight': 1}, {'layer_T': 8, 'layer_S': 2, 'feature': 'hidden', 'loss': 'hidden_mse', 'weight': 1}, {'layer_T': 12, 'layer_S': 3, 'feature': 'hidden', 'loss': 'hidden_mse', 'weight': 1}] l3l_hidden_mse = [{'layer_T': 0, 'layer_S': 0, 'feature': 'hidden', 'loss': 'hidden_mse', 'weight': 1, 'proj': ['linear', 1024, 768]}, {'layer_T': 4, 'layer_S': 1, 'feature': 'hidden', 'loss': 'hidden_mse', 'weight': 1, 'proj': ['linear', 1024, 768]}, {'layer_T': 8, 'layer_S': 2, 'feature': 'hidden', 'loss': 'hidden_mse', 'weight': 1, 'proj': ['linear', 1024, 768]}, {'layer_T': 12, 'layer_S': 3, 'feature': 'hidden', 'loss': 'hidden_mse', 'weight': 1, 'proj': ['linear', 1024, 768]}] l4_attention_mse = [{'layer_T': 3, 'layer_S': 1, 'feature': 'attention', 'loss': 'attention_mse', 'weight': 1}, {'layer_T': 6, 'layer_S': 2, 'feature': 'attention', 'loss': 'attention_mse', 'weight': 1}, {'layer_T': 9, 'layer_S': 3, 'feature': 'attention', 'loss': 'attention_mse', 'weight': 1}, {'layer_T': 12, 'layer_S': 4, 'feature': 'attention', 'loss': 'attention_mse', 'weight': 1}] l4_attention_ce = [{'layer_T': 3, 'layer_S': 1, 'feature': 'attention', 'loss': 'attention_ce', 'weight': 1}, {'layer_T': 6, 'layer_S': 2, 'feature': 'attention', 'loss': 'attention_ce', 'weight': 1}, {'layer_T': 9, 'layer_S': 3, 'feature': 'attention', 'loss': 'attention_ce', 'weight': 1}, {'layer_T': 12, 'layer_S': 4, 'feature': 'attention', 'loss': 'attention_ce', 'weight': 1}] l4_attention_ce_large = [{'layer_T': 6, 'layer_S': 1, 'feature': 'attention', 'loss': 'attention_ce', 'weight': 1}, {'layer_T': 12, 'layer_S': 2, 'feature': 'attention', 'loss': 'attention_ce', 'weight': 1}, {'layer_T': 18, 'layer_S': 3, 'feature': 'attention', 'loss': 'attention_ce', 'weight': 1}, {'layer_T': 24, 'layer_S': 4, 'feature': 'attention', 'loss': 'attention_ce', 'weight': 1}] l4_attention_mse_sum = [{'layer_T': 3, 'layer_S': 1, 'feature': 'attention', 'loss': 'attention_mse_sum', 'weight': 1}, {'layer_T': 6, 'layer_S': 2, 'feature': 'attention', 'loss': 'attention_mse_sum', 'weight': 1}, {'layer_T': 9, 'layer_S': 3, 'feature': 'attention', 'loss': 'attention_mse_sum', 'weight': 1}, {'layer_T': 12, 'layer_S': 4, 'feature': 'attention', 'loss': 'attention_mse_sum', 'weight': 1}] l4_attention_ce_mean = [{'layer_T': 3, 'layer_S': 1, 'feature': 'attention', 'loss': 'attention_ce_mean', 'weight': 1}, {'layer_T': 6, 'layer_S': 2, 'feature': 'attention', 'loss': 'attention_ce_mean', 'weight': 1}, {'layer_T': 9, 'layer_S': 3, 'feature': 'attention', 'loss': 'attention_ce_mean', 'weight': 1}, {'layer_T': 12, 'layer_S': 4, 'feature': 'attention', 'loss': 'attention_ce_mean', 'weight': 1}] l4_hidden_smmd = [{'layer_T': [0, 0], 'layer_S': [0, 0], 'feature': 'hidden', 'loss': 'mmd', 'weight': 1}, {'layer_T': [3, 3], 'layer_S': [1, 1], 'feature': 'hidden', 'loss': 'mmd', 'weight': 1}, {'layer_T': [6, 6], 'layer_S': [2, 2], 'feature': 'hidden', 'loss': 'mmd', 'weight': 1}, {'layer_T': [9, 9], 'layer_S': [3, 3], 'feature': 'hidden', 'loss': 'mmd', 'weight': 1}, {'layer_T': [12, 12], 'layer_S': [4, 4], 'feature': 'hidden', 'loss': 'mmd', 'weight': 1}] l4_hidden_smmd_large = [{'layer_T': [20, 20], 'layer_S': [0, 0], 'feature': 'hidden', 'loss': 'mmd', 'weight': 1}, {'layer_T': [21, 21], 'layer_S': [1, 1], 'feature': 'hidden', 'loss': 'mmd', 'weight': 1}, {'layer_T': [22, 22], 'layer_S': [2, 2], 'feature': 'hidden', 'loss': 'mmd', 'weight': 1}, {'layer_T': [23, 23], 'layer_S': [3, 3], 'feature': 'hidden', 'loss': 'mmd', 'weight': 1}, {'layer_T': [24, 24], 'layer_S': [4, 4], 'feature': 'hidden', 'loss': 'mmd', 'weight': 1}] l4t_hidden_mse = [{'layer_T': 0, 'layer_S': 0, 'feature': 'hidden', 'loss': 'hidden_mse', 'weight': 1, 'proj': ['linear', 384, 768]}, {'layer_T': 3, 'layer_S': 1, 'feature': 'hidden', 'loss': 'hidden_mse', 'weight': 1, 'proj': ['linear', 384, 768]}, {'layer_T': 6, 'layer_S': 2, 'feature': 'hidden', 'loss': 'hidden_mse', 'weight': 1, 'proj': ['linear', 384, 768]}, {'layer_T': 9, 'layer_S': 3, 'feature': 'hidden', 'loss': 'hidden_mse', 'weight': 1, 'proj': ['linear', 384, 768]}, {'layer_T': 12, 'layer_S': 4, 'feature': 'hidden', 'loss': 'hidden_mse', 'weight': 1, 'proj': ['linear', 384, 768]}] l4t_hidden_mse_large = [{'layer_T': 20, 'layer_S': 0, 'feature': 'hidden', 'loss': 'hidden_mse', 'weight': 1, 'proj': ['linear', 384, 1024]}, {'layer_T': 21, 'layer_S': 1, 'feature': 'hidden', 'loss': 'hidden_mse', 'weight': 1, 'proj': ['linear', 384, 1024]}, {'layer_T': 22, 'layer_S': 2, 'feature': 'hidden', 'loss': 'hidden_mse', 'weight': 1, 'proj': ['linear', 384, 1024]}, {'layer_T': 23, 'layer_S': 3, 'feature': 'hidden', 'loss': 'hidden_mse', 'weight': 1, 'proj': ['linear', 384, 1024]}, {'layer_T': 24, 'layer_S': 4, 'feature': 'hidden', 'loss': 'hidden_mse', 'weight': 1, 'proj': ['linear', 384, 1024]}] l4t_attention_ce_large = [{'layer_T': 0, 'layer_S': 0, 'feature': 'attention', 'loss': 'attention_ce', 'weight': 1}, {'layer_T': 21, 'layer_S': 1, 'feature': 'attention', 'loss': 'attention_ce', 'weight': 1}, {'layer_T': 22, 'layer_S': 2, 'feature': 'attention', 'loss': 'attention_ce', 'weight': 1}, {'layer_T': 23, 'layer_S': 3, 'feature': 'attention', 'loss': 'attention_ce', 'weight': 1}] l6_hidden_mse = [{'layer_T': 0, 'layer_S': 0, 'feature': 'hidden', 'loss': 'hidden_mse', 'weight': 1}, {'layer_T': 2, 'layer_S': 1, 'feature': 'hidden', 'loss': 'hidden_mse', 'weight': 1}, {'layer_T': 4, 'layer_S': 2, 'feature': 'hidden', 'loss': 'hidden_mse', 'weight': 1}, {'layer_T': 6, 'layer_S': 3, 'feature': 'hidden', 'loss': 'hidden_mse', 'weight': 1}, {'layer_T': 8, 'layer_S': 4, 'feature': 'hidden', 'loss': 'hidden_mse', 'weight': 1}, {'layer_T': 10, 'layer_S': 5, 'feature': 'hidden', 'loss': 'hidden_mse', 'weight': 1}, {'layer_T': 12, 'layer_S': 6, 'feature': 'hidden', 'loss': 'hidden_mse', 'weight': 1}] l6_hidden_smmd = [{'layer_T': [0, 0], 'layer_S': [0, 0], 'feature': 'hidden', 'loss': 'mmd', 'weight': 1}, {'layer_T': [2, 2], 'layer_S': [1, 1], 'feature': 'hidden', 'loss': 'mmd', 'weight': 1}, {'layer_T': [4, 4], 'layer_S': [2, 2], 'feature': 'hidden', 'loss': 'mmd', 'weight': 1}, {'layer_T': [6, 6], 'layer_S': [3, 3], 'feature': 'hidden', 'loss': 'mmd', 'weight': 1}, {'layer_T': [8, 8], 'layer_S': [4, 4], 'feature': 'hidden', 'loss': 'mmd', 'weight': 1}, {'layer_T': [10, 10], 'layer_S': [5, 5], 'feature': 'hidden', 'loss': 'mmd', 'weight': 1}, {'layer_T': [12, 12], 'layer_S': [6, 6], 'feature': 'hidden', 'loss': 'mmd', 'weight': 1}] l6_attention_ce = [{'layer_T': 2, 'layer_S': 1, 'feature': 'attention', 'loss': 'attention_ce', 'weight': 1}, {'layer_T': 4, 'layer_S': 2, 'feature': 'attention', 'loss': 'attention_ce', 'weight': 1}, {'layer_T': 6, 'layer_S': 3, 'feature': 'attention', 'loss': 'attention_ce', 'weight': 1}, {'layer_T': 8, 'layer_S': 4, 'feature': 'attention', 'loss': 'attention_ce', 'weight': 1}, {'layer_T': 10, 'layer_S': 5, 'feature': 'attention', 'loss': 'attention_ce', 'weight': 1}, {'layer_T': 12, 'layer_S': 6, 'feature': 'attention', 'loss': 'attention_ce', 'weight': 1}] l6_attention_ce_mean = [{'layer_T': 2, 'layer_S': 1, 'feature': 'attention', 'loss': 'attention_ce_mean', 'weight': 1}, {'layer_T': 4, 'layer_S': 2, 'feature': 'attention', 'loss': 'attention_ce_mean', 'weight': 1}, {'layer_T': 6, 'layer_S': 3, 'feature': 'attention', 'loss': 'attention_ce_mean', 'weight': 1}, {'layer_T': 8, 'layer_S': 4, 'feature': 'attention', 'loss': 'attention_ce_mean', 'weight': 1}, {'layer_T': 10, 'layer_S': 5, 'feature': 'attention', 'loss': 'attention_ce_mean', 'weight': 1}, {'layer_T': 12, 'layer_S': 6, 'feature': 'attention', 'loss': 'attention_ce_mean', 'weight': 1}] matches = {'L3_attention_mse': L3_attention_mse, 'L3_attention_mse_sum': L3_attention_mse_sum, 'L3_attention_ce': L3_attention_ce, 'L3_attention_ce_mean': L3_attention_ce_mean, 'L3n_hidden_mse': L3n_hidden_mse, 'L3_hidden_smmd': L3_hidden_smmd, 'L3l_hidden_mse': L3l_hidden_mse, 'L3_hidden_mse': L3_hidden_mse, 'L4_attention_mse': L4_attention_mse, 'L4_attention_mse_sum': L4_attention_mse_sum, 'L4_attention_ce': L4_attention_ce, 'L4_attention_ce_mean': L4_attention_ce_mean, 'L4t_hidden_mse': L4t_hidden_mse, 'L4_hidden_smmd': L4_hidden_smmd, 'L6_hidden_mse': L6_hidden_mse, 'L6_hidden_smmd': L6_hidden_smmd, 'L6_attention_ce': L6_attention_ce, 'L6_attention_ce_mean': L6_attention_ce_mean, 'L3_hybrid': L3_hybrid, 'L4_hidden_smmd_large': L4_hidden_smmd_large, 'L4t_hidden_mse_large': L4t_hidden_mse_large, 'L4_attention_ce_large': L4_attention_ce_large, 'L4t_attention_ce_large': L4t_attention_ce_large}
class TableEntryPJC: def __init__(self, rli, wi, rlj, wj, rlij, wij): self.rli = rli self.rlj = rlj self.rlij = rlij self.wi = wi self.wj = wj self.wij = wij def __str__(self): res = "" res = res + " " + str(self.rli) + " : " + str(self.wi) + "\n" res = res + " " + str(self.rlj) + " : " + str(self.wj) + "\n" res = res + " " + str(self.rlij) + " : " + str(self.wij) + "\n" return res def __eq__(self, other): return self.__dict__ == other.__dict__
class Tableentrypjc: def __init__(self, rli, wi, rlj, wj, rlij, wij): self.rli = rli self.rlj = rlj self.rlij = rlij self.wi = wi self.wj = wj self.wij = wij def __str__(self): res = '' res = res + ' ' + str(self.rli) + ' : ' + str(self.wi) + '\n' res = res + ' ' + str(self.rlj) + ' : ' + str(self.wj) + '\n' res = res + ' ' + str(self.rlij) + ' : ' + str(self.wij) + '\n' return res def __eq__(self, other): return self.__dict__ == other.__dict__
""" The Datatable app is responsible for generating and returning visualization data for specific configurations of dimensions and filters. """
""" The Datatable app is responsible for generating and returning visualization data for specific configurations of dimensions and filters. """
def pagesNumberingWithInk(current, numberOfDigits): currentNumberOfDigits = len(str(current)) while numberOfDigits >= currentNumberOfDigits: numberOfDigits -= currentNumberOfDigits current += 1 currentNumberOfDigits = len(str(current)) return current-1 if __name__ == '__main__': input0 = [1, 21, 8, 21, 76, 80] input1 = [5, 5, 4, 6, 250, 1000] expectedOutput = [5, 22, 10, 23, 166, 419] assert len(input0) == len(expectedOutput), '# input0 = {}, # expectedOutput = {}'.format(len(input0), len(expectedOutput)) assert len(input1) == len(expectedOutput), '# input1 = {}, # expectedOutput = {}'.format(len(input1), len(expectedOutput)) for i, expected in enumerate(expectedOutput): actual = pagesNumberingWithInk(input0[i], input1[i]) assert actual == expected, 'pagesNumberingWithInk({}, {}) returned {}, but expected {}'.format(input0[i], input1[i], actual, expected) print('PASSES {} out of {} tests'.format(len(expectedOutput), len(expectedOutput)))
def pages_numbering_with_ink(current, numberOfDigits): current_number_of_digits = len(str(current)) while numberOfDigits >= currentNumberOfDigits: number_of_digits -= currentNumberOfDigits current += 1 current_number_of_digits = len(str(current)) return current - 1 if __name__ == '__main__': input0 = [1, 21, 8, 21, 76, 80] input1 = [5, 5, 4, 6, 250, 1000] expected_output = [5, 22, 10, 23, 166, 419] assert len(input0) == len(expectedOutput), '# input0 = {}, # expectedOutput = {}'.format(len(input0), len(expectedOutput)) assert len(input1) == len(expectedOutput), '# input1 = {}, # expectedOutput = {}'.format(len(input1), len(expectedOutput)) for (i, expected) in enumerate(expectedOutput): actual = pages_numbering_with_ink(input0[i], input1[i]) assert actual == expected, 'pagesNumberingWithInk({}, {}) returned {}, but expected {}'.format(input0[i], input1[i], actual, expected) print('PASSES {} out of {} tests'.format(len(expectedOutput), len(expectedOutput)))
class PrintHelper: @staticmethod def PrintBanner(printStr, sep='='): bannerStr = sep * len(printStr) print(bannerStr) print(printStr) print(bannerStr)
class Printhelper: @staticmethod def print_banner(printStr, sep='='): banner_str = sep * len(printStr) print(bannerStr) print(printStr) print(bannerStr)
#!/usr/bin/env python # -*- coding: utf-8 -*- # This script allows to split an input tf.data.TFRecords dataset # to training and test dataset using the input split proportions. # Optionally, the user can request to get a validation dataset # by passing a float value to the variable `valid_chunk`. # # Author: Davide Lomeo # Email: davide.lomeo20@imperial.ac.uk # GitHub: https://github.com/acse-2020/acse2020-acse9-finalreport-acse-dl1420-3 # Date: 22 July 2021 # Version: 0.1.0 __all__ = ['dataset_split'] def dataset_split(dataset, tot_patches, training_chunk, test_chunk, valid_chunk=None): """ Function that splits the input data into training and test datasets. The function expects at least two floating points between 0.0 and 1.0 to define the proportions of the split. Additionally, the user has the option to add a third float if wanting to obtain a validation dataset. Parameters ---------- dataset : tf.data.TFRecordDataset The TFRecords loaded as a tensorflow dataset tot_patches : int The number of records in the input dataset training_chunk : float The proportion of records to use as training dataset test_chunk : float The proportion of records to use as test dataset valid_chunk : float, optional The proportion of records to use as validation dataset Returns ------- training_dataset, test dataset, (optional, validation dataset) The datasets obtained with the split (speficically in this order) """ # Series of check to ensure that all the parameters are valid error_messages = [] if (tot_patches < 0) | (not isinstance(tot_patches, int)): error_messages.append( 'ERROR: the number of patches needs to be a positive number') elif (training_chunk < 0.0) | (training_chunk > 1.0) | \ (test_chunk < 0.0) | (test_chunk > 1.0): error_messages.append( 'ERROR: the proportions need to be between 0.0 and 1.0') elif (training_chunk + test_chunk != 1.0) & (not valid_chunk): error_messages.append( 'ERROR: the proportions need to add up to exactly 1.0') if valid_chunk: if (valid_chunk < 0.0) | (valid_chunk > 1.0): error_messages.append( 'ERROR: the proportions need to be between 0.0 and 1.0') elif (training_chunk + test_chunk + valid_chunk) != 1.0: error_messages.append( 'ERROR: the proportions need to add up to exactly 1.0') if error_messages != []: print(*error_messages, sep='\n') if valid_chunk: return None, None, None else: return None, None # shuffling the dataset to avoid biases full_dataset = dataset.shuffle(10) # Defining the size of both training and test datasets train_size = int(training_chunk * tot_patches) test_size = int(test_chunk * tot_patches) # Checking if a number for the validation split has been # provided and define its size if valid_chunk: valid_size = int(valid_chunk * tot_patches) # Assigning TFRecords to training and test datasets training_ds = full_dataset.take(train_size) test_ds = full_dataset.skip(train_size) if (test_chunk >= training_chunk): print('''WARNING: the script executed succesfully, but note that the test set was set to be larger than the training dataset.\n''') # Assigning TFRecords to validation dataset if valid_chunk: validation_ds = test_ds.skip(valid_size) test_ds = test_ds.take(test_size) if (valid_chunk >= training_chunk): print('''WARNING: the script executed succesfully, but note that the valid. set was set to be larger than the training dataset.\n''') print('Training size: {}\nTest size: {}\nValidation size: {}'. format( train_size, test_size, valid_size)) return training_ds, test_ds, validation_ds print('Training size: {}\nTest size: {}'. format( train_size, test_size)) return training_ds, test_ds
__all__ = ['dataset_split'] def dataset_split(dataset, tot_patches, training_chunk, test_chunk, valid_chunk=None): """ Function that splits the input data into training and test datasets. The function expects at least two floating points between 0.0 and 1.0 to define the proportions of the split. Additionally, the user has the option to add a third float if wanting to obtain a validation dataset. Parameters ---------- dataset : tf.data.TFRecordDataset The TFRecords loaded as a tensorflow dataset tot_patches : int The number of records in the input dataset training_chunk : float The proportion of records to use as training dataset test_chunk : float The proportion of records to use as test dataset valid_chunk : float, optional The proportion of records to use as validation dataset Returns ------- training_dataset, test dataset, (optional, validation dataset) The datasets obtained with the split (speficically in this order) """ error_messages = [] if (tot_patches < 0) | (not isinstance(tot_patches, int)): error_messages.append('ERROR: the number of patches needs to be a positive number') elif (training_chunk < 0.0) | (training_chunk > 1.0) | (test_chunk < 0.0) | (test_chunk > 1.0): error_messages.append('ERROR: the proportions need to be between 0.0 and 1.0') elif (training_chunk + test_chunk != 1.0) & (not valid_chunk): error_messages.append('ERROR: the proportions need to add up to exactly 1.0') if valid_chunk: if (valid_chunk < 0.0) | (valid_chunk > 1.0): error_messages.append('ERROR: the proportions need to be between 0.0 and 1.0') elif training_chunk + test_chunk + valid_chunk != 1.0: error_messages.append('ERROR: the proportions need to add up to exactly 1.0') if error_messages != []: print(*error_messages, sep='\n') if valid_chunk: return (None, None, None) else: return (None, None) full_dataset = dataset.shuffle(10) train_size = int(training_chunk * tot_patches) test_size = int(test_chunk * tot_patches) if valid_chunk: valid_size = int(valid_chunk * tot_patches) training_ds = full_dataset.take(train_size) test_ds = full_dataset.skip(train_size) if test_chunk >= training_chunk: print('WARNING: the script executed succesfully, but note that the\n test set was set to be larger than the training dataset.\n') if valid_chunk: validation_ds = test_ds.skip(valid_size) test_ds = test_ds.take(test_size) if valid_chunk >= training_chunk: print('WARNING: the script executed succesfully, but note that the\n valid. set was set to be larger than the training dataset.\n') print('Training size: {}\nTest size: {}\nValidation size: {}'.format(train_size, test_size, valid_size)) return (training_ds, test_ds, validation_ds) print('Training size: {}\nTest size: {}'.format(train_size, test_size)) return (training_ds, test_ds)
bridgelist = [] with open('input.txt') as infile: for line in infile.readlines(): i, o = line.strip().split('/') i, o = int(i), int(o) bridgelist.append((i,o,)) maxlen = 0 maxstrength = 0 def build_bridge(bridgelist, already_used=None, current_value=0, connector_used=0, current_length=0): if already_used == None: already_used = ((0,0),) is_end = True local_max_length = 0 local_max_strength = 0 for candidate in filter(lambda x: connector_used in x, bridgelist): if candidate not in already_used: is_end = False begin, end = candidate connects_to = end if begin == connector_used else begin used_now = already_used + (candidate,) value, length = build_bridge(bridgelist, already_used=used_now, current_value=(current_value+sum(candidate)), connector_used=connects_to, current_length=current_length+1) # global maxlen # global maxstrength # if length > maxlen: # maxlen = length # maxstrength = value # elif length == maxlen: # maxstrength = max(maxstrength, value) if length > local_max_length: local_max_length = length local_max_strength = value elif length == local_max_length: if value > local_max_strength: local_max_strength = value if is_end: # print('Found end of bridge') return current_value, current_length else: return local_max_strength, local_max_length print(build_bridge(bridgelist)) # print(maxlen, maxstrength)
bridgelist = [] with open('input.txt') as infile: for line in infile.readlines(): (i, o) = line.strip().split('/') (i, o) = (int(i), int(o)) bridgelist.append((i, o)) maxlen = 0 maxstrength = 0 def build_bridge(bridgelist, already_used=None, current_value=0, connector_used=0, current_length=0): if already_used == None: already_used = ((0, 0),) is_end = True local_max_length = 0 local_max_strength = 0 for candidate in filter(lambda x: connector_used in x, bridgelist): if candidate not in already_used: is_end = False (begin, end) = candidate connects_to = end if begin == connector_used else begin used_now = already_used + (candidate,) (value, length) = build_bridge(bridgelist, already_used=used_now, current_value=current_value + sum(candidate), connector_used=connects_to, current_length=current_length + 1) if length > local_max_length: local_max_length = length local_max_strength = value elif length == local_max_length: if value > local_max_strength: local_max_strength = value if is_end: return (current_value, current_length) else: return (local_max_strength, local_max_length) print(build_bridge(bridgelist))
# Definition for a binary tree node. class TreeNode(object): def __init__(self, x): self.val = x self.left = None self.right = None class Solution(object): def findSecondMinimumValue(self, root): """ :type root: TreeNode :rtype: int """ f, s = self.find(root, root.val, root.val) if f == s: return -1 return s def find(self, node, first, second): f = first s = second if node: if first == second: if node.val > second: s = node.val else: if node.val < first: s = f f = node.val elif node.val > first and node.val < second: s = node.val f, s = self.find(node.left, f, s) f, s = self.find(node.right, f, s) return f, s def test_find_second_minimum_value(): s = Solution() a = TreeNode(2) b = TreeNode(2) c = TreeNode(5) d = TreeNode(5) e = TreeNode(7) a.left = b a.right = c c.left = d c.right = e assert 5 == s.findSecondMinimumValue(a) a = TreeNode(2) b = TreeNode(2) c = TreeNode(2) a.left = b a.right = c assert -1 == s.findSecondMinimumValue(a)
class Treenode(object): def __init__(self, x): self.val = x self.left = None self.right = None class Solution(object): def find_second_minimum_value(self, root): """ :type root: TreeNode :rtype: int """ (f, s) = self.find(root, root.val, root.val) if f == s: return -1 return s def find(self, node, first, second): f = first s = second if node: if first == second: if node.val > second: s = node.val elif node.val < first: s = f f = node.val elif node.val > first and node.val < second: s = node.val (f, s) = self.find(node.left, f, s) (f, s) = self.find(node.right, f, s) return (f, s) def test_find_second_minimum_value(): s = solution() a = tree_node(2) b = tree_node(2) c = tree_node(5) d = tree_node(5) e = tree_node(7) a.left = b a.right = c c.left = d c.right = e assert 5 == s.findSecondMinimumValue(a) a = tree_node(2) b = tree_node(2) c = tree_node(2) a.left = b a.right = c assert -1 == s.findSecondMinimumValue(a)
__author__ = 'lrebuffi' """ ========= Associate ========= Widgets for association rules. """ # Category description for the widget registry NAME = "Wavepy - Diagnostic" DESCRIPTION = "Widgets for WavePy - Diagnostic" BACKGROUND = "#01DFA5" #"#A9F5BC" ICON = "icons/wavepy.png" PRIORITY = 0.2
__author__ = 'lrebuffi' '\n=========\nAssociate\n=========\n\nWidgets for association rules.\n\n' name = 'Wavepy - Diagnostic' description = 'Widgets for WavePy - Diagnostic' background = '#01DFA5' icon = 'icons/wavepy.png' priority = 0.2
class UsernameConverters: regex= '[a-zA-Z0-9]{5,20}' def to_python(self,value): return str(value) def to_url(self,value): return str(value) class MobileConverter: regex = '1[3-9]\d{9}' def to_python(self,value): return str(value) def to_url(self,value): return str(value)
class Usernameconverters: regex = '[a-zA-Z0-9]{5,20}' def to_python(self, value): return str(value) def to_url(self, value): return str(value) class Mobileconverter: regex = '1[3-9]\\d{9}' def to_python(self, value): return str(value) def to_url(self, value): return str(value)
c, d = None, None def setup(): size(800, 800) global c, d c= color(random(255), random(255), random(255)) d= color(random(255), random(255), random(255)) def draw(): global c, d for x in range(width): # loop through every x p = lerpColor(c, d, 1.0 * x/width) stroke(p) line(x, 0, x, height) def mousePressed(): global c, d c= color(random(255), random(255), random(255)) d= color(random(255), random(255), random(255))
(c, d) = (None, None) def setup(): size(800, 800) global c, d c = color(random(255), random(255), random(255)) d = color(random(255), random(255), random(255)) def draw(): global c, d for x in range(width): p = lerp_color(c, d, 1.0 * x / width) stroke(p) line(x, 0, x, height) def mouse_pressed(): global c, d c = color(random(255), random(255), random(255)) d = color(random(255), random(255), random(255))
n,c = map(int,raw_input().split()) i = 0 while i<c : if [char for char in str(n)][-1] == "0" : n=n/10 else : n-=1 i+=1 print(n)
(n, c) = map(int, raw_input().split()) i = 0 while i < c: if [char for char in str(n)][-1] == '0': n = n / 10 else: n -= 1 i += 1 print(n)
""" We are given a list schedule of employees, which represents the working time for each employee. Each employee has a list of non-overlapping Intervals, and these intervals are in sorted order. Return the list of finite intervals representing common, positive-length free time for all employees, also in sorted order. (Even though we are representing Intervals in the form [x, y], the objects inside are Intervals, not lists or arrays. For example, schedule[0][0].start = 1, schedule[0][0].end = 2, and schedule[0][0][0] is not defined). Also, we wouldn't include intervals like [5, 5] in our answer, as they have zero length. Example 1: Input: schedule = [ [[1,2],[5,6]], [[1,3]], [[4,10]] ] Output: [[3,4]] 1 [1,2] [5,6] 2 [1, 3] 3 [4, 10] Explanation: There are a total of three employees, and all common free time intervals would be [-inf, 1], [3, 4], [10, inf]. We discard any intervals that contain inf as they aren't finite. IDEA: """ class Solution759: pass
""" We are given a list schedule of employees, which represents the working time for each employee. Each employee has a list of non-overlapping Intervals, and these intervals are in sorted order. Return the list of finite intervals representing common, positive-length free time for all employees, also in sorted order. (Even though we are representing Intervals in the form [x, y], the objects inside are Intervals, not lists or arrays. For example, schedule[0][0].start = 1, schedule[0][0].end = 2, and schedule[0][0][0] is not defined). Also, we wouldn't include intervals like [5, 5] in our answer, as they have zero length. Example 1: Input: schedule = [ [[1,2],[5,6]], [[1,3]], [[4,10]] ] Output: [[3,4]] 1 [1,2] [5,6] 2 [1, 3] 3 [4, 10] Explanation: There are a total of three employees, and all common free time intervals would be [-inf, 1], [3, 4], [10, inf]. We discard any intervals that contain inf as they aren't finite. IDEA: """ class Solution759: pass
def factorial(n) -> int: if n == 0: return 1 return n * factorial(n - 1) if __name__ == "__main__": print(factorial(0)) print(factorial(1)) print(factorial(2)) print(factorial(3)) print(factorial(4)) print(factorial(5)) print(factorial(9)) print(factorial(20))
def factorial(n) -> int: if n == 0: return 1 return n * factorial(n - 1) if __name__ == '__main__': print(factorial(0)) print(factorial(1)) print(factorial(2)) print(factorial(3)) print(factorial(4)) print(factorial(5)) print(factorial(9)) print(factorial(20))
""" Python script made/used by Sean Klein (smklein). Used to quickly navigate between multiple repositories. """ home = "~" prefix_dir = home + "/path/prefix" dir_info =\ ["CATEGORY:", {"directory": prefix_dir + "/dirname", "build": """ # Updates DEPS make deps # Actually builds sources. Defaults to "MODE=opt-linux". make sources please""", "test": """ make this test pass please # Runs tests""", "link": """ # Use as many links as you want! http://www.chromium.org/nativeclient/how-tos/build-tcb # Like this: https://google.com""", "other": """ Put more info here!"""}, {"directory": prefix_dir + "/asdfasdfasdf/"}, {"directory": prefix_dir + "/asdfasdf"}, {"directory": prefix_dir + "/asdf"}, ]
""" Python script made/used by Sean Klein (smklein). Used to quickly navigate between multiple repositories. """ home = '~' prefix_dir = home + '/path/prefix' dir_info = ['CATEGORY:', {'directory': prefix_dir + '/dirname', 'build': '\n # Updates DEPS\n make deps\n # Actually builds sources. Defaults to "MODE=opt-linux".\n make sources please', 'test': '\n make this test pass please # Runs tests', 'link': '\n # Use as many links as you want!\n http://www.chromium.org/nativeclient/how-tos/build-tcb\n # Like this:\n https://google.com', 'other': '\n Put more info here!'}, {'directory': prefix_dir + '/asdfasdfasdf/'}, {'directory': prefix_dir + '/asdfasdf'}, {'directory': prefix_dir + '/asdf'}]
# CPU: 0.06 s for _ in range(int(input())): tc_no, num = input().split() try: oct_num = int(num, 8) except ValueError: oct_num = 0 # Idk why but you have to convert num to int before printing (or else 'Wrong answer') print(tc_no, oct_num, int(num), int(num, 16))
for _ in range(int(input())): (tc_no, num) = input().split() try: oct_num = int(num, 8) except ValueError: oct_num = 0 print(tc_no, oct_num, int(num), int(num, 16))
# -*- coding: utf-8 -*- # This file is part of the Ingram Micro Cloud Blue Connect connect-cli. # Copyright (c) 2019-2021 Ingram Micro. All Rights Reserved. ITEMS_COLS_HEADERS = { 'A': 'ID', 'B': 'MPN', 'C': 'Action', 'D': 'Name', 'E': 'Description', 'F': 'Type', 'G': 'Precision', 'H': 'Unit', 'I': 'Billing Period', 'J': 'Commitment', 'K': 'Status', 'L': 'Created', 'M': 'Modified', } PARAMS_COLS_HEADERS = { 'A': 'Verbose ID', 'B': 'ID', 'C': 'Action', 'D': 'Title', 'E': 'Description', 'F': 'Phase', 'G': 'Scope', 'H': 'Type', 'I': 'Required', 'J': 'Unique', 'K': 'Hidden', 'L': 'JSON Properties', 'M': 'Created', 'N': 'Modified', } MEDIA_COLS_HEADERS = { 'A': 'Position', 'B': 'ID', 'C': 'Action', 'D': 'Type', 'E': 'Image File', 'F': 'Video URL Location', } CAPABILITIES_COLS_HEADERS = { 'A': 'Capability', 'B': 'Action', 'C': 'Value', } STATIC_LINK_HEADERS = { 'A': 'Type', 'B': 'Title', 'C': 'Action', 'D': 'Url', } TEMPLATES_HEADERS = { 'A': 'ID', 'B': 'Title', 'C': 'Action', 'D': 'Scope', 'E': 'Type', 'F': 'Content', 'G': 'Created', 'H': 'Modified', } CONFIGURATION_HEADERS = { 'A': 'ID', 'B': 'Parameter', 'C': 'Scope', 'D': 'Action', 'E': 'Item ID', 'F': 'Item Name', 'G': 'Marketplace ID', 'H': 'Marketplace Name', 'I': 'Value', } ACTIONS_HEADERS = { 'A': 'Verbose ID', 'B': 'ID', 'C': 'Action', 'D': 'Name', 'E': 'Title', 'F': 'Description', 'G': 'Scope', 'H': 'Created', 'I': 'Modified', } PARAM_TYPES = [ 'email', 'address', 'checkbox', 'choice', 'domain', 'subdomain', 'url', 'dropdown', 'object', 'password', 'phone', 'text', ] PRECISIONS = ('integer', 'decimal(1)', 'decimal(2)', 'decimal(4)', 'decimal(8)') COMMITMENT = ('-', '1 year', '2 years', '3 years', '4 years', '5 years') BILLING_PERIOD = ( 'onetime', 'monthly', 'yearly', '2 years', '3 years', '4 years', '5 years', ) CAPABILITIES = ( 'Pay-as-you-go support and schema', 'Pay-as-you-go dynamic items support', 'Pay-as-you-go future charges support', 'Consumption reporting for Reservation Items', 'Dynamic Validation of the Draft Requests', 'Dynamic Validation of the Inquiring Form', 'Reseller Authorization Level', 'Tier Accounts Sync', 'Administrative Hold', )
items_cols_headers = {'A': 'ID', 'B': 'MPN', 'C': 'Action', 'D': 'Name', 'E': 'Description', 'F': 'Type', 'G': 'Precision', 'H': 'Unit', 'I': 'Billing Period', 'J': 'Commitment', 'K': 'Status', 'L': 'Created', 'M': 'Modified'} params_cols_headers = {'A': 'Verbose ID', 'B': 'ID', 'C': 'Action', 'D': 'Title', 'E': 'Description', 'F': 'Phase', 'G': 'Scope', 'H': 'Type', 'I': 'Required', 'J': 'Unique', 'K': 'Hidden', 'L': 'JSON Properties', 'M': 'Created', 'N': 'Modified'} media_cols_headers = {'A': 'Position', 'B': 'ID', 'C': 'Action', 'D': 'Type', 'E': 'Image File', 'F': 'Video URL Location'} capabilities_cols_headers = {'A': 'Capability', 'B': 'Action', 'C': 'Value'} static_link_headers = {'A': 'Type', 'B': 'Title', 'C': 'Action', 'D': 'Url'} templates_headers = {'A': 'ID', 'B': 'Title', 'C': 'Action', 'D': 'Scope', 'E': 'Type', 'F': 'Content', 'G': 'Created', 'H': 'Modified'} configuration_headers = {'A': 'ID', 'B': 'Parameter', 'C': 'Scope', 'D': 'Action', 'E': 'Item ID', 'F': 'Item Name', 'G': 'Marketplace ID', 'H': 'Marketplace Name', 'I': 'Value'} actions_headers = {'A': 'Verbose ID', 'B': 'ID', 'C': 'Action', 'D': 'Name', 'E': 'Title', 'F': 'Description', 'G': 'Scope', 'H': 'Created', 'I': 'Modified'} param_types = ['email', 'address', 'checkbox', 'choice', 'domain', 'subdomain', 'url', 'dropdown', 'object', 'password', 'phone', 'text'] precisions = ('integer', 'decimal(1)', 'decimal(2)', 'decimal(4)', 'decimal(8)') commitment = ('-', '1 year', '2 years', '3 years', '4 years', '5 years') billing_period = ('onetime', 'monthly', 'yearly', '2 years', '3 years', '4 years', '5 years') capabilities = ('Pay-as-you-go support and schema', 'Pay-as-you-go dynamic items support', 'Pay-as-you-go future charges support', 'Consumption reporting for Reservation Items', 'Dynamic Validation of the Draft Requests', 'Dynamic Validation of the Inquiring Form', 'Reseller Authorization Level', 'Tier Accounts Sync', 'Administrative Hold')
class TreeNode: def __init__(self, x): self.val = x self.left = None self.right = None def maxDepth(root: TreeNode) -> int: if not root: return 0 height = 0 queue = [root] while queue: size = len(queue) height += 1 stack = [] while size != 0: node = queue.pop() if node.left: stack.append(node.left) if node.right: stack.append(node.right) size -= 1 queue.extend(stack) return height if __name__ == "__main__" : node = TreeNode(3) node.left = TreeNode(9) node.left.left = TreeNode(5) node.left.right = TreeNode(8) node.right = TreeNode(20) node.right.left = TreeNode(15) node.right.right = TreeNode(7) result = maxDepth(node) print(result)
class Treenode: def __init__(self, x): self.val = x self.left = None self.right = None def max_depth(root: TreeNode) -> int: if not root: return 0 height = 0 queue = [root] while queue: size = len(queue) height += 1 stack = [] while size != 0: node = queue.pop() if node.left: stack.append(node.left) if node.right: stack.append(node.right) size -= 1 queue.extend(stack) return height if __name__ == '__main__': node = tree_node(3) node.left = tree_node(9) node.left.left = tree_node(5) node.left.right = tree_node(8) node.right = tree_node(20) node.right.left = tree_node(15) node.right.right = tree_node(7) result = max_depth(node) print(result)
"""EduuRobot Core!""" # SPDX-License-Identifier: MIT # Copyright (c) 2018-2021 Amano Team __version__ = "2.0.0-beta"
"""EduuRobot Core!""" __version__ = '2.0.0-beta'
class PublishedEvent(object): def __init__(self, draft, public): self.draft = draft self.public = public
class Publishedevent(object): def __init__(self, draft, public): self.draft = draft self.public = public
""" The Sims 4 Community Library is licensed under the Creative Commons Attribution 4.0 International public license (CC BY 4.0). https://creativecommons.org/licenses/by/4.0/ https://creativecommons.org/licenses/by/4.0/legalcode Copyright (c) COLONOLNUTTY """ class CommonDialogNavigationButtonTag: """ Tags applied to the navigation buttons of a dialog. """ PREVIOUS = 'S4CL_PREVIOUS' NEXT = 'S4CL_NEXT'
""" The Sims 4 Community Library is licensed under the Creative Commons Attribution 4.0 International public license (CC BY 4.0). https://creativecommons.org/licenses/by/4.0/ https://creativecommons.org/licenses/by/4.0/legalcode Copyright (c) COLONOLNUTTY """ class Commondialognavigationbuttontag: """ Tags applied to the navigation buttons of a dialog. """ previous = 'S4CL_PREVIOUS' next = 'S4CL_NEXT'
# Carson (2111000) | Zenumist Society (261000010) experiment = 3310 closedLab = 926120100 if sm.hasQuest(experiment): control = sm.sendAskYesNo("Do you want to go to the closed laboratory and try controlling the Homun?") if control: sm.sendNext("Concentrate...! It won't be an easy task trying to control the Magic Pentragram that triggers Homun's rage.") sm.warpInstanceIn(closedLab, False) else: sm.sendSayOkay("Alchemy and its alchemists are important. However, to have the town of Magatia bear this burden... " "Magatia's integrity must be preserved. Do you have the power to protect the town of alchemists?")
experiment = 3310 closed_lab = 926120100 if sm.hasQuest(experiment): control = sm.sendAskYesNo('Do you want to go to the closed laboratory and try controlling the Homun?') if control: sm.sendNext("Concentrate...! It won't be an easy task trying to control the Magic Pentragram that triggers Homun's rage.") sm.warpInstanceIn(closedLab, False) else: sm.sendSayOkay("Alchemy and its alchemists are important. However, to have the town of Magatia bear this burden... Magatia's integrity must be preserved. Do you have the power to protect the town of alchemists?")
t=int(input()) for i in range(0,t): str=input() c=0 for j in range(0,len(str)): ch=str[j] if(ch=='a' or ch=='e' or ch=='i' or ch=='o' or ch=='u' or ch=='A' or ch=='E' or ch=='I' or ch=='O' or ch=='U'): c=c+(len(str)-j)*(j+1) print(c)
t = int(input()) for i in range(0, t): str = input() c = 0 for j in range(0, len(str)): ch = str[j] if ch == 'a' or ch == 'e' or ch == 'i' or (ch == 'o') or (ch == 'u') or (ch == 'A') or (ch == 'E') or (ch == 'I') or (ch == 'O') or (ch == 'U'): c = c + (len(str) - j) * (j + 1) print(c)
class Solution: def largestUniqueNumber(self, A: List[int]) -> int: counter = Counter(A) for num, freq in sorted(counter.items(), reverse = True): if freq == 1: return num return -1
class Solution: def largest_unique_number(self, A: List[int]) -> int: counter = counter(A) for (num, freq) in sorted(counter.items(), reverse=True): if freq == 1: return num return -1
class Solution: def totalMoney(self, n: int) -> int: # ind = 1 amount = 0 prevmon = 0 while n: coin = prevmon + 1 for i in range(7): amount += coin coin += 1 n-=1 if n==0: return amount prevmon += 1
class Solution: def total_money(self, n: int) -> int: amount = 0 prevmon = 0 while n: coin = prevmon + 1 for i in range(7): amount += coin coin += 1 n -= 1 if n == 0: return amount prevmon += 1
class Node: def __init__(self, data): self.data= data self.left= None self.right= None """ 4 / \ 5 6 / \ / \ 7 None None None / \ None None """ root= Node(4) root.left=5 root.right=6 root.left.left=7
class Node: def __init__(self, data): self.data = data self.left = None self.right = None '\n 4\n / 5 6\n / \\ / 7 None None None\n / None None \n' root = node(4) root.left = 5 root.right = 6 root.left.left = 7
# ------------------------------ # # # Description: # # # Version: 1.0 # 01/19/20 by Jianfa # ------------------------------ # Used for testing if __name__ == "__main__": test = Solution() # ------------------------------ # Summary: #
if __name__ == '__main__': test = solution()
#ERROR MESSAGES ARGUMENTS_TYPE_LIST_OR_STRING_ERROR_MESSAGE= "Arguments should be of type List or String" ARGUMENTS_TYPE_STRING_ERROR_MESSAGE = "Arguments should be of type String" LABEL_ALREADY_PRESENT_ERROR_MESSAGE = "Class/Label: {} already present." NO_LABEL_PRESENT_ERROR_MESSAGE = "Please add Class/Labels to the object first using add_classes method" FILE_NOT_FOUND_ERROR_MESSAGE = "No such file names {} found\n Please call transformer.input_output_vector_constructor with save=True parameter" MODAL_NOT_FOUND_ERROR_MESSAGE = "No Trained Modal found, please train Neural Network first" MODAL_TYPE_ERROR_MESSAGE = "File {} is not a Neural Network Modal please delete all file in {} and train again" # FOLDERS PATHS MODALS_PATH = "modals/" NUMPY_FOLDER_PATH = "{}numpy/".format(MODALS_PATH) NEURAL_NETWORKS_FOLDER_PATH = "{}neural_network/".format(MODALS_PATH) DEFAULT_FOLDER_PATH = "gestures/" DEFAULT_COLOUR_IMAGE_FOLDER_PATH = "{}rgb/".format(DEFAULT_FOLDER_PATH) DEFAULT_GRAY_IMAGE_FOLDER_PATH = "{}gray/".format(DEFAULT_FOLDER_PATH) DEFAULT_OTSU_IMAGE_FOLDER_PATH = "{}otsu/".format(DEFAULT_FOLDER_PATH) #INSTRUCTION_MESSAGES (IM) IM_SHOW_GESTURE_FOR_CLASS = "show gesture for {} class and press c to start capturing" IM_PRESS_C = "press c to start capturing" IM_DONE_TRAINING = "Finished Traning!\n Accurecy score: {}" IM_SAVE_MODAL = "Happy with the result?\nSave modal? (y/n): " #DEBUG MESSAGES(DM) DM_IMAGE_SAVE = "Saving file: {}" DM_DATA_CAPTURING_INITIATED = "Started capturing data" DM_MODAL_ALREADY_TRAINED = "The Modal is already trained.\nRecall this method with 'force_train=True' parameter to retrain" DM_TRAIN_TEST_SPLIT_DONE = "Train test split done." DM_LEARNING_STARTED = "Learning Started with hidden layer: {}" DM_SAVE_MODAL = "Saving modal: {}" DM_INSTALLING_MODULE = "Installing: {}" DM_MODULE_ALREADY_INSTALLED = "{} already found" #MISCELANIOUS DEFAULT_SAMPLE_SIZE = 500 DEFAULT_DELIMITER ="-" DEFAULT_HIDDEN_LAYER = (500,200) DEFAULT_INPUT_VECTOR_NAME = "X" DEFAULT_OUTPUT_VECTOR_NAME = "y" DEFAULT_COORDINATES = { "first":(300,300), "second":(100,100) }
arguments_type_list_or_string_error_message = 'Arguments should be of type List or String' arguments_type_string_error_message = 'Arguments should be of type String' label_already_present_error_message = 'Class/Label: {} already present.' no_label_present_error_message = 'Please add Class/Labels to the object first using add_classes method' file_not_found_error_message = 'No such file names {} found\n Please call transformer.input_output_vector_constructor with save=True parameter' modal_not_found_error_message = 'No Trained Modal found, please train Neural Network first' modal_type_error_message = 'File {} is not a Neural Network Modal please delete all file in {} and train again' modals_path = 'modals/' numpy_folder_path = '{}numpy/'.format(MODALS_PATH) neural_networks_folder_path = '{}neural_network/'.format(MODALS_PATH) default_folder_path = 'gestures/' default_colour_image_folder_path = '{}rgb/'.format(DEFAULT_FOLDER_PATH) default_gray_image_folder_path = '{}gray/'.format(DEFAULT_FOLDER_PATH) default_otsu_image_folder_path = '{}otsu/'.format(DEFAULT_FOLDER_PATH) im_show_gesture_for_class = 'show gesture for {} class and press c to start capturing' im_press_c = 'press c to start capturing' im_done_training = 'Finished Traning!\n Accurecy score: {}' im_save_modal = 'Happy with the result?\nSave modal? (y/n): ' dm_image_save = 'Saving file: {}' dm_data_capturing_initiated = 'Started capturing data' dm_modal_already_trained = "The Modal is already trained.\nRecall this method with 'force_train=True' parameter to retrain" dm_train_test_split_done = 'Train test split done.' dm_learning_started = 'Learning Started with hidden layer: {}' dm_save_modal = 'Saving modal: {}' dm_installing_module = 'Installing: {}' dm_module_already_installed = '{} already found' default_sample_size = 500 default_delimiter = '-' default_hidden_layer = (500, 200) default_input_vector_name = 'X' default_output_vector_name = 'y' default_coordinates = {'first': (300, 300), 'second': (100, 100)}
class Bacteria: def __init__(self, id, type, age, life_counter, power, x, y): self.id = id self.type = type self.age = age self.life_counter = life_counter self.power = power self.x = x self.y = y # Create 3 instances of Bacteria b1 = Bacteria(1, "Cocci", 4, 100, 8, 23, 35) b2 = Bacteria(2, "Bacilli", 1, 80, 3, 64, 79) b3 = Bacteria(3, "Vibrios", 2, 60, 6, 75, 19)
class Bacteria: def __init__(self, id, type, age, life_counter, power, x, y): self.id = id self.type = type self.age = age self.life_counter = life_counter self.power = power self.x = x self.y = y b1 = bacteria(1, 'Cocci', 4, 100, 8, 23, 35) b2 = bacteria(2, 'Bacilli', 1, 80, 3, 64, 79) b3 = bacteria(3, 'Vibrios', 2, 60, 6, 75, 19)
#To add two numbers a=int(input("Enter the 1st number")) b=int(input("Enter the 2nd number")) c=a+b print("The sum of the two numbers:",c)
a = int(input('Enter the 1st number')) b = int(input('Enter the 2nd number')) c = a + b print('The sum of the two numbers:', c)
# configure the dm text def generate_dm_text(name): return '''Hey {}, It great to connect with you on twitter'''.format(name) scheduler_time = 15 #in minutes tw_username = "signosdazueira" #change this to yours
def generate_dm_text(name): return 'Hey {}, It great to connect\n\t\t\twith you on twitter'.format(name) scheduler_time = 15 tw_username = 'signosdazueira'
#!/usr/bin/env python3 def parse(line): bound, char, password = line.split(' ') low, high = bound.split('-') low, high = int(low), int(high) char = char[0] return (low, high, char, password) def is_valid(low, high, char, password): low, high = low - 1, high - 1 low, high = password[low] == char, password[high] == char return low != high def main(): res = open('in.txt', 'r').readlines() res = map(parse, res) res = map(lambda p: is_valid(*p), res) res = sum(1 for x in res if x) print(res) if __name__ == '__main__': main()
def parse(line): (bound, char, password) = line.split(' ') (low, high) = bound.split('-') (low, high) = (int(low), int(high)) char = char[0] return (low, high, char, password) def is_valid(low, high, char, password): (low, high) = (low - 1, high - 1) (low, high) = (password[low] == char, password[high] == char) return low != high def main(): res = open('in.txt', 'r').readlines() res = map(parse, res) res = map(lambda p: is_valid(*p), res) res = sum((1 for x in res if x)) print(res) if __name__ == '__main__': main()
#Python program to clone or copy a list. original_list = [10, 22, 44, 23, 4] new_list = list(original_list) print(original_list) print(new_list)
original_list = [10, 22, 44, 23, 4] new_list = list(original_list) print(original_list) print(new_list)
def get_input(): """ Wrap input in this method so that it can be wrapped with @patch in tests :return: """ return input('')
def get_input(): """ Wrap input in this method so that it can be wrapped with @patch in tests :return: """ return input('')
def find_price_ranges(candlestick_data, period_size): """Calculates historical price ranges for a given period duration. For one period of bars ranges counts as: 1st range: (high price in period - first bar opening price) / first bar opening price - 1 2nd range: (first bar opening price - low price in period) / first bar opening price - 1 The next period is obtained by a shift of always 1 bar. :param (dict of str: list) candlestick_data: candlestick market price data (required) :param int period_size: size of one period in bars (required) :return (list of float) price_ranges: all price ranges in market price data """ price_ranges = [] for candle_index in range(candlestick_data['length'] - period_size + 1): period_open = candlestick_data['open'][candle_index] max_high = max(candlestick_data['high'][candle_index: candle_index + period_size]) min_low = min(candlestick_data['low'][candle_index: candle_index + period_size]) price_ranges.append(max_high / period_open - 1) price_ranges.append(1 - min_low / period_open) print(sorted(price_ranges)) return sorted(price_ranges) def find_order_relative_levels(price_ranges, order_probabilities): """Calculates orders relative levels with given filling probability depending on historical market volatility :param (list of float) price_ranges: historical price ranges (required) :param (list of float) order_probabilities: order filling probabilities (required) :return (list of float) order_levels: relative levels of orders """ probability_step = 1 / len(price_ranges) order_levels = [] for fill_probability in order_probabilities: if fill_probability < probability_step: order_levels.append(0) continue range_index = len(price_ranges) - fill_probability / probability_step range_index_int_part = int(range_index) range_index_double_part = range_index - range_index_int_part level = price_ranges[range_index_int_part] + (price_ranges[range_index_int_part + 1] - price_ranges[range_index_int_part]) * range_index_double_part order_levels.append(level) return order_levels def find_order_price_levels(base_price, relative_levels, direction): """Calculates order price levels by base price and relative order levels :param float base_price: base price for order price level calculating (f.e. current market price) :param (list of float) relative_levels: relative order levels :param str direction: `higher` for orders above base_price or `lower` for orders below base_price :return (list of float) price_levels: price levels of orders """ direction_int = 1 if direction == 'higher' else -1 price_levels = [] for level in relative_levels: price_levels.append(base_price * (1 + level * direction_int)) return price_levels def get_candle_properties(hold_time): """ Todo: realize function (issue #11) """ candle_properties = { 'resolution': 0, 'amount': 0, 'start_time': 0, 'end_time': 0 } return candle_properties def get_range_period_size(hold_time): """ Todo: realize function (issue #11) """ period_size = 0 return period_size
def find_price_ranges(candlestick_data, period_size): """Calculates historical price ranges for a given period duration. For one period of bars ranges counts as: 1st range: (high price in period - first bar opening price) / first bar opening price - 1 2nd range: (first bar opening price - low price in period) / first bar opening price - 1 The next period is obtained by a shift of always 1 bar. :param (dict of str: list) candlestick_data: candlestick market price data (required) :param int period_size: size of one period in bars (required) :return (list of float) price_ranges: all price ranges in market price data """ price_ranges = [] for candle_index in range(candlestick_data['length'] - period_size + 1): period_open = candlestick_data['open'][candle_index] max_high = max(candlestick_data['high'][candle_index:candle_index + period_size]) min_low = min(candlestick_data['low'][candle_index:candle_index + period_size]) price_ranges.append(max_high / period_open - 1) price_ranges.append(1 - min_low / period_open) print(sorted(price_ranges)) return sorted(price_ranges) def find_order_relative_levels(price_ranges, order_probabilities): """Calculates orders relative levels with given filling probability depending on historical market volatility :param (list of float) price_ranges: historical price ranges (required) :param (list of float) order_probabilities: order filling probabilities (required) :return (list of float) order_levels: relative levels of orders """ probability_step = 1 / len(price_ranges) order_levels = [] for fill_probability in order_probabilities: if fill_probability < probability_step: order_levels.append(0) continue range_index = len(price_ranges) - fill_probability / probability_step range_index_int_part = int(range_index) range_index_double_part = range_index - range_index_int_part level = price_ranges[range_index_int_part] + (price_ranges[range_index_int_part + 1] - price_ranges[range_index_int_part]) * range_index_double_part order_levels.append(level) return order_levels def find_order_price_levels(base_price, relative_levels, direction): """Calculates order price levels by base price and relative order levels :param float base_price: base price for order price level calculating (f.e. current market price) :param (list of float) relative_levels: relative order levels :param str direction: `higher` for orders above base_price or `lower` for orders below base_price :return (list of float) price_levels: price levels of orders """ direction_int = 1 if direction == 'higher' else -1 price_levels = [] for level in relative_levels: price_levels.append(base_price * (1 + level * direction_int)) return price_levels def get_candle_properties(hold_time): """ Todo: realize function (issue #11) """ candle_properties = {'resolution': 0, 'amount': 0, 'start_time': 0, 'end_time': 0} return candle_properties def get_range_period_size(hold_time): """ Todo: realize function (issue #11) """ period_size = 0 return period_size
class GeneratorError(Exception): pass class ProgressionGenerator: # diatonic triads for major keys diatonic_triads = [ ('C', 'Dm', 'Em', 'F', 'G', 'Am', 'Bdim'), ('G', 'Am', 'Bm', 'C', 'D', 'Em', 'F#dim'), ('D', 'Em', 'F#m', 'G', 'A', 'Bm', 'C#dim'), ('A', 'Bm', 'C#m', 'D', 'E', 'F#m', 'G#dim'), ('E', 'F#m', 'G#m', 'A', 'B', 'C#m', 'D#dim'), ('B', 'C#m', 'D#m', 'E', 'F#', 'G#m', 'A#dim'), ('F#', 'G#m', 'A#m', 'B', 'C#', 'D#m', 'E#dim'), ('Db', 'Ebm', 'Fm', 'Gb', 'Ab', 'Bbm', 'Cdim'), ('Ab', 'Bbm', 'Cm', 'Db', 'Eb', 'Fm', 'Gdim'), ('Eb', 'Fm', 'Gm', 'Ab', 'Bb', 'Cm', 'Ddim'), ('Bb', 'Cm', 'Dm', 'Eb', 'F', 'Gm', 'Adim'), ('F', 'Gm', 'Am', 'Bb', 'C', 'Dm', 'Edim'), ] numerals_table = { 'I': '1', 'ii': '2', 'iii': '3', 'IV': '4', 'V': '5', 'vi': '6', 'VII': '7', } def _is_allowed_numeral(self, numeral): return numeral in self.numerals_table or numeral in self.numerals_table.values() def _to_indexes(self, numerals): """numerals -- valid numerals returns indexes (list) -- usable indexes for ProgressionGenerator.diatonic_triads """ indexes = [] for numeral in numerals: if numeral in self.numerals_table: n = int(self.numerals_table[numeral]) else: n = int(numeral) indexes.append(n-1) # indexes are zero based return indexes def _get_chords(self, chords, indexes): """chords (list) -- chords to choose from indexes (list) -- which chords to choose returns (list) """ return [chords[i] for i in indexes] def _to_numerals(self, prog): """prog (string) -- line of numerals returns numerals (list) throws GeneratorError on incorrect format """ if '-' in prog: numerals = prog.split('-') elif ' ' in prog: numerals = prog.split(' ') elif len(prog) == 1: numerals = [prog] else: raise GeneratorError('Incorrect format.') return numerals def _parse_input(self, prog): """prog (string) -- line of numerals returns numerals (list) -- valid numerals throws GeneratorError on incorrect input """ prog = prog.strip() numerals = self._to_numerals(prog) for numeral in numerals: if not self._is_allowed_numeral(numeral): raise GeneratorError('{} isn\'t allowed numeral.'.format(numeral)) return numerals def get_progressions(self, prog): """Acceptable inputs: 1)'I V vi IV' (separated by a single space) 2)'V-vi-I-I-vi' (separated by hyphen) 3)'1 5 6 4' (as numbers) 4)'6 4' (variable length) etc Unacceptable inputs: 1)'i V' (1 can't be minor) 2)'1 8' (7 is maximum) 3)'3.50' (No Loch Ness monsters allowed) Return value format (example): [ {'input_numerals': ['I', 'V', 'vi', 'IV']}, {'key': 'C', 'chords': ['C', 'G', 'Am', 'F']}, {'key': 'G', 'chords': ['G', 'D', 'Em', 'C']}, ... ] prog (string) -- see above returns progressions (list) -- see above """ numerals = self._parse_input(prog) indexes = self._to_indexes(numerals) progressions = [{ 'input_numerals': numerals, }] for chords in self.diatonic_triads: progressions.append({ 'key': chords[0], 'chords': self._get_chords(chords, indexes), }) return progressions
class Generatorerror(Exception): pass class Progressiongenerator: diatonic_triads = [('C', 'Dm', 'Em', 'F', 'G', 'Am', 'Bdim'), ('G', 'Am', 'Bm', 'C', 'D', 'Em', 'F#dim'), ('D', 'Em', 'F#m', 'G', 'A', 'Bm', 'C#dim'), ('A', 'Bm', 'C#m', 'D', 'E', 'F#m', 'G#dim'), ('E', 'F#m', 'G#m', 'A', 'B', 'C#m', 'D#dim'), ('B', 'C#m', 'D#m', 'E', 'F#', 'G#m', 'A#dim'), ('F#', 'G#m', 'A#m', 'B', 'C#', 'D#m', 'E#dim'), ('Db', 'Ebm', 'Fm', 'Gb', 'Ab', 'Bbm', 'Cdim'), ('Ab', 'Bbm', 'Cm', 'Db', 'Eb', 'Fm', 'Gdim'), ('Eb', 'Fm', 'Gm', 'Ab', 'Bb', 'Cm', 'Ddim'), ('Bb', 'Cm', 'Dm', 'Eb', 'F', 'Gm', 'Adim'), ('F', 'Gm', 'Am', 'Bb', 'C', 'Dm', 'Edim')] numerals_table = {'I': '1', 'ii': '2', 'iii': '3', 'IV': '4', 'V': '5', 'vi': '6', 'VII': '7'} def _is_allowed_numeral(self, numeral): return numeral in self.numerals_table or numeral in self.numerals_table.values() def _to_indexes(self, numerals): """numerals -- valid numerals returns indexes (list) -- usable indexes for ProgressionGenerator.diatonic_triads """ indexes = [] for numeral in numerals: if numeral in self.numerals_table: n = int(self.numerals_table[numeral]) else: n = int(numeral) indexes.append(n - 1) return indexes def _get_chords(self, chords, indexes): """chords (list) -- chords to choose from indexes (list) -- which chords to choose returns (list) """ return [chords[i] for i in indexes] def _to_numerals(self, prog): """prog (string) -- line of numerals returns numerals (list) throws GeneratorError on incorrect format """ if '-' in prog: numerals = prog.split('-') elif ' ' in prog: numerals = prog.split(' ') elif len(prog) == 1: numerals = [prog] else: raise generator_error('Incorrect format.') return numerals def _parse_input(self, prog): """prog (string) -- line of numerals returns numerals (list) -- valid numerals throws GeneratorError on incorrect input """ prog = prog.strip() numerals = self._to_numerals(prog) for numeral in numerals: if not self._is_allowed_numeral(numeral): raise generator_error("{} isn't allowed numeral.".format(numeral)) return numerals def get_progressions(self, prog): """Acceptable inputs: 1)'I V vi IV' (separated by a single space) 2)'V-vi-I-I-vi' (separated by hyphen) 3)'1 5 6 4' (as numbers) 4)'6 4' (variable length) etc Unacceptable inputs: 1)'i V' (1 can't be minor) 2)'1 8' (7 is maximum) 3)'3.50' (No Loch Ness monsters allowed) Return value format (example): [ {'input_numerals': ['I', 'V', 'vi', 'IV']}, {'key': 'C', 'chords': ['C', 'G', 'Am', 'F']}, {'key': 'G', 'chords': ['G', 'D', 'Em', 'C']}, ... ] prog (string) -- see above returns progressions (list) -- see above """ numerals = self._parse_input(prog) indexes = self._to_indexes(numerals) progressions = [{'input_numerals': numerals}] for chords in self.diatonic_triads: progressions.append({'key': chords[0], 'chords': self._get_chords(chords, indexes)}) return progressions
"""Defines the Exceptions that can be raised from the DomainTools API""" class ServiceException(Exception): def __init__(self, code, reason): self.code = code self.reason = reason super(ServiceException, self).__init__(str(reason)) class BadRequestException(ServiceException): pass class InternalServerErrorException(ServiceException): pass class NotAuthorizedException(ServiceException): pass class NotFoundException(ServiceException): pass class ServiceUnavailableException(ServiceException): pass class IncompleteResponseException(ServiceException): pass class RequestUriTooLongException(ServiceException): pass
"""Defines the Exceptions that can be raised from the DomainTools API""" class Serviceexception(Exception): def __init__(self, code, reason): self.code = code self.reason = reason super(ServiceException, self).__init__(str(reason)) class Badrequestexception(ServiceException): pass class Internalservererrorexception(ServiceException): pass class Notauthorizedexception(ServiceException): pass class Notfoundexception(ServiceException): pass class Serviceunavailableexception(ServiceException): pass class Incompleteresponseexception(ServiceException): pass class Requesturitoolongexception(ServiceException): pass
x = int(input()) if (x > 0): print("positivo") elif (x < 0): print("negativo") else: print("nulo")
x = int(input()) if x > 0: print('positivo') elif x < 0: print('negativo') else: print('nulo')
# test order of closed over locals # not that CPython seems to sort closed over variables (but not fast locals) def f(): l1 = 1 l2 = 4 l3 = 3 l4 = 2 l5 = 5 def g(): return l1 + l4 + l3 + l2 + l5 def h(): return l1 + l2 + l3 + l4 + l5
def f(): l1 = 1 l2 = 4 l3 = 3 l4 = 2 l5 = 5 def g(): return l1 + l4 + l3 + l2 + l5 def h(): return l1 + l2 + l3 + l4 + l5
EAA_EDUCATION_FACILITIES = {'buildings', 'education facilities - schools', 'facilities and infrastructure'} EAA_EDUCATION_STATISTICS = { 'baseline population', 'census', 'demographics', 'development', 'early learning', 'economics', 'educational attainment', 'educators - teachers', 'gap analysis', 'government data', 'indicators', 'inequality', 'literacy', 'mortality', 'out-of-school', 'poverty', 'school enrollment', 'sex and age disaggregated data - sadd', 'socioeconomics', 'survey', 'sustainable development', } EAA_CRISIS_RESPONSE = { 'access to education', 'affected schools', 'aid workers security', 'armed violence', 'assistance targets', 'Bangladesh - Rohingya refugee crisis', 'camp coordination and camp management', 'caseload - humanitarian profile', 'casualties', 'complex emergency', 'common operational dataset - cod', 'coordination', 'coxs bazar', 'cyclones - hurricanes - typhoons', 'damage assessment', 'damaged buildings', 'displaced persons locations - camps - shelters', 'earthquakes', 'ebola', 'epidemics and outbreaks', 'fatalities - deaths', 'floods', 'hazards and risk', 'humanitarian needs overview - hno', 'hurricane matthew - sep 2016', 'incidents of disasters', 'internally displaced persons - idp', 'lake chad basin crisis - 2014-2017', 'livelihoods', 'needs assessment', 'Nigeria - complex emergency - 2014 -', 'operational presence', 'recovery - reconstruction', 'shelter', 'syria crisis - 2011-', 'violence and conflict', 'vulnerable populations', 'who is doing what and where - 3w - 4w - 5w' } EAA_ALL_USED_TAGS = EAA_EDUCATION_FACILITIES.union(EAA_EDUCATION_STATISTICS).union(EAA_CRISIS_RESPONSE) EAA_FACET_NAMING_TO_INFO = { 'education_facilities': { 'url_param_name': 'ext_eaa_education_facilities', 'tag_list': EAA_EDUCATION_FACILITIES, 'negate': False }, 'education_statistics': { 'url_param_name': 'ext_eaa_education_statistics', 'tag_list': EAA_EDUCATION_STATISTICS, 'negate': False }, 'crisis_response': { 'url_param_name': 'ext_eaa_crisis_response', 'tag_list': EAA_CRISIS_RESPONSE, 'negate': False }, 'other': { 'url_param_name': 'ext_eaa_other', 'tag_list': EAA_ALL_USED_TAGS, 'negate': True } }
eaa_education_facilities = {'buildings', 'education facilities - schools', 'facilities and infrastructure'} eaa_education_statistics = {'baseline population', 'census', 'demographics', 'development', 'early learning', 'economics', 'educational attainment', 'educators - teachers', 'gap analysis', 'government data', 'indicators', 'inequality', 'literacy', 'mortality', 'out-of-school', 'poverty', 'school enrollment', 'sex and age disaggregated data - sadd', 'socioeconomics', 'survey', 'sustainable development'} eaa_crisis_response = {'access to education', 'affected schools', 'aid workers security', 'armed violence', 'assistance targets', 'Bangladesh - Rohingya refugee crisis', 'camp coordination and camp management', 'caseload - humanitarian profile', 'casualties', 'complex emergency', 'common operational dataset - cod', 'coordination', 'coxs bazar', 'cyclones - hurricanes - typhoons', 'damage assessment', 'damaged buildings', 'displaced persons locations - camps - shelters', 'earthquakes', 'ebola', 'epidemics and outbreaks', 'fatalities - deaths', 'floods', 'hazards and risk', 'humanitarian needs overview - hno', 'hurricane matthew - sep 2016', 'incidents of disasters', 'internally displaced persons - idp', 'lake chad basin crisis - 2014-2017', 'livelihoods', 'needs assessment', 'Nigeria - complex emergency - 2014 -', 'operational presence', 'recovery - reconstruction', 'shelter', 'syria crisis - 2011-', 'violence and conflict', 'vulnerable populations', 'who is doing what and where - 3w - 4w - 5w'} eaa_all_used_tags = EAA_EDUCATION_FACILITIES.union(EAA_EDUCATION_STATISTICS).union(EAA_CRISIS_RESPONSE) eaa_facet_naming_to_info = {'education_facilities': {'url_param_name': 'ext_eaa_education_facilities', 'tag_list': EAA_EDUCATION_FACILITIES, 'negate': False}, 'education_statistics': {'url_param_name': 'ext_eaa_education_statistics', 'tag_list': EAA_EDUCATION_STATISTICS, 'negate': False}, 'crisis_response': {'url_param_name': 'ext_eaa_crisis_response', 'tag_list': EAA_CRISIS_RESPONSE, 'negate': False}, 'other': {'url_param_name': 'ext_eaa_other', 'tag_list': EAA_ALL_USED_TAGS, 'negate': True}}
N = input().split() m = int(N[0]) for i in range(round(m / 2, 0)): for j in range(m): print(N[-1], end='') print()
n = input().split() m = int(N[0]) for i in range(round(m / 2, 0)): for j in range(m): print(N[-1], end='') print()
############################################################################## # Copyright 2022-present, Facebook, Inc. # All rights reserved. # # This source code is licensed under the license found in the # LICENSE file in the root directory of this source tree. ############################################################################## upload_handles = {} class FileUploader: def __init__(self, context: str = "default"): self.upload_handles = getUploadHandles() if context not in self.upload_handles: raise RuntimeError(f"No configuration found for {context}") self.uploader = self.upload_handles[context]() def upload_file(self, file): return self.uploader.upload_file(file) def get_uploader(self): return self.uploader def registerFileUploader(name, obj): global upload_handles upload_handles[name] = obj def getUploadHandles(): return upload_handles
upload_handles = {} class Fileuploader: def __init__(self, context: str='default'): self.upload_handles = get_upload_handles() if context not in self.upload_handles: raise runtime_error(f'No configuration found for {context}') self.uploader = self.upload_handles[context]() def upload_file(self, file): return self.uploader.upload_file(file) def get_uploader(self): return self.uploader def register_file_uploader(name, obj): global upload_handles upload_handles[name] = obj def get_upload_handles(): return upload_handles
# -*- coding: utf-8 -*- """Honeycomb test constants.""" class commands(): """Plugin commands.""" RUN = "run" LOGS = "logs" SHOW = "show" TEST = "test" STOP = "stop" LIST = "list" STATUS = "status" INSTALL = "install" UNINSTALL = "uninstall" CONFIGURE = "configure" class args(): """Plugin arguments.""" YES = "--yes" NUM = "--num" HOME = "--home" HELP = "--help" CONFIG = "--config" FOLLOW = "--follow" DAEMON = "--daemon" VERBOSE = "--verbose" IAMROOT = "--iamroot" SHOW_ALL = "--show-all" INTEGRATION = "--integration" COMMON_ARGS = [VERBOSE, IAMROOT, HOME]
"""Honeycomb test constants.""" class Commands: """Plugin commands.""" run = 'run' logs = 'logs' show = 'show' test = 'test' stop = 'stop' list = 'list' status = 'status' install = 'install' uninstall = 'uninstall' configure = 'configure' class Args: """Plugin arguments.""" yes = '--yes' num = '--num' home = '--home' help = '--help' config = '--config' follow = '--follow' daemon = '--daemon' verbose = '--verbose' iamroot = '--iamroot' show_all = '--show-all' integration = '--integration' common_args = [VERBOSE, IAMROOT, HOME]
"""The GLSL toolchain definition and implementation """ def _glsl_toolchain_impl(ctx): # it is expected the the glslc target contains one and only one # file that is the compiler. glslc_executable = "" if ctx.attr.is_windows: glslc_executable = ctx.attr.glslc.files.to_list()[0].path else: glslc_executable = "glslc" toolchain_info = platform_common.ToolchainInfo( glslc = ctx.attr.glslc, glslc_executable = glslc_executable, is_windows = ctx.attr.is_windows, ) return [toolchain_info] glsl_toolchain = rule( implementation = _glsl_toolchain_impl, attrs = { "glslc": attr.label( doc = "The location of the glslc compiler.", allow_single_file = True ), "is_windows": attr.bool( doc = "Whether or not this toolchain runs in windows", mandatory = True ) }, )
"""The GLSL toolchain definition and implementation """ def _glsl_toolchain_impl(ctx): glslc_executable = '' if ctx.attr.is_windows: glslc_executable = ctx.attr.glslc.files.to_list()[0].path else: glslc_executable = 'glslc' toolchain_info = platform_common.ToolchainInfo(glslc=ctx.attr.glslc, glslc_executable=glslc_executable, is_windows=ctx.attr.is_windows) return [toolchain_info] glsl_toolchain = rule(implementation=_glsl_toolchain_impl, attrs={'glslc': attr.label(doc='The location of the glslc compiler.', allow_single_file=True), 'is_windows': attr.bool(doc='Whether or not this toolchain runs in windows', mandatory=True)})
# coding=UTF-8 ## This class define a composite ply class CompositePly: def __init__(self,Material,Thickness,Orientation): ## the material of the ply (either IsoMaterial or OrthoMaterial) self.Material = Material ## the thickness of the ply (m) self.Thickness = Thickness ## the orientation of fiber in case of OrthoMaterial self.Orientation = Orientation def GetMaterial(self): return self.Material def GetThickness(self): return self.Thickness def GetOrientation(self): return self.Orientation
class Compositeply: def __init__(self, Material, Thickness, Orientation): self.Material = Material self.Thickness = Thickness self.Orientation = Orientation def get_material(self): return self.Material def get_thickness(self): return self.Thickness def get_orientation(self): return self.Orientation
class AppTestClasses: spaceconfig = dict(usemodules=['_multibytecodec']) def setup_class(cls): cls.w_IncrementalHzDecoder = cls.space.appexec([], """(): import _codecs_cn from _multibytecodec import MultibyteIncrementalDecoder class IncrementalHzDecoder(MultibyteIncrementalDecoder): codec = _codecs_cn.getcodec('hz') return IncrementalHzDecoder """) cls.w_IncrementalHzEncoder = cls.space.appexec([], """(): import _codecs_cn from _multibytecodec import MultibyteIncrementalEncoder class IncrementalHzEncoder(MultibyteIncrementalEncoder): codec = _codecs_cn.getcodec('hz') return IncrementalHzEncoder """) cls.w_IncrementalBig5hkscsEncoder = cls.space.appexec([], """(): import _codecs_hk from _multibytecodec import MultibyteIncrementalEncoder class IncrementalBig5hkscsEncoder(MultibyteIncrementalEncoder): codec = _codecs_hk.getcodec('big5hkscs') return IncrementalBig5hkscsEncoder """) def test_decode_hz(self): d = self.IncrementalHzDecoder() r = d.decode(b"~{abcd~}") assert r == '\u5f95\u6c85' r = d.decode(b"~{efgh~}") assert r == '\u5f50\u73b7' for c, output in zip(b"!~{abcd~}xyz~{efgh", ['!', # ! '', # ~ '', # { '', # a '\u5f95', # b '', # c '\u6c85', # d '', # ~ '', # } 'x', # x 'y', # y 'z', # z '', # ~ '', # { '', # e '\u5f50', # f '', # g '\u73b7', # h ]): r = d.decode(bytes([c])) assert r == output def test_decode_hz_final(self): d = self.IncrementalHzDecoder() r = d.decode(b"~{", True) assert r == '' raises(UnicodeDecodeError, d.decode, b"~", True) raises(UnicodeDecodeError, d.decode, b"~{a", True) def test_decode_hz_reset(self): d = self.IncrementalHzDecoder() r = d.decode(b"ab") assert r == 'ab' r = d.decode(b"~{") assert r == '' r = d.decode(b"ab") assert r == '\u5f95' r = d.decode(b"ab") assert r == '\u5f95' d.reset() r = d.decode(b"ab") assert r == 'ab' def test_decode_hz_error(self): d = self.IncrementalHzDecoder() raises(UnicodeDecodeError, d.decode, b"~{abc", True) d = self.IncrementalHzDecoder("ignore") r = d.decode(b"~{abc", True) assert r == '\u5f95' d = self.IncrementalHzDecoder() d.errors = "replace" r = d.decode(b"~{abc", True) assert r == '\u5f95\ufffd' def test_decode_hz_buffer_grow(self): d = self.IncrementalHzDecoder() for i in range(13): r = d.decode(b"a" * (2**i)) assert r == "a" * (2**i) def test_encode_hz(self): e = self.IncrementalHzEncoder() r = e.encode("abcd") assert r == b'abcd' r = e.encode("\u5f95\u6c85") assert r == b'~{abcd' r = e.encode("\u5f50") assert r == b'ef' r = e.encode("\u73b7", final=True) assert r == b'gh~}' def test_encode_hz_final(self): e = self.IncrementalHzEncoder() r = e.encode("xyz\u5f95\u6c85", True) assert r == b'xyz~{abcd~}' # This is a bit hard to test, because the only way I can see that # encoders can return MBERR_TOOFEW is with surrogates, which only # occur with 2-byte unicode characters... We will just have to # trust that the logic works, because it is exactly the same one # as in the decode case :-/ def test_encode_hz_reset(self): # Same issue as with test_encode_hz_final e = self.IncrementalHzEncoder() r = e.encode("xyz\u5f95\u6c85", True) assert r == b'xyz~{abcd~}' e.reset() r = e.encode("xyz\u5f95\u6c85") assert r == b'xyz~{abcd' r = e.encode('', final=True) assert r == b'~}' def test_encode_hz_noreset(self): text = ('\u5df1\u6240\u4e0d\u6b32\uff0c\u52ff\u65bd\u65bc\u4eba\u3002' 'Bye.') out = b'' e = self.IncrementalHzEncoder() for c in text: out += e.encode(c) assert out == b'~{<:Ky2;S{#,NpJ)l6HK!#~}Bye.' def test_encode_hz_error(self): e = self.IncrementalHzEncoder() raises(UnicodeEncodeError, e.encode, "\u4321", True) e = self.IncrementalHzEncoder("ignore") r = e.encode("xy\u4321z", True) assert r == b'xyz' e = self.IncrementalHzEncoder() e.errors = "replace" r = e.encode("xy\u4321z", True) assert r == b'xy?z' def test_encode_hz_buffer_grow(self): e = self.IncrementalHzEncoder() for i in range(13): r = e.encode("a" * (2**i)) assert r == b"a" * (2**i) def test_encode_big5hkscs(self): #e = self.IncrementalBig5hkscsEncoder() #r = e.encode('\xca', True) #assert r == b'\x88f' #r = e.encode('\xca', True) #assert r == b'\x88f' #raises(UnicodeEncodeError, e.encode, '\u0304', True) # e = self.IncrementalBig5hkscsEncoder() r = e.encode('\xca') assert r == b'' r = e.encode('\xca') assert r == b'\x88f' r = e.encode('\u0304') assert r == b'\x88b'
class Apptestclasses: spaceconfig = dict(usemodules=['_multibytecodec']) def setup_class(cls): cls.w_IncrementalHzDecoder = cls.space.appexec([], "():\n import _codecs_cn\n from _multibytecodec import MultibyteIncrementalDecoder\n\n class IncrementalHzDecoder(MultibyteIncrementalDecoder):\n codec = _codecs_cn.getcodec('hz')\n\n return IncrementalHzDecoder\n ") cls.w_IncrementalHzEncoder = cls.space.appexec([], "():\n import _codecs_cn\n from _multibytecodec import MultibyteIncrementalEncoder\n\n class IncrementalHzEncoder(MultibyteIncrementalEncoder):\n codec = _codecs_cn.getcodec('hz')\n\n return IncrementalHzEncoder\n ") cls.w_IncrementalBig5hkscsEncoder = cls.space.appexec([], "():\n import _codecs_hk\n from _multibytecodec import MultibyteIncrementalEncoder\n\n class IncrementalBig5hkscsEncoder(MultibyteIncrementalEncoder):\n codec = _codecs_hk.getcodec('big5hkscs')\n\n return IncrementalBig5hkscsEncoder\n ") def test_decode_hz(self): d = self.IncrementalHzDecoder() r = d.decode(b'~{abcd~}') assert r == '徕沅' r = d.decode(b'~{efgh~}') assert r == '彐玷' for (c, output) in zip(b'!~{abcd~}xyz~{efgh', ['!', '', '', '', '徕', '', '沅', '', '', 'x', 'y', 'z', '', '', '', '彐', '', '玷']): r = d.decode(bytes([c])) assert r == output def test_decode_hz_final(self): d = self.IncrementalHzDecoder() r = d.decode(b'~{', True) assert r == '' raises(UnicodeDecodeError, d.decode, b'~', True) raises(UnicodeDecodeError, d.decode, b'~{a', True) def test_decode_hz_reset(self): d = self.IncrementalHzDecoder() r = d.decode(b'ab') assert r == 'ab' r = d.decode(b'~{') assert r == '' r = d.decode(b'ab') assert r == '徕' r = d.decode(b'ab') assert r == '徕' d.reset() r = d.decode(b'ab') assert r == 'ab' def test_decode_hz_error(self): d = self.IncrementalHzDecoder() raises(UnicodeDecodeError, d.decode, b'~{abc', True) d = self.IncrementalHzDecoder('ignore') r = d.decode(b'~{abc', True) assert r == '徕' d = self.IncrementalHzDecoder() d.errors = 'replace' r = d.decode(b'~{abc', True) assert r == '徕�' def test_decode_hz_buffer_grow(self): d = self.IncrementalHzDecoder() for i in range(13): r = d.decode(b'a' * 2 ** i) assert r == 'a' * 2 ** i def test_encode_hz(self): e = self.IncrementalHzEncoder() r = e.encode('abcd') assert r == b'abcd' r = e.encode('徕沅') assert r == b'~{abcd' r = e.encode('彐') assert r == b'ef' r = e.encode('玷', final=True) assert r == b'gh~}' def test_encode_hz_final(self): e = self.IncrementalHzEncoder() r = e.encode('xyz徕沅', True) assert r == b'xyz~{abcd~}' def test_encode_hz_reset(self): e = self.IncrementalHzEncoder() r = e.encode('xyz徕沅', True) assert r == b'xyz~{abcd~}' e.reset() r = e.encode('xyz徕沅') assert r == b'xyz~{abcd' r = e.encode('', final=True) assert r == b'~}' def test_encode_hz_noreset(self): text = '己所不欲,勿施於人。Bye.' out = b'' e = self.IncrementalHzEncoder() for c in text: out += e.encode(c) assert out == b'~{<:Ky2;S{#,NpJ)l6HK!#~}Bye.' def test_encode_hz_error(self): e = self.IncrementalHzEncoder() raises(UnicodeEncodeError, e.encode, '䌡', True) e = self.IncrementalHzEncoder('ignore') r = e.encode('xy䌡z', True) assert r == b'xyz' e = self.IncrementalHzEncoder() e.errors = 'replace' r = e.encode('xy䌡z', True) assert r == b'xy?z' def test_encode_hz_buffer_grow(self): e = self.IncrementalHzEncoder() for i in range(13): r = e.encode('a' * 2 ** i) assert r == b'a' * 2 ** i def test_encode_big5hkscs(self): e = self.IncrementalBig5hkscsEncoder() r = e.encode('Ê') assert r == b'' r = e.encode('Ê') assert r == b'\x88f' r = e.encode('̄') assert r == b'\x88b'
"""T Gate""" def t(index, vector): return vector
"""T Gate""" def t(index, vector): return vector
# Automatically generated file # enum Z3_lbool Z3_L_FALSE = -1 Z3_L_UNDEF = 0 Z3_L_TRUE = 1 # enum Z3_symbol_kind Z3_INT_SYMBOL = 0 Z3_STRING_SYMBOL = 1 # enum Z3_parameter_kind Z3_PARAMETER_INT = 0 Z3_PARAMETER_DOUBLE = 1 Z3_PARAMETER_RATIONAL = 2 Z3_PARAMETER_SYMBOL = 3 Z3_PARAMETER_SORT = 4 Z3_PARAMETER_AST = 5 Z3_PARAMETER_FUNC_DECL = 6 # enum Z3_sort_kind Z3_UNINTERPRETED_SORT = 0 Z3_BOOL_SORT = 1 Z3_INT_SORT = 2 Z3_REAL_SORT = 3 Z3_BV_SORT = 4 Z3_ARRAY_SORT = 5 Z3_DATATYPE_SORT = 6 Z3_RELATION_SORT = 7 Z3_FINITE_DOMAIN_SORT = 8 Z3_FLOATING_POINT_SORT = 9 Z3_ROUNDING_MODE_SORT = 10 Z3_SEQ_SORT = 11 Z3_RE_SORT = 12 Z3_UNKNOWN_SORT = 1000 # enum Z3_ast_kind Z3_NUMERAL_AST = 0 Z3_APP_AST = 1 Z3_VAR_AST = 2 Z3_QUANTIFIER_AST = 3 Z3_SORT_AST = 4 Z3_FUNC_DECL_AST = 5 Z3_UNKNOWN_AST = 1000 # enum Z3_decl_kind Z3_OP_TRUE = 256 Z3_OP_FALSE = 257 Z3_OP_EQ = 258 Z3_OP_DISTINCT = 259 Z3_OP_ITE = 260 Z3_OP_AND = 261 Z3_OP_OR = 262 Z3_OP_IFF = 263 Z3_OP_XOR = 264 Z3_OP_NOT = 265 Z3_OP_IMPLIES = 266 Z3_OP_OEQ = 267 Z3_OP_ANUM = 512 Z3_OP_AGNUM = 513 Z3_OP_LE = 514 Z3_OP_GE = 515 Z3_OP_LT = 516 Z3_OP_GT = 517 Z3_OP_ADD = 518 Z3_OP_SUB = 519 Z3_OP_UMINUS = 520 Z3_OP_MUL = 521 Z3_OP_DIV = 522 Z3_OP_IDIV = 523 Z3_OP_REM = 524 Z3_OP_MOD = 525 Z3_OP_TO_REAL = 526 Z3_OP_TO_INT = 527 Z3_OP_IS_INT = 528 Z3_OP_POWER = 529 Z3_OP_STORE = 768 Z3_OP_SELECT = 769 Z3_OP_CONST_ARRAY = 770 Z3_OP_ARRAY_MAP = 771 Z3_OP_ARRAY_DEFAULT = 772 Z3_OP_SET_UNION = 773 Z3_OP_SET_INTERSECT = 774 Z3_OP_SET_DIFFERENCE = 775 Z3_OP_SET_COMPLEMENT = 776 Z3_OP_SET_SUBSET = 777 Z3_OP_AS_ARRAY = 778 Z3_OP_ARRAY_EXT = 779 Z3_OP_BNUM = 1024 Z3_OP_BIT1 = 1025 Z3_OP_BIT0 = 1026 Z3_OP_BNEG = 1027 Z3_OP_BADD = 1028 Z3_OP_BSUB = 1029 Z3_OP_BMUL = 1030 Z3_OP_BSDIV = 1031 Z3_OP_BUDIV = 1032 Z3_OP_BSREM = 1033 Z3_OP_BUREM = 1034 Z3_OP_BSMOD = 1035 Z3_OP_BSDIV0 = 1036 Z3_OP_BUDIV0 = 1037 Z3_OP_BSREM0 = 1038 Z3_OP_BUREM0 = 1039 Z3_OP_BSMOD0 = 1040 Z3_OP_ULEQ = 1041 Z3_OP_SLEQ = 1042 Z3_OP_UGEQ = 1043 Z3_OP_SGEQ = 1044 Z3_OP_ULT = 1045 Z3_OP_SLT = 1046 Z3_OP_UGT = 1047 Z3_OP_SGT = 1048 Z3_OP_BAND = 1049 Z3_OP_BOR = 1050 Z3_OP_BNOT = 1051 Z3_OP_BXOR = 1052 Z3_OP_BNAND = 1053 Z3_OP_BNOR = 1054 Z3_OP_BXNOR = 1055 Z3_OP_CONCAT = 1056 Z3_OP_SIGN_EXT = 1057 Z3_OP_ZERO_EXT = 1058 Z3_OP_EXTRACT = 1059 Z3_OP_REPEAT = 1060 Z3_OP_BREDOR = 1061 Z3_OP_BREDAND = 1062 Z3_OP_BCOMP = 1063 Z3_OP_BSHL = 1064 Z3_OP_BLSHR = 1065 Z3_OP_BASHR = 1066 Z3_OP_ROTATE_LEFT = 1067 Z3_OP_ROTATE_RIGHT = 1068 Z3_OP_EXT_ROTATE_LEFT = 1069 Z3_OP_EXT_ROTATE_RIGHT = 1070 Z3_OP_BIT2BOOL = 1071 Z3_OP_INT2BV = 1072 Z3_OP_BV2INT = 1073 Z3_OP_CARRY = 1074 Z3_OP_XOR3 = 1075 Z3_OP_BSMUL_NO_OVFL = 1076 Z3_OP_BUMUL_NO_OVFL = 1077 Z3_OP_BSMUL_NO_UDFL = 1078 Z3_OP_BSDIV_I = 1079 Z3_OP_BUDIV_I = 1080 Z3_OP_BSREM_I = 1081 Z3_OP_BUREM_I = 1082 Z3_OP_BSMOD_I = 1083 Z3_OP_PR_UNDEF = 1280 Z3_OP_PR_TRUE = 1281 Z3_OP_PR_ASSERTED = 1282 Z3_OP_PR_GOAL = 1283 Z3_OP_PR_MODUS_PONENS = 1284 Z3_OP_PR_REFLEXIVITY = 1285 Z3_OP_PR_SYMMETRY = 1286 Z3_OP_PR_TRANSITIVITY = 1287 Z3_OP_PR_TRANSITIVITY_STAR = 1288 Z3_OP_PR_MONOTONICITY = 1289 Z3_OP_PR_QUANT_INTRO = 1290 Z3_OP_PR_BIND = 1291 Z3_OP_PR_DISTRIBUTIVITY = 1292 Z3_OP_PR_AND_ELIM = 1293 Z3_OP_PR_NOT_OR_ELIM = 1294 Z3_OP_PR_REWRITE = 1295 Z3_OP_PR_REWRITE_STAR = 1296 Z3_OP_PR_PULL_QUANT = 1297 Z3_OP_PR_PUSH_QUANT = 1298 Z3_OP_PR_ELIM_UNUSED_VARS = 1299 Z3_OP_PR_DER = 1300 Z3_OP_PR_QUANT_INST = 1301 Z3_OP_PR_HYPOTHESIS = 1302 Z3_OP_PR_LEMMA = 1303 Z3_OP_PR_UNIT_RESOLUTION = 1304 Z3_OP_PR_IFF_TRUE = 1305 Z3_OP_PR_IFF_FALSE = 1306 Z3_OP_PR_COMMUTATIVITY = 1307 Z3_OP_PR_DEF_AXIOM = 1308 Z3_OP_PR_ASSUMPTION_ADD = 1309 Z3_OP_PR_LEMMA_ADD = 1310 Z3_OP_PR_REDUNDANT_DEL = 1311 Z3_OP_PR_CLAUSE_TRAIL = 1312 Z3_OP_PR_DEF_INTRO = 1313 Z3_OP_PR_APPLY_DEF = 1314 Z3_OP_PR_IFF_OEQ = 1315 Z3_OP_PR_NNF_POS = 1316 Z3_OP_PR_NNF_NEG = 1317 Z3_OP_PR_SKOLEMIZE = 1318 Z3_OP_PR_MODUS_PONENS_OEQ = 1319 Z3_OP_PR_TH_LEMMA = 1320 Z3_OP_PR_HYPER_RESOLVE = 1321 Z3_OP_RA_STORE = 1536 Z3_OP_RA_EMPTY = 1537 Z3_OP_RA_IS_EMPTY = 1538 Z3_OP_RA_JOIN = 1539 Z3_OP_RA_UNION = 1540 Z3_OP_RA_WIDEN = 1541 Z3_OP_RA_PROJECT = 1542 Z3_OP_RA_FILTER = 1543 Z3_OP_RA_NEGATION_FILTER = 1544 Z3_OP_RA_RENAME = 1545 Z3_OP_RA_COMPLEMENT = 1546 Z3_OP_RA_SELECT = 1547 Z3_OP_RA_CLONE = 1548 Z3_OP_FD_CONSTANT = 1549 Z3_OP_FD_LT = 1550 Z3_OP_SEQ_UNIT = 1551 Z3_OP_SEQ_EMPTY = 1552 Z3_OP_SEQ_CONCAT = 1553 Z3_OP_SEQ_PREFIX = 1554 Z3_OP_SEQ_SUFFIX = 1555 Z3_OP_SEQ_CONTAINS = 1556 Z3_OP_SEQ_EXTRACT = 1557 Z3_OP_SEQ_REPLACE = 1558 Z3_OP_SEQ_AT = 1559 Z3_OP_SEQ_NTH = 1560 Z3_OP_SEQ_LENGTH = 1561 Z3_OP_SEQ_INDEX = 1562 Z3_OP_SEQ_LAST_INDEX = 1563 Z3_OP_SEQ_TO_RE = 1564 Z3_OP_SEQ_IN_RE = 1565 Z3_OP_STR_TO_INT = 1566 Z3_OP_INT_TO_STR = 1567 Z3_OP_RE_PLUS = 1568 Z3_OP_RE_STAR = 1569 Z3_OP_RE_OPTION = 1570 Z3_OP_RE_CONCAT = 1571 Z3_OP_RE_UNION = 1572 Z3_OP_RE_RANGE = 1573 Z3_OP_RE_LOOP = 1574 Z3_OP_RE_INTERSECT = 1575 Z3_OP_RE_EMPTY_SET = 1576 Z3_OP_RE_FULL_SET = 1577 Z3_OP_RE_COMPLEMENT = 1578 Z3_OP_LABEL = 1792 Z3_OP_LABEL_LIT = 1793 Z3_OP_DT_CONSTRUCTOR = 2048 Z3_OP_DT_RECOGNISER = 2049 Z3_OP_DT_IS = 2050 Z3_OP_DT_ACCESSOR = 2051 Z3_OP_DT_UPDATE_FIELD = 2052 Z3_OP_PB_AT_MOST = 2304 Z3_OP_PB_AT_LEAST = 2305 Z3_OP_PB_LE = 2306 Z3_OP_PB_GE = 2307 Z3_OP_PB_EQ = 2308 Z3_OP_SPECIAL_RELATION_LO = 40960 Z3_OP_SPECIAL_RELATION_PO = 40961 Z3_OP_SPECIAL_RELATION_PLO = 40962 Z3_OP_SPECIAL_RELATION_TO = 40963 Z3_OP_SPECIAL_RELATION_TC = 40964 Z3_OP_SPECIAL_RELATION_TRC = 40965 Z3_OP_FPA_RM_NEAREST_TIES_TO_EVEN = 45056 Z3_OP_FPA_RM_NEAREST_TIES_TO_AWAY = 45057 Z3_OP_FPA_RM_TOWARD_POSITIVE = 45058 Z3_OP_FPA_RM_TOWARD_NEGATIVE = 45059 Z3_OP_FPA_RM_TOWARD_ZERO = 45060 Z3_OP_FPA_NUM = 45061 Z3_OP_FPA_PLUS_INF = 45062 Z3_OP_FPA_MINUS_INF = 45063 Z3_OP_FPA_NAN = 45064 Z3_OP_FPA_PLUS_ZERO = 45065 Z3_OP_FPA_MINUS_ZERO = 45066 Z3_OP_FPA_ADD = 45067 Z3_OP_FPA_SUB = 45068 Z3_OP_FPA_NEG = 45069 Z3_OP_FPA_MUL = 45070 Z3_OP_FPA_DIV = 45071 Z3_OP_FPA_REM = 45072 Z3_OP_FPA_ABS = 45073 Z3_OP_FPA_MIN = 45074 Z3_OP_FPA_MAX = 45075 Z3_OP_FPA_FMA = 45076 Z3_OP_FPA_SQRT = 45077 Z3_OP_FPA_ROUND_TO_INTEGRAL = 45078 Z3_OP_FPA_EQ = 45079 Z3_OP_FPA_LT = 45080 Z3_OP_FPA_GT = 45081 Z3_OP_FPA_LE = 45082 Z3_OP_FPA_GE = 45083 Z3_OP_FPA_IS_NAN = 45084 Z3_OP_FPA_IS_INF = 45085 Z3_OP_FPA_IS_ZERO = 45086 Z3_OP_FPA_IS_NORMAL = 45087 Z3_OP_FPA_IS_SUBNORMAL = 45088 Z3_OP_FPA_IS_NEGATIVE = 45089 Z3_OP_FPA_IS_POSITIVE = 45090 Z3_OP_FPA_FP = 45091 Z3_OP_FPA_TO_FP = 45092 Z3_OP_FPA_TO_FP_UNSIGNED = 45093 Z3_OP_FPA_TO_UBV = 45094 Z3_OP_FPA_TO_SBV = 45095 Z3_OP_FPA_TO_REAL = 45096 Z3_OP_FPA_TO_IEEE_BV = 45097 Z3_OP_FPA_BVWRAP = 45098 Z3_OP_FPA_BV2RM = 45099 Z3_OP_INTERNAL = 45100 Z3_OP_UNINTERPRETED = 45101 # enum Z3_param_kind Z3_PK_UINT = 0 Z3_PK_BOOL = 1 Z3_PK_DOUBLE = 2 Z3_PK_SYMBOL = 3 Z3_PK_STRING = 4 Z3_PK_OTHER = 5 Z3_PK_INVALID = 6 # enum Z3_ast_print_mode Z3_PRINT_SMTLIB_FULL = 0 Z3_PRINT_LOW_LEVEL = 1 Z3_PRINT_SMTLIB2_COMPLIANT = 2 # enum Z3_error_code Z3_OK = 0 Z3_SORT_ERROR = 1 Z3_IOB = 2 Z3_INVALID_ARG = 3 Z3_PARSER_ERROR = 4 Z3_NO_PARSER = 5 Z3_INVALID_PATTERN = 6 Z3_MEMOUT_FAIL = 7 Z3_FILE_ACCESS_ERROR = 8 Z3_INTERNAL_FATAL = 9 Z3_INVALID_USAGE = 10 Z3_DEC_REF_ERROR = 11 Z3_EXCEPTION = 12 # enum Z3_goal_prec Z3_GOAL_PRECISE = 0 Z3_GOAL_UNDER = 1 Z3_GOAL_OVER = 2 Z3_GOAL_UNDER_OVER = 3
z3_l_false = -1 z3_l_undef = 0 z3_l_true = 1 z3_int_symbol = 0 z3_string_symbol = 1 z3_parameter_int = 0 z3_parameter_double = 1 z3_parameter_rational = 2 z3_parameter_symbol = 3 z3_parameter_sort = 4 z3_parameter_ast = 5 z3_parameter_func_decl = 6 z3_uninterpreted_sort = 0 z3_bool_sort = 1 z3_int_sort = 2 z3_real_sort = 3 z3_bv_sort = 4 z3_array_sort = 5 z3_datatype_sort = 6 z3_relation_sort = 7 z3_finite_domain_sort = 8 z3_floating_point_sort = 9 z3_rounding_mode_sort = 10 z3_seq_sort = 11 z3_re_sort = 12 z3_unknown_sort = 1000 z3_numeral_ast = 0 z3_app_ast = 1 z3_var_ast = 2 z3_quantifier_ast = 3 z3_sort_ast = 4 z3_func_decl_ast = 5 z3_unknown_ast = 1000 z3_op_true = 256 z3_op_false = 257 z3_op_eq = 258 z3_op_distinct = 259 z3_op_ite = 260 z3_op_and = 261 z3_op_or = 262 z3_op_iff = 263 z3_op_xor = 264 z3_op_not = 265 z3_op_implies = 266 z3_op_oeq = 267 z3_op_anum = 512 z3_op_agnum = 513 z3_op_le = 514 z3_op_ge = 515 z3_op_lt = 516 z3_op_gt = 517 z3_op_add = 518 z3_op_sub = 519 z3_op_uminus = 520 z3_op_mul = 521 z3_op_div = 522 z3_op_idiv = 523 z3_op_rem = 524 z3_op_mod = 525 z3_op_to_real = 526 z3_op_to_int = 527 z3_op_is_int = 528 z3_op_power = 529 z3_op_store = 768 z3_op_select = 769 z3_op_const_array = 770 z3_op_array_map = 771 z3_op_array_default = 772 z3_op_set_union = 773 z3_op_set_intersect = 774 z3_op_set_difference = 775 z3_op_set_complement = 776 z3_op_set_subset = 777 z3_op_as_array = 778 z3_op_array_ext = 779 z3_op_bnum = 1024 z3_op_bit1 = 1025 z3_op_bit0 = 1026 z3_op_bneg = 1027 z3_op_badd = 1028 z3_op_bsub = 1029 z3_op_bmul = 1030 z3_op_bsdiv = 1031 z3_op_budiv = 1032 z3_op_bsrem = 1033 z3_op_burem = 1034 z3_op_bsmod = 1035 z3_op_bsdiv0 = 1036 z3_op_budiv0 = 1037 z3_op_bsrem0 = 1038 z3_op_burem0 = 1039 z3_op_bsmod0 = 1040 z3_op_uleq = 1041 z3_op_sleq = 1042 z3_op_ugeq = 1043 z3_op_sgeq = 1044 z3_op_ult = 1045 z3_op_slt = 1046 z3_op_ugt = 1047 z3_op_sgt = 1048 z3_op_band = 1049 z3_op_bor = 1050 z3_op_bnot = 1051 z3_op_bxor = 1052 z3_op_bnand = 1053 z3_op_bnor = 1054 z3_op_bxnor = 1055 z3_op_concat = 1056 z3_op_sign_ext = 1057 z3_op_zero_ext = 1058 z3_op_extract = 1059 z3_op_repeat = 1060 z3_op_bredor = 1061 z3_op_bredand = 1062 z3_op_bcomp = 1063 z3_op_bshl = 1064 z3_op_blshr = 1065 z3_op_bashr = 1066 z3_op_rotate_left = 1067 z3_op_rotate_right = 1068 z3_op_ext_rotate_left = 1069 z3_op_ext_rotate_right = 1070 z3_op_bit2_bool = 1071 z3_op_int2_bv = 1072 z3_op_bv2_int = 1073 z3_op_carry = 1074 z3_op_xor3 = 1075 z3_op_bsmul_no_ovfl = 1076 z3_op_bumul_no_ovfl = 1077 z3_op_bsmul_no_udfl = 1078 z3_op_bsdiv_i = 1079 z3_op_budiv_i = 1080 z3_op_bsrem_i = 1081 z3_op_burem_i = 1082 z3_op_bsmod_i = 1083 z3_op_pr_undef = 1280 z3_op_pr_true = 1281 z3_op_pr_asserted = 1282 z3_op_pr_goal = 1283 z3_op_pr_modus_ponens = 1284 z3_op_pr_reflexivity = 1285 z3_op_pr_symmetry = 1286 z3_op_pr_transitivity = 1287 z3_op_pr_transitivity_star = 1288 z3_op_pr_monotonicity = 1289 z3_op_pr_quant_intro = 1290 z3_op_pr_bind = 1291 z3_op_pr_distributivity = 1292 z3_op_pr_and_elim = 1293 z3_op_pr_not_or_elim = 1294 z3_op_pr_rewrite = 1295 z3_op_pr_rewrite_star = 1296 z3_op_pr_pull_quant = 1297 z3_op_pr_push_quant = 1298 z3_op_pr_elim_unused_vars = 1299 z3_op_pr_der = 1300 z3_op_pr_quant_inst = 1301 z3_op_pr_hypothesis = 1302 z3_op_pr_lemma = 1303 z3_op_pr_unit_resolution = 1304 z3_op_pr_iff_true = 1305 z3_op_pr_iff_false = 1306 z3_op_pr_commutativity = 1307 z3_op_pr_def_axiom = 1308 z3_op_pr_assumption_add = 1309 z3_op_pr_lemma_add = 1310 z3_op_pr_redundant_del = 1311 z3_op_pr_clause_trail = 1312 z3_op_pr_def_intro = 1313 z3_op_pr_apply_def = 1314 z3_op_pr_iff_oeq = 1315 z3_op_pr_nnf_pos = 1316 z3_op_pr_nnf_neg = 1317 z3_op_pr_skolemize = 1318 z3_op_pr_modus_ponens_oeq = 1319 z3_op_pr_th_lemma = 1320 z3_op_pr_hyper_resolve = 1321 z3_op_ra_store = 1536 z3_op_ra_empty = 1537 z3_op_ra_is_empty = 1538 z3_op_ra_join = 1539 z3_op_ra_union = 1540 z3_op_ra_widen = 1541 z3_op_ra_project = 1542 z3_op_ra_filter = 1543 z3_op_ra_negation_filter = 1544 z3_op_ra_rename = 1545 z3_op_ra_complement = 1546 z3_op_ra_select = 1547 z3_op_ra_clone = 1548 z3_op_fd_constant = 1549 z3_op_fd_lt = 1550 z3_op_seq_unit = 1551 z3_op_seq_empty = 1552 z3_op_seq_concat = 1553 z3_op_seq_prefix = 1554 z3_op_seq_suffix = 1555 z3_op_seq_contains = 1556 z3_op_seq_extract = 1557 z3_op_seq_replace = 1558 z3_op_seq_at = 1559 z3_op_seq_nth = 1560 z3_op_seq_length = 1561 z3_op_seq_index = 1562 z3_op_seq_last_index = 1563 z3_op_seq_to_re = 1564 z3_op_seq_in_re = 1565 z3_op_str_to_int = 1566 z3_op_int_to_str = 1567 z3_op_re_plus = 1568 z3_op_re_star = 1569 z3_op_re_option = 1570 z3_op_re_concat = 1571 z3_op_re_union = 1572 z3_op_re_range = 1573 z3_op_re_loop = 1574 z3_op_re_intersect = 1575 z3_op_re_empty_set = 1576 z3_op_re_full_set = 1577 z3_op_re_complement = 1578 z3_op_label = 1792 z3_op_label_lit = 1793 z3_op_dt_constructor = 2048 z3_op_dt_recogniser = 2049 z3_op_dt_is = 2050 z3_op_dt_accessor = 2051 z3_op_dt_update_field = 2052 z3_op_pb_at_most = 2304 z3_op_pb_at_least = 2305 z3_op_pb_le = 2306 z3_op_pb_ge = 2307 z3_op_pb_eq = 2308 z3_op_special_relation_lo = 40960 z3_op_special_relation_po = 40961 z3_op_special_relation_plo = 40962 z3_op_special_relation_to = 40963 z3_op_special_relation_tc = 40964 z3_op_special_relation_trc = 40965 z3_op_fpa_rm_nearest_ties_to_even = 45056 z3_op_fpa_rm_nearest_ties_to_away = 45057 z3_op_fpa_rm_toward_positive = 45058 z3_op_fpa_rm_toward_negative = 45059 z3_op_fpa_rm_toward_zero = 45060 z3_op_fpa_num = 45061 z3_op_fpa_plus_inf = 45062 z3_op_fpa_minus_inf = 45063 z3_op_fpa_nan = 45064 z3_op_fpa_plus_zero = 45065 z3_op_fpa_minus_zero = 45066 z3_op_fpa_add = 45067 z3_op_fpa_sub = 45068 z3_op_fpa_neg = 45069 z3_op_fpa_mul = 45070 z3_op_fpa_div = 45071 z3_op_fpa_rem = 45072 z3_op_fpa_abs = 45073 z3_op_fpa_min = 45074 z3_op_fpa_max = 45075 z3_op_fpa_fma = 45076 z3_op_fpa_sqrt = 45077 z3_op_fpa_round_to_integral = 45078 z3_op_fpa_eq = 45079 z3_op_fpa_lt = 45080 z3_op_fpa_gt = 45081 z3_op_fpa_le = 45082 z3_op_fpa_ge = 45083 z3_op_fpa_is_nan = 45084 z3_op_fpa_is_inf = 45085 z3_op_fpa_is_zero = 45086 z3_op_fpa_is_normal = 45087 z3_op_fpa_is_subnormal = 45088 z3_op_fpa_is_negative = 45089 z3_op_fpa_is_positive = 45090 z3_op_fpa_fp = 45091 z3_op_fpa_to_fp = 45092 z3_op_fpa_to_fp_unsigned = 45093 z3_op_fpa_to_ubv = 45094 z3_op_fpa_to_sbv = 45095 z3_op_fpa_to_real = 45096 z3_op_fpa_to_ieee_bv = 45097 z3_op_fpa_bvwrap = 45098 z3_op_fpa_bv2_rm = 45099 z3_op_internal = 45100 z3_op_uninterpreted = 45101 z3_pk_uint = 0 z3_pk_bool = 1 z3_pk_double = 2 z3_pk_symbol = 3 z3_pk_string = 4 z3_pk_other = 5 z3_pk_invalid = 6 z3_print_smtlib_full = 0 z3_print_low_level = 1 z3_print_smtlib2_compliant = 2 z3_ok = 0 z3_sort_error = 1 z3_iob = 2 z3_invalid_arg = 3 z3_parser_error = 4 z3_no_parser = 5 z3_invalid_pattern = 6 z3_memout_fail = 7 z3_file_access_error = 8 z3_internal_fatal = 9 z3_invalid_usage = 10 z3_dec_ref_error = 11 z3_exception = 12 z3_goal_precise = 0 z3_goal_under = 1 z3_goal_over = 2 z3_goal_under_over = 3
#!/usr/bin/env python # -*- encoding: utf-8 -*- """ @Creation: 22/06/2020 22:08 @Author: liang @File: settings.py """ COLLECTION_NAME = 'demos' # non-environment dependent plain text data API_ENV = '${API_ENV:dev}' # environment dependent sensible data MONGO_DB_URL = '${MONGO_DB_URL:mongodb://localhost:27017}' TYPE_VAR = '${TYPE_VAR:125<int>}' DICT_VAR = '${DICT_VAR:{"name":"demo"}<dict>}' LIST_VAR = '${LIST_VAR:a,b,c<list>}' SET_VAR = '${SET_VAR:d,e,f<set>}' TUPLE_VAR = '${TUPLE_VAR:g,h,i<tuple>}' _config_files_ = ['config.ini'] # environment dependent plain text data MONGO_DB_NAME = None
""" @Creation: 22/06/2020 22:08 @Author: liang @File: settings.py """ collection_name = 'demos' api_env = '${API_ENV:dev}' mongo_db_url = '${MONGO_DB_URL:mongodb://localhost:27017}' type_var = '${TYPE_VAR:125<int>}' dict_var = '${DICT_VAR:{"name":"demo"}<dict>}' list_var = '${LIST_VAR:a,b,c<list>}' set_var = '${SET_VAR:d,e,f<set>}' tuple_var = '${TUPLE_VAR:g,h,i<tuple>}' _config_files_ = ['config.ini'] mongo_db_name = None
def f(x): a = [] if x == 0: return f(x) while x > 0: a.append(x) print(x) f(x-1) f(3)
def f(x): a = [] if x == 0: return f(x) while x > 0: a.append(x) print(x) f(x - 1) f(3)
def fimdejogo(ma, ve=0): for l in range(0, 3): for c in range(0, 3): # linhas if ma[l][0] == ma[l][1] and ma[l][1] == ma[l][2]: let = ma[l][2] return let # Colunas if ma[0][c] == ma[1][c] and ma[1][c] == ma[2][c]: let = ma[2][c] return let # Diagonais if ma[0][0] == ma[1][1] and ma[1][1] == ma[2][2]: let = ma[2][2] return let if ma[0][2] == ma[1][1] and ma[1][1] == ma[2][0]: let = ma[2][0] return let # Velha if ve == 9: let = 'niguem' return let # Retorna se o jogo acabou
def fimdejogo(ma, ve=0): for l in range(0, 3): for c in range(0, 3): if ma[l][0] == ma[l][1] and ma[l][1] == ma[l][2]: let = ma[l][2] return let if ma[0][c] == ma[1][c] and ma[1][c] == ma[2][c]: let = ma[2][c] return let if ma[0][0] == ma[1][1] and ma[1][1] == ma[2][2]: let = ma[2][2] return let if ma[0][2] == ma[1][1] and ma[1][1] == ma[2][0]: let = ma[2][0] return let if ve == 9: let = 'niguem' return let
class Provider(PhoneNumberProvider): formats = ("%## ####", "%##-####", "%######", "0{{area_code}} %## ####", "0{{area_code}} %##-####", "0{{area_code}}-%##-####", "0{{area_code}} %######", "(0{{area_code}}) %## ####", "(0{{area_code}}) %##-####", "(0{{area_code}}) %######", "+64 {{area_code}} %## ####", "+64 {{area_code}} %##-####", "+64 {{area_code}} %######", "+64-{{area_code}}-%##-####", "+64{{area_code}}%######") area_codes = ["20", "21", "22", "27", "29", "3", "4", "6", "7", "9"] def area_code(self): return self.numerify(self.random_element(self.area_codes)) def phone_number(self): pattern = self.random_element(self.formats) return self.numerify(self.generator.parse(pattern))
class Provider(PhoneNumberProvider): formats = ('%## ####', '%##-####', '%######', '0{{area_code}} %## ####', '0{{area_code}} %##-####', '0{{area_code}}-%##-####', '0{{area_code}} %######', '(0{{area_code}}) %## ####', '(0{{area_code}}) %##-####', '(0{{area_code}}) %######', '+64 {{area_code}} %## ####', '+64 {{area_code}} %##-####', '+64 {{area_code}} %######', '+64-{{area_code}}-%##-####', '+64{{area_code}}%######') area_codes = ['20', '21', '22', '27', '29', '3', '4', '6', '7', '9'] def area_code(self): return self.numerify(self.random_element(self.area_codes)) def phone_number(self): pattern = self.random_element(self.formats) return self.numerify(self.generator.parse(pattern))
# No Bugs in Production (NBP) Library # https://github.com/aenachescu/nbplib # # Licensed under the MIT License <http://opensource.org/licenses/MIT>. # SPDX-License-Identifier: MIT # Copyright (c) 2019-2020 Alin Enachescu <https://github.com/aenachescu> # # Permission is hereby granted, free of charge, to any person obtaining a copy # of this software and associated documentation files (the "Software"), to deal # in the Software without restriction, including without limitation the rights # to use, copy, modify, merge, publish, distribute, sublicense, and/or sell # copies of the Software, and to permit persons to whom the Software is # furnished to do so, subject to the following conditions: # # The above copyright notice and this permission notice shall be included in all # copies or substantial portions of the Software. # # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR # IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, # FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE # AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER # LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, # OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE # SOFTWARE. testsConfig = [ { "name": "check_build_configuration", "buildConfig": [ { "config": "<any>:<any>:<any>:<any>", "consoleOutputContains": "linux ${compiler} ${standard} " "${platform} ${sanitizer}" } ] }, { "name": "check_leak_sanitizer", "consoleOutputContains": "check_leak_sanitizer completed successfully", "buildConfig": [ { "config": "<any>:<any>:<-m64>:<leak>", "returnCode": 23, "consoleOutputContains": "detected memory leaks" } ] }, { "name": "check_thread_sanitizer", "consoleOutputContains": "check_thread_sanitizer completed successfully", "buildConfig": [ { "config": "<any>:<any>:<any>:<thread>", "returnCode": 66, "consoleOutputContains": "ThreadSanitizer: data race" } ] }, { "name": "check_ub_sanitizer", "consoleOutputContains": "check_ub_sanitizer completed successfully", "buildConfig": [ { "config": "<any>:<any>:<any>:<ub>", "returnCode": 1, "consoleOutputContains": "signed integer overflow" } ] }, { "name": "check_address_sanitizer_heap_use_after_free", "consoleOutputContains": "check_address_sanitizer(heap use after free) " "completed successfully", "buildConfig": [ { "config": "<any>:<any>:<any>:<address>", "returnCode": 1, "consoleOutputContains": "AddressSanitizer: heap-use-after-free on address" } ] }, { "name": "check_address_sanitizer_heap_buffer_overflow", "consoleOutputContains": "check_address_sanitizer(heap buffer " "overflow) completed successfully", "buildConfig": [ { "config": "<any>:<any>:<any>:<address>", "returnCode": 1, "consoleOutputContains": "AddressSanitizer: heap-buffer-overflow on address" } ] }, { "name": "check_address_sanitizer_stack_buffer_overflow", "consoleOutputContains": "check_address_sanitizer_stack_buffer_overflow " "completed successfully", "buildConfig": [ { "config": "<any>:<any>:<any>:<address>", "returnCode": 1, "consoleOutputContains": "AddressSanitizer: stack-buffer-overflow on address" } ] }, { "name": "check_address_sanitizer_global_buffer_overflow", "consoleOutputContains": "check_address_sanitizer_global_buffer_overflow " "completed successfully", "buildConfig": [ { "config": "<any>:<any>:<any>:<address>", "returnCode": 1, "consoleOutputContains": "AddressSanitizer: global-buffer-overflow on address" } ] }, { "name": "check_address_sanitizer_stack_use_after_return", "consoleOutputContains": "check_address_sanitizer_stack_use_after_return " "completed successfully", "buildConfig": [ { "config": "<any>:<any>:<any>:<address>", "returnCode": 1, "consoleOutputContains": "AddressSanitizer: stack-use-after-return on address" } ] }, { "name": "check_address_sanitizer_pointer_comparison", "consoleOutputContains": "check_address_sanitizer_pointer_comparison completed successfully", "buildConfig": [ { "config": "<any>:<any>:<any>:<address>", "returnCode": 1, "consoleOutputContains": "AddressSanitizer: invalid-pointer-pair:" } ] }, { "name": "check_address_sanitizer_pointer_subtraction", "consoleOutputContains":"check_address_sanitizer_pointer_subtraction " "completed successfully", "buildConfig": [ { "config": "<any>:<any>:<any>:<address>", "returnCode": 1, "consoleOutputContains": "AddressSanitizer: invalid-pointer-pair:" } ] } ]
tests_config = [{'name': 'check_build_configuration', 'buildConfig': [{'config': '<any>:<any>:<any>:<any>', 'consoleOutputContains': 'linux ${compiler} ${standard} ${platform} ${sanitizer}'}]}, {'name': 'check_leak_sanitizer', 'consoleOutputContains': 'check_leak_sanitizer completed successfully', 'buildConfig': [{'config': '<any>:<any>:<-m64>:<leak>', 'returnCode': 23, 'consoleOutputContains': 'detected memory leaks'}]}, {'name': 'check_thread_sanitizer', 'consoleOutputContains': 'check_thread_sanitizer completed successfully', 'buildConfig': [{'config': '<any>:<any>:<any>:<thread>', 'returnCode': 66, 'consoleOutputContains': 'ThreadSanitizer: data race'}]}, {'name': 'check_ub_sanitizer', 'consoleOutputContains': 'check_ub_sanitizer completed successfully', 'buildConfig': [{'config': '<any>:<any>:<any>:<ub>', 'returnCode': 1, 'consoleOutputContains': 'signed integer overflow'}]}, {'name': 'check_address_sanitizer_heap_use_after_free', 'consoleOutputContains': 'check_address_sanitizer(heap use after free) completed successfully', 'buildConfig': [{'config': '<any>:<any>:<any>:<address>', 'returnCode': 1, 'consoleOutputContains': 'AddressSanitizer: heap-use-after-free on address'}]}, {'name': 'check_address_sanitizer_heap_buffer_overflow', 'consoleOutputContains': 'check_address_sanitizer(heap buffer overflow) completed successfully', 'buildConfig': [{'config': '<any>:<any>:<any>:<address>', 'returnCode': 1, 'consoleOutputContains': 'AddressSanitizer: heap-buffer-overflow on address'}]}, {'name': 'check_address_sanitizer_stack_buffer_overflow', 'consoleOutputContains': 'check_address_sanitizer_stack_buffer_overflow completed successfully', 'buildConfig': [{'config': '<any>:<any>:<any>:<address>', 'returnCode': 1, 'consoleOutputContains': 'AddressSanitizer: stack-buffer-overflow on address'}]}, {'name': 'check_address_sanitizer_global_buffer_overflow', 'consoleOutputContains': 'check_address_sanitizer_global_buffer_overflow completed successfully', 'buildConfig': [{'config': '<any>:<any>:<any>:<address>', 'returnCode': 1, 'consoleOutputContains': 'AddressSanitizer: global-buffer-overflow on address'}]}, {'name': 'check_address_sanitizer_stack_use_after_return', 'consoleOutputContains': 'check_address_sanitizer_stack_use_after_return completed successfully', 'buildConfig': [{'config': '<any>:<any>:<any>:<address>', 'returnCode': 1, 'consoleOutputContains': 'AddressSanitizer: stack-use-after-return on address'}]}, {'name': 'check_address_sanitizer_pointer_comparison', 'consoleOutputContains': 'check_address_sanitizer_pointer_comparison completed successfully', 'buildConfig': [{'config': '<any>:<any>:<any>:<address>', 'returnCode': 1, 'consoleOutputContains': 'AddressSanitizer: invalid-pointer-pair:'}]}, {'name': 'check_address_sanitizer_pointer_subtraction', 'consoleOutputContains': 'check_address_sanitizer_pointer_subtraction completed successfully', 'buildConfig': [{'config': '<any>:<any>:<any>:<address>', 'returnCode': 1, 'consoleOutputContains': 'AddressSanitizer: invalid-pointer-pair:'}]}]
class Solution: def getRow(self, rowIndex): """ :type rowIndex: int :rtype: List[int] """ res = [1] * (rowIndex+1) for i in range(2, rowIndex+1): for j in range(1, i): res[i-j] += res[i-j-1] return res
class Solution: def get_row(self, rowIndex): """ :type rowIndex: int :rtype: List[int] """ res = [1] * (rowIndex + 1) for i in range(2, rowIndex + 1): for j in range(1, i): res[i - j] += res[i - j - 1] return res
loaddata = LoadData("./unified/uw/train.conll", "./unified/uw/dev.conll", "./unified/uw/test.conll") counter, counter_dev, counter_test = [],[],[] a = loaddata.conllu_counter['train'] a = loaddata.counter_process(a) for d in a: counter.append(d) for d in range(len(counter)): counter[d].index=tuple([d]) b = loaddata.conllu_counter['dev'] b = loaddata.counter_process(b) for d in b : counter_dev.append(d) for d in range(len(counter_dev)): counter_dev[d].index=tuple([d]) c = loaddata.conllu_counter['test'] c = loaddata.counter_process(c) test_i=c.copy() for d in c: counter_test.append(d) for d in range(len(counter_test)): counter_test[d].index=tuple([d])
loaddata = load_data('./unified/uw/train.conll', './unified/uw/dev.conll', './unified/uw/test.conll') (counter, counter_dev, counter_test) = ([], [], []) a = loaddata.conllu_counter['train'] a = loaddata.counter_process(a) for d in a: counter.append(d) for d in range(len(counter)): counter[d].index = tuple([d]) b = loaddata.conllu_counter['dev'] b = loaddata.counter_process(b) for d in b: counter_dev.append(d) for d in range(len(counter_dev)): counter_dev[d].index = tuple([d]) c = loaddata.conllu_counter['test'] c = loaddata.counter_process(c) test_i = c.copy() for d in c: counter_test.append(d) for d in range(len(counter_test)): counter_test[d].index = tuple([d])
# # PySNMP MIB module CISCO-WAN-PAR-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/CISCO-WAN-PAR-MIB # Produced by pysmi-0.3.4 at Wed May 1 12:20:40 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # OctetString, ObjectIdentifier, Integer = mibBuilder.importSymbols("ASN1", "OctetString", "ObjectIdentifier", "Integer") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ValueRangeConstraint, SingleValueConstraint, ConstraintsUnion, ValueSizeConstraint, ConstraintsIntersection = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueRangeConstraint", "SingleValueConstraint", "ConstraintsUnion", "ValueSizeConstraint", "ConstraintsIntersection") par, = mibBuilder.importSymbols("BASIS-MIB", "par") ciscoWan, = mibBuilder.importSymbols("CISCOWAN-SMI", "ciscoWan") NotificationGroup, ModuleCompliance, ObjectGroup = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance", "ObjectGroup") ObjectIdentity, Integer32, MibScalar, MibTable, MibTableRow, MibTableColumn, iso, NotificationType, Unsigned32, Gauge32, IpAddress, Bits, MibIdentifier, Counter32, ModuleIdentity, Counter64, TimeTicks = mibBuilder.importSymbols("SNMPv2-SMI", "ObjectIdentity", "Integer32", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "iso", "NotificationType", "Unsigned32", "Gauge32", "IpAddress", "Bits", "MibIdentifier", "Counter32", "ModuleIdentity", "Counter64", "TimeTicks") TruthValue, TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TruthValue", "TextualConvention", "DisplayString") ciscoWanParMIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 351, 150, 63)) ciscoWanParMIB.setRevisions(('2002-09-10 00:00',)) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): if mibBuilder.loadTexts: ciscoWanParMIB.setRevisionsDescriptions(('Initial version of the MIB. The content of this MIB was originally available in CISCO-WAN-AXIPOP-MIB defined using SMIv1. The applicable objects from CISCO-WAN-AXIPOP-MIB are defined using SMIv2 in this MIB. Also the descriptions of some of the objects have been modified.',)) if mibBuilder.loadTexts: ciscoWanParMIB.setLastUpdated('200209100000Z') if mibBuilder.loadTexts: ciscoWanParMIB.setOrganization('Cisco Systems, Inc.') if mibBuilder.loadTexts: ciscoWanParMIB.setContactInfo(' Cisco Systems Customer Service Postal: 170 W Tasman Drive San Jose, CA 95134 USA Tel: +1 800 553-NETS E-mail: cs-wanatm@cisco.com') if mibBuilder.loadTexts: ciscoWanParMIB.setDescription('The MIB module for configuring AutoRoute controller. The Portable AutoRoute(PAR) is a Controller providing routing capabilities in Network of Cisco MGX and BPX Switches. PAR controller performs following functions: - Connection Provisioning. Adding/Deleting/modifying connections - Connection Alarm Management. On receipt of a failure event, PAR sends messages to condition the connection. - Annex G functionality. Manages the LMI communication between feeder and routing node. - Clocking Control. PAR handles the clocking selection for the switch.') parSelfNode = MibIdentifier((1, 3, 6, 1, 4, 1, 351, 130, 1)) parInterfaces = MibIdentifier((1, 3, 6, 1, 4, 1, 351, 130, 2)) parConnection = MibIdentifier((1, 3, 6, 1, 4, 1, 351, 130, 3)) parNetworkClock = MibIdentifier((1, 3, 6, 1, 4, 1, 351, 130, 4)) parConfigParms = MibIdentifier((1, 3, 6, 1, 4, 1, 351, 130, 5)) parVsiConfigParms = MibIdentifier((1, 3, 6, 1, 4, 1, 351, 130, 5, 1)) parCmParms = MibIdentifier((1, 3, 6, 1, 4, 1, 351, 130, 5, 2)) parMnUpdt = MibIdentifier((1, 3, 6, 1, 4, 1, 351, 130, 5, 3)) parSwFunc = MibIdentifier((1, 3, 6, 1, 4, 1, 351, 130, 5, 4)) parOnOff = MibIdentifier((1, 3, 6, 1, 4, 1, 351, 130, 5, 5)) parSysParms = MibIdentifier((1, 3, 6, 1, 4, 1, 351, 130, 5, 6)) parNetworkingParms = MibIdentifier((1, 3, 6, 1, 4, 1, 351, 130, 5, 7)) parSnNodeId = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 223)).clone(1)).setMaxAccess("readwrite") if mibBuilder.loadTexts: parSnNodeId.setStatus('current') if mibBuilder.loadTexts: parSnNodeId.setDescription(' This object specifies the node number of the node. When the network manager tries to modify the value of this object, a message is sent node state machine which propagates this information and the value gets modified only if the new node number is successfully propagated. The node number uniquely identifies a routing node in a network.') parSnNodeIP = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 1, 2), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: parSnNodeIP.setStatus('current') if mibBuilder.loadTexts: parSnNodeIP.setDescription('This object specifies the IP address for routing node and is used for communication with SNMP manager(for example Cisco Wan Manager:CWM).') parSnNodeName = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 8))).setMaxAccess("readwrite") if mibBuilder.loadTexts: parSnNodeName.setStatus('current') if mibBuilder.loadTexts: parSnNodeName.setDescription('This object specifies the name of the node and is unique among all the nodes in the network. Whenever the name of the node is changed, AutoRoute has to propagate the information to the other nodes in the network. It also specifies the name of a PAR Feeder node.') parSnRevision = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 1, 4), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: parSnRevision.setStatus('current') if mibBuilder.loadTexts: parSnRevision.setDescription('This object specifies the primary revision of the PAR running on the node. Format: cc.c.cc Where: c = one ascii character') parSnNodeAlarmStatus = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("clear", 1), ("minor", 2), ("major", 3), ("unreach", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: parSnNodeAlarmStatus.setStatus('current') if mibBuilder.loadTexts: parSnNodeAlarmStatus.setDescription('This object specifies the type of alarm on the node. clear(1) : No Alarm minor(2) : Minor Alarm major(3) : Major Alarm unreach(4) : Node is unreachable.') parSnNumberOfTrunks = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: parSnNumberOfTrunks.setStatus('current') if mibBuilder.loadTexts: parSnNumberOfTrunks.setDescription('This object specifies the number of trunks attached to the node.') parIfTable = MibTable((1, 3, 6, 1, 4, 1, 351, 130, 2, 1), ) if mibBuilder.loadTexts: parIfTable.setStatus('current') if mibBuilder.loadTexts: parIfTable.setDescription('Table of all logical interfaces supported by PAR') parIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 351, 130, 2, 1, 1), ).setIndexNames((0, "CISCO-WAN-PAR-MIB", "parIfLogicalInterface")) if mibBuilder.loadTexts: parIfEntry.setStatus('current') if mibBuilder.loadTexts: parIfEntry.setDescription('Entries for logical interfaces.') parIfLogicalInterface = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: parIfLogicalInterface.setStatus('current') if mibBuilder.loadTexts: parIfLogicalInterface.setDescription('This object specifies the logical interface number.') parIfType = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("userport", 1), ("routingtrunk", 2), ("feedertrunk", 3), ("clkport", 4), ("virtualtrunk", 5))).clone('userport')).setMaxAccess("readwrite") if mibBuilder.loadTexts: parIfType.setStatus('current') if mibBuilder.loadTexts: parIfType.setDescription('This object specifies the type of interface. User ports need to be UNI interface. The trunks can be either UNI or NNI. userport(1) : UNI interface. This is for user ports. routingtrunk(2) : NNI interface. This value can be set provided there are no connections on the interface. feedertrunk(3) : It is feeder trunk. clkport(4) : Clock port. virtualtrunk(5): Virtual Trunk. Type of interface can be changed from nni(2) to uni(1) if the trunk is not added.') parIfOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("up", 1), ("added", 2), ("failed", 3), ("added-failed", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: parIfOperStatus.setStatus('current') if mibBuilder.loadTexts: parIfOperStatus.setDescription('This object specifies the operation status of the interface. up(1) : Interface is up. This value is applicable for UNI as well as NNI interfaces. added(2) : Interface is added. This value is applicable for NNI interfaces. failed(3) : Interface is failed. This value is applicable for UNI as well as NNI interfaces. added-failed (4) : Interface is failed. This value is applicable for NNI interfaces. interfaces.') parIfTxBw = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 1, 1, 4), Integer32()).setUnits('cells-per-second').setMaxAccess("readonly") if mibBuilder.loadTexts: parIfTxBw.setStatus('current') if mibBuilder.loadTexts: parIfTxBw.setDescription('This object specifies the transmit bandwidth for the interface.') parIfRxBw = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 1, 1, 5), Integer32()).setUnits('cells-per-second').setMaxAccess("readonly") if mibBuilder.loadTexts: parIfRxBw.setStatus('current') if mibBuilder.loadTexts: parIfRxBw.setDescription('This object specifies the receive bandwidth for the interface.') parIfMaxConn = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 1, 1, 6), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: parIfMaxConn.setStatus('current') if mibBuilder.loadTexts: parIfMaxConn.setDescription('This object specifies the maximum number of connections that can be configured over the interface.') parIfHiAddrMin = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 1, 1, 7), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: parIfHiAddrMin.setStatus('current') if mibBuilder.loadTexts: parIfHiAddrMin.setDescription('This object specifies the minimum VPI that PAR can use for configuring connection in the interface.') parIfHiAddrMax = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 1, 1, 8), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: parIfHiAddrMax.setStatus('current') if mibBuilder.loadTexts: parIfHiAddrMax.setDescription('This object specifies the maximum VPI that PAR can use for configuring connection in the interface.') parIfLoAddrMin = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 1, 1, 9), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: parIfLoAddrMin.setStatus('current') if mibBuilder.loadTexts: parIfLoAddrMin.setDescription('This object specifies the minimum VCI that PAR can use for configuring connection in the interface.') parIfLoAddrMax = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 1, 1, 10), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: parIfLoAddrMax.setStatus('current') if mibBuilder.loadTexts: parIfLoAddrMax.setDescription('This object specifies the maximum VCI that PAR can use for configuring connection in the interface.') parTrkTable = MibTable((1, 3, 6, 1, 4, 1, 351, 130, 2, 2), ) if mibBuilder.loadTexts: parTrkTable.setStatus('current') if mibBuilder.loadTexts: parTrkTable.setDescription('The table containing trunk parameters.') parTrkEntry = MibTableRow((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1), ).setIndexNames((0, "CISCO-WAN-PAR-MIB", "parIfLogicalInterface")) if mibBuilder.loadTexts: parTrkEntry.setStatus('current') if mibBuilder.loadTexts: parTrkEntry.setDescription('Entries for logical interfaces configured as trunks (parIfType nni).') parTrkId = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: parTrkId.setStatus('current') if mibBuilder.loadTexts: parTrkId.setDescription('This object specifies the logical trunk number associated with the trunk at the local node.') parTrkStatReserve = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 2), Integer32().clone(1000)).setUnits('cells-per-second').setMaxAccess("readwrite") if mibBuilder.loadTexts: parTrkStatReserve.setStatus('current') if mibBuilder.loadTexts: parTrkStatReserve.setDescription('Specifies the bandwidth reserved as Statistical Reserve on the trunk in units of cells per second. This object cannot take a value beyond the bandwidth capacity of the trunk.') parTrkCnfgCcRestrict = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 3), TruthValue().clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: parTrkCnfgCcRestrict.setStatus('current') if mibBuilder.loadTexts: parTrkCnfgCcRestrict.setDescription('This object specifies the operators preference for routing control plane traffic on the interface. If the object is set to False, then the interface may be chosen for control plane traffic. If it is True, then the interface is not chosen, unless there is no other trunk with parIfOperStatus added(2), in which case it is chosen regardless of the value of this object.') parTrkCnfgLineType = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("terrestrial", 1), ("satellite", 2))).clone('terrestrial')).setMaxAccess("readwrite") if mibBuilder.loadTexts: parTrkCnfgLineType.setStatus('current') if mibBuilder.loadTexts: parTrkCnfgLineType.setDescription('This object specifies the type of interface terrestrial or satellite. The interfaces configured as terrestrial(1) are preferred over those configured as satellite(2) for routing control plane traffic. This information is also used for connections for which routing restrictions are specified.') parTrkCnfgPassSync = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 5), TruthValue().clone('true')).setMaxAccess("readwrite") if mibBuilder.loadTexts: parTrkCnfgPassSync.setStatus('current') if mibBuilder.loadTexts: parTrkCnfgPassSync.setDescription('This object specifies whether the trunk can be used to pass clock sync. If the value of this object is True, clock can be synchronized through the trunk; otherwise not.') parTrkCnfgDerouteDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 6), Integer32()).setUnits('seconds').setMaxAccess("readwrite") if mibBuilder.loadTexts: parTrkCnfgDerouteDelay.setStatus('current') if mibBuilder.loadTexts: parTrkCnfgDerouteDelay.setDescription('This object specifies the value of deroute delay timer in seconds.') parTrkCnfgTrafficClassFst = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 7), TruthValue().clone('true')).setMaxAccess("readwrite") if mibBuilder.loadTexts: parTrkCnfgTrafficClassFst.setStatus('current') if mibBuilder.loadTexts: parTrkCnfgTrafficClassFst.setDescription('This object indicates whether Foresight traffic can be routed over the trunk. If the value is true(1), it can be rerouted otherwise not.') parTrkCnfgTrafficClassFr = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 8), TruthValue().clone('true')).setMaxAccess("readwrite") if mibBuilder.loadTexts: parTrkCnfgTrafficClassFr.setStatus('current') if mibBuilder.loadTexts: parTrkCnfgTrafficClassFr.setDescription('This object indicates whether Frame Relay traffic can be routed over the trunk. If the value is true(1), it can be rerouted otherwise not.') parTrkCnfgTrafficClassNts = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 9), TruthValue().clone('true')).setMaxAccess("readwrite") if mibBuilder.loadTexts: parTrkCnfgTrafficClassNts.setStatus('current') if mibBuilder.loadTexts: parTrkCnfgTrafficClassNts.setDescription('This object indicates whether Non-Time Stamped traffic can be routed over the trunk. If the value is true(1) it can be rerouted otherwise not.') parTrkCnfgTrafficClassTs = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 10), TruthValue().clone('true')).setMaxAccess("readwrite") if mibBuilder.loadTexts: parTrkCnfgTrafficClassTs.setStatus('current') if mibBuilder.loadTexts: parTrkCnfgTrafficClassTs.setDescription('This object indicates whether Time Stamped traffic can be routed over the trunk. If the value is true(1) it can be rerouted otherwise not.') parTrkCnfgTrafficClassVoice = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 11), TruthValue().clone('true')).setMaxAccess("readwrite") if mibBuilder.loadTexts: parTrkCnfgTrafficClassVoice.setStatus('current') if mibBuilder.loadTexts: parTrkCnfgTrafficClassVoice.setDescription('This object indicates whether Voice traffic can be routed over the trunk. If the value is true(1), it can be rerouted otherwise not.') parTrkCnfgTrafficClassCbr = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 12), TruthValue().clone('true')).setMaxAccess("readwrite") if mibBuilder.loadTexts: parTrkCnfgTrafficClassCbr.setStatus('current') if mibBuilder.loadTexts: parTrkCnfgTrafficClassCbr.setDescription('This object indicates whether Constant Bit Rate traffic can be routed over the trunk. If the value is true(1), it can be rerouted otherwise not.') parTrkCnfgTrafficClassVbr = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 13), TruthValue().clone('true')).setMaxAccess("readwrite") if mibBuilder.loadTexts: parTrkCnfgTrafficClassVbr.setStatus('current') if mibBuilder.loadTexts: parTrkCnfgTrafficClassVbr.setDescription('This object indicates whether Variable Bit Rate traffic can be routed over the trunk. If the value is true(1), it can be rerouted otherwise not.') parTrkCnfgTrafficClassAbr = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 14), TruthValue().clone('true')).setMaxAccess("readwrite") if mibBuilder.loadTexts: parTrkCnfgTrafficClassAbr.setStatus('current') if mibBuilder.loadTexts: parTrkCnfgTrafficClassAbr.setDescription('This object indicates whether Available Bit Rate traffic can be routed over the trunk. If the value is true(1), it can be rerouted otherwise not.') parTrkCnfgAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("add", 1), ("delete", 2))).clone('delete')).setMaxAccess("readwrite") if mibBuilder.loadTexts: parTrkCnfgAdminStatus.setStatus('current') if mibBuilder.loadTexts: parTrkCnfgAdminStatus.setDescription('This object can be used to add or delete the trunk. The value of this object can be set to add(1) only if the parIfOperStatus is up(1). The value can be set to delete if parIfOperStatus is added or added-failed') parTrkCnfgRoutingCost = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 16), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 15)).clone(7)).setMaxAccess("readwrite") if mibBuilder.loadTexts: parTrkCnfgRoutingCost.setStatus('current') if mibBuilder.loadTexts: parTrkCnfgRoutingCost.setDescription('This object specifies the cost associated with the trunk for the purpose of routing the connections. This object has significance if cost based routing feature is enabled(parCmParmsCostBased)') parTrkCnfgVccConids = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 17), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: parTrkCnfgVccConids.setStatus('current') if mibBuilder.loadTexts: parTrkCnfgVccConids.setDescription('The maximum number of routing resource available on the trunk for VCC connections.') parTrkCnfgVpcConids = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 18), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: parTrkCnfgVpcConids.setStatus('current') if mibBuilder.loadTexts: parTrkCnfgVpcConids.setDescription('The maximum number of routing resource available on the trunk for VPC connections') parTrkLocalSlotNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 32))).setMaxAccess("readonly") if mibBuilder.loadTexts: parTrkLocalSlotNumber.setStatus('current') if mibBuilder.loadTexts: parTrkLocalSlotNumber.setDescription('This object specifies the slot number of the interface card associated with the trunk at the local node.') parTrkLocalPortNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 20), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: parTrkLocalPortNumber.setStatus('current') if mibBuilder.loadTexts: parTrkLocalPortNumber.setDescription('This object specifies the port number of the interface card associated with the trunk at the local node.') parTrkLocalVTrunkId = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 21), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: parTrkLocalVTrunkId.setStatus('current') if mibBuilder.loadTexts: parTrkLocalVTrunkId.setDescription('This object specifies the Virtual trunk of the interface card associated with the trunk at the local node. The value of this object is between 1 and 254, inclusive for a virtual trunk and 255 for a physical trunk.') parTrkRemoteNodeId = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 22), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 223))).setMaxAccess("readonly") if mibBuilder.loadTexts: parTrkRemoteNodeId.setStatus('current') if mibBuilder.loadTexts: parTrkRemoteNodeId.setDescription('This object specifies the node number of the node attached to the remote end of the trunk.') parTrkRemoteTrunkId = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 23), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: parTrkRemoteTrunkId.setStatus('current') if mibBuilder.loadTexts: parTrkRemoteTrunkId.setDescription('This object specifies the logical trunk number at the node on the remote end of the trunk.') parTrkRemoteSlotNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 24), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 32))).setMaxAccess("readonly") if mibBuilder.loadTexts: parTrkRemoteSlotNumber.setStatus('current') if mibBuilder.loadTexts: parTrkRemoteSlotNumber.setDescription('This object specifies the slot number of the interface card to which the trunk is attached on the remote node.') parTrkRemotePortNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 25), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: parTrkRemotePortNumber.setStatus('current') if mibBuilder.loadTexts: parTrkRemotePortNumber.setDescription('This object specifies the port number of the interface card to which the trunk is attached on the remote node.') parTrkRemoteVTrunkId = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 26), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: parTrkRemoteVTrunkId.setStatus('current') if mibBuilder.loadTexts: parTrkRemoteVTrunkId.setDescription('This object specifies the Virtual trunk of the interface card associated with the trunk at the remote node. The value of this object is between 1 and 254, inclusive for a virtual trunk and 255 for a physical trunk.') parTrkRemoteNodeIP = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 27), IpAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: parTrkRemoteNodeIP.setStatus('current') if mibBuilder.loadTexts: parTrkRemoteNodeIP.setDescription('This object specifies the IP address for the Remote node, used for communication with NMS') parTrkRemoteNodeType = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 28), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("ipx", 1), ("igx", 2), ("bpx", 3), ("par", 4), ("unknown", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: parTrkRemoteNodeType.setStatus('current') if mibBuilder.loadTexts: parTrkRemoteNodeType.setDescription('Specifies the type of the node.') parTrkRemoteNodeName = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 29), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: parTrkRemoteNodeName.setStatus('current') if mibBuilder.loadTexts: parTrkRemoteNodeName.setDescription('This object specifies the name of the remote node and is unique among all the nodes in the network.') parTrkAlarmStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 30), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("clear", 1), ("minor", 2), ("major", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: parTrkAlarmStatus.setStatus('current') if mibBuilder.loadTexts: parTrkAlarmStatus.setDescription('This object specifies the severity of the alarm on the trunk. clear(1) : No Alarm minor(2) : Minor Alarm major(3) : Major Alarm.') parTrkAlarmType = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 31), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("rsrcunavail", 1), ("commfail", 2), ("unknown", 3), ("failed", 4), ("looped", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: parTrkAlarmType.setStatus('current') if mibBuilder.loadTexts: parTrkAlarmType.setDescription('This object specifies the type of alarm on the trunk. The value of this object has no significance if parTrunkAlarmStatus indicates no alarm. rsrcunavail(1) : resources unavailable indicates that the platform has not provided the resources required to make this interface into a trunk. commfail(2) : communication failure indicates that message exchanged between neighboring nodes on this trunk has failed. unknown (3) : indicates that the alarm type is unknown to PAR, for example if the platform has declared the interface in alarm due to some physical problem with the interface.') parTrkBwCapacity = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 32), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: parTrkBwCapacity.setStatus('current') if mibBuilder.loadTexts: parTrkBwCapacity.setDescription('Specifies the bandwidth capacity of the trunk.') parTrkLineLoad = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 33), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: parTrkLineLoad.setStatus('current') if mibBuilder.loadTexts: parTrkLineLoad.setDescription('Specifies the bandwidth used by the connections routed over the trunk.') parTrkLoadTable = MibTable((1, 3, 6, 1, 4, 1, 351, 130, 2, 3), ) if mibBuilder.loadTexts: parTrkLoadTable.setStatus('current') if mibBuilder.loadTexts: parTrkLoadTable.setDescription('Trunk Load Information') parTrkLoadEntry = MibTableRow((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1), ).setIndexNames((0, "CISCO-WAN-PAR-MIB", "parIfLogicalInterface")) if mibBuilder.loadTexts: parTrkLoadEntry.setStatus('current') if mibBuilder.loadTexts: parTrkLoadEntry.setDescription('Load info for logical interfaces configured as trunks (parIfType nni).') parTrkLoadXmtUsedCbr = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: parTrkLoadXmtUsedCbr.setStatus('current') if mibBuilder.loadTexts: parTrkLoadXmtUsedCbr.setDescription('This object specifies the used bandwidth in the transmit direction for CBR traffic.') parTrkLoadRcvUsedCbr = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1, 2), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: parTrkLoadRcvUsedCbr.setStatus('current') if mibBuilder.loadTexts: parTrkLoadRcvUsedCbr.setDescription('This object specifies the used bandwidth in the receive direction for CBR traffic') parTrkLoadXmtUsedVbr = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1, 3), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: parTrkLoadXmtUsedVbr.setStatus('current') if mibBuilder.loadTexts: parTrkLoadXmtUsedVbr.setDescription('This object specifies the used bandwidth in the transmit direction for VBR traffic.') parTrkLoadRcvUsedVbr = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1, 4), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: parTrkLoadRcvUsedVbr.setStatus('current') if mibBuilder.loadTexts: parTrkLoadRcvUsedVbr.setDescription('This object specifies the used bandwidth in the receive direction for VBR traffic.') parTrkLoadXmtUsedAbr = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1, 5), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: parTrkLoadXmtUsedAbr.setStatus('current') if mibBuilder.loadTexts: parTrkLoadXmtUsedAbr.setDescription('This object specifies the used bandwidth in the transmit direction for ABR.') parTrkLoadRcvUsedAbr = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1, 6), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: parTrkLoadRcvUsedAbr.setStatus('current') if mibBuilder.loadTexts: parTrkLoadRcvUsedAbr.setDescription('This object specifies the used bandwidth in the receive direction for ABR.') parTrkLoadXmtUsedNts = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1, 7), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: parTrkLoadXmtUsedNts.setStatus('current') if mibBuilder.loadTexts: parTrkLoadXmtUsedNts.setDescription('This object specifies the used bandwidth in the transmit direction for Non-Time Stamped.') parTrkLoadRcvUsedNts = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1, 8), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: parTrkLoadRcvUsedNts.setStatus('current') if mibBuilder.loadTexts: parTrkLoadRcvUsedNts.setDescription('This object specifies the used bandwidth in the receive direction for Non-Time Stamped.') parTrkLoadXmtUsedTs = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1, 9), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: parTrkLoadXmtUsedTs.setStatus('current') if mibBuilder.loadTexts: parTrkLoadXmtUsedTs.setDescription('This object specifies the used bandwidth in the transmit direction for Time-Stamped.') parTrkLoadRcvUsedTs = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1, 10), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: parTrkLoadRcvUsedTs.setStatus('current') if mibBuilder.loadTexts: parTrkLoadRcvUsedTs.setDescription('This object specifies the used bandwidth in the receive direction for Time-Stamped.') parTrkLoadXmtUsedVoice = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1, 11), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: parTrkLoadXmtUsedVoice.setStatus('current') if mibBuilder.loadTexts: parTrkLoadXmtUsedVoice.setDescription('This object specifies the used bandwidth in the transmit direction for Voice.') parTrkLoadRcvUsedVoice = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1, 12), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: parTrkLoadRcvUsedVoice.setStatus('current') if mibBuilder.loadTexts: parTrkLoadRcvUsedVoice.setDescription('This object specifies the used bandwidth in the receive direction for Voice.') parTrkLoadXmtUsedBdataA = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1, 13), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: parTrkLoadXmtUsedBdataA.setStatus('current') if mibBuilder.loadTexts: parTrkLoadXmtUsedBdataA.setDescription('This object specifies the used bandwidth in the transmit direction for Busty Data A.') parTrkLoadRcvUsedBdataA = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1, 14), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: parTrkLoadRcvUsedBdataA.setStatus('current') if mibBuilder.loadTexts: parTrkLoadRcvUsedBdataA.setDescription('This object specifies the used bandwidth in the receive direction for Bursty Data A.') parTrkLoadXmtUsedBdataB = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1, 15), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: parTrkLoadXmtUsedBdataB.setStatus('current') if mibBuilder.loadTexts: parTrkLoadXmtUsedBdataB.setDescription('This object specifies the used bandwidth in the transmit direction for Bursty Data B.') parTrkLoadRcvUsedBdataB = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1, 16), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: parTrkLoadRcvUsedBdataB.setStatus('current') if mibBuilder.loadTexts: parTrkLoadRcvUsedBdataB.setDescription('This object specifies the used bandwidth in the receive direction for Bursty Data B.') parTrkLoadVccConidsUsed = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1, 17), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: parTrkLoadVccConidsUsed.setStatus('current') if mibBuilder.loadTexts: parTrkLoadVccConidsUsed.setDescription('This object specifies the number of conids used for VCCs (not used) on the trunk.') parTrkLoadVpcConidsUsed = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1, 19), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: parTrkLoadVpcConidsUsed.setStatus('current') if mibBuilder.loadTexts: parTrkLoadVpcConidsUsed.setDescription('This object specifies the number of conids Used for VPCs (not used) on the trunk.') parConnectionTable = MibTable((1, 3, 6, 1, 4, 1, 351, 130, 3, 1), ) if mibBuilder.loadTexts: parConnectionTable.setStatus('current') if mibBuilder.loadTexts: parConnectionTable.setDescription('This table contains connections Mastered or slaved by the node.') parConnectionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1), ).setIndexNames((0, "CISCO-WAN-PAR-MIB", "parConnLocalSlot"), (0, "CISCO-WAN-PAR-MIB", "parConnLocalPort"), (0, "CISCO-WAN-PAR-MIB", "parConnLocalVpi"), (0, "CISCO-WAN-PAR-MIB", "parConnLocalVci")) if mibBuilder.loadTexts: parConnectionEntry.setStatus('current') if mibBuilder.loadTexts: parConnectionEntry.setDescription('Entries for connections mastered or slaved by the node. Each entry contains Local and remote end information.') parConnLocalSlot = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 32))).setMaxAccess("readonly") if mibBuilder.loadTexts: parConnLocalSlot.setStatus('current') if mibBuilder.loadTexts: parConnLocalSlot.setDescription('This object specifies the slot number part of the local endpoint connection address.') parConnLocalPort = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: parConnLocalPort.setStatus('current') if mibBuilder.loadTexts: parConnLocalPort.setDescription('This object specifies the port number part of the local endpoint connection address.') parConnLocalVpi = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readonly") if mibBuilder.loadTexts: parConnLocalVpi.setStatus('current') if mibBuilder.loadTexts: parConnLocalVpi.setDescription('This object specifies the Virtual Path Identifier part of the local endpoint connection address.') parConnLocalVci = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: parConnLocalVci.setStatus('current') if mibBuilder.loadTexts: parConnLocalVci.setDescription('This object specifies the Virtual Channel Identifier part of the local endpoint connection address.') parConnMasterShip = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 5), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: parConnMasterShip.setStatus('current') if mibBuilder.loadTexts: parConnMasterShip.setDescription('This object specifies whether this end of the connection is the master or the slave of the connection. The value true(1) signifies the master end and false(2) signifies slave end.') parConnLocalVcIndx = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 6), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: parConnLocalVcIndx.setStatus('current') if mibBuilder.loadTexts: parConnLocalVcIndx.setDescription('This object specifies the Virtual Connection Index at this node. It is used by Network Management to correlate this end of the connection with the remote end.') parConnLocalEndpt = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 7), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: parConnLocalEndpt.setStatus('current') if mibBuilder.loadTexts: parConnLocalEndpt.setDescription('This object specifies the actual physical connection endpoint at the local node.') parConnRemoteNodeName = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 8), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: parConnRemoteNodeName.setStatus('current') if mibBuilder.loadTexts: parConnRemoteNodeName.setDescription('This object specifies the node name of the remote endpoint. For a intra-switch connection or feeder connection this object would specify the self node name.') parConnRemoteSlot = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 32))).setMaxAccess("readonly") if mibBuilder.loadTexts: parConnRemoteSlot.setStatus('current') if mibBuilder.loadTexts: parConnRemoteSlot.setDescription('This object specifies the slot number part of the remote endpoint connection address.') parConnRemotePort = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: parConnRemotePort.setStatus('current') if mibBuilder.loadTexts: parConnRemotePort.setDescription('This object specifies the port number part of the remote endpoint connection address.') parConnRemoteVpi = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 11), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: parConnRemoteVpi.setStatus('current') if mibBuilder.loadTexts: parConnRemoteVpi.setDescription('This object specifies the VPI part of the remote endpoint connection address.') parConnRemoteVci = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 12), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: parConnRemoteVci.setStatus('current') if mibBuilder.loadTexts: parConnRemoteVci.setDescription('This object specifies the VCI part of the remote endpoint connection address.') parConnRemoteVcIndx = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 13), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: parConnRemoteVcIndx.setStatus('current') if mibBuilder.loadTexts: parConnRemoteVcIndx.setDescription('This object specifies the Virtual Connection Index at the remote node. It is used by Network Management to correlate this end of the connection with the remote end..') parConnOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("routed", 1), ("unrouted", 2), ("lmifail", 3), ("unknown", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: parConnOperStatus.setStatus('current') if mibBuilder.loadTexts: parConnOperStatus.setDescription('This object specifies the status of connection as known and determined by PAR. The status shall be OK if there is an A-bit alarm on the connection.') parConnAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("down", 1), ("up", 2), ("reroute", 3))).clone('up')).setMaxAccess("readwrite") if mibBuilder.loadTexts: parConnAdminStatus.setStatus('current') if mibBuilder.loadTexts: parConnAdminStatus.setDescription("This object is used by the operator to reroute or down/up a connection. The value of this object is up(1) when the connection is created. If the value of the object is set to down(1) the connection is derouted (if it is routed) and parConnOperStatus object is set to not routed. If the value of the object is up (2) and it is set to reroute(3) the connection is derouted and attempt is made to reroute the connection. If the value of the object is down (1) and the it is set to reroute (3), no action is performed and the object's value does not changes. If the value of object is down(1) and is set to up(2), an attempt is made to reroute the connection.") parConnRoute = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 16), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: parConnRoute.setStatus('current') if mibBuilder.loadTexts: parConnRoute.setDescription('This object specifies the current path on which the connection is routed. A value of this object is valid only if parConnOperStatus is routed. The Null string specifies that the connection is not routed. Format: Nodename {Trk--Trk Nodename} Where: Nodename = up to 8 characters, Trk = slot.port.vtrk, slot = 1 or 2 characters, port = 1 or two characters, and vtrk = 1 or two characters and is optional. The portion of the format shown in braces {like this} can be repeated up to 10 times.') parConnRemoteEndpt = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 17), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: parConnRemoteEndpt.setStatus('current') if mibBuilder.loadTexts: parConnRemoteEndpt.setDescription('This object specifies the actual physical connection endpoint at the remote end of the connection. It shall be known only if the connection is a local(DAX) connection.') parPrefRoute = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 18), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: parPrefRoute.setStatus('current') if mibBuilder.loadTexts: parPrefRoute.setDescription('This object specifies the preferred path for the connection. The Null string specifies that the connection does not have a preferred route. Format: Nodename {Trk--Trk Nodename} Where: Nodename = up to 8 characters, Trk = slot.port.vtrk, slot = 1 or 2 characters, port = 1 or two characters, and vtrk = 1 or two characters and is optional. The portion of the format shown in braces {like this} can be repeated up to 10 times.') parConnFailRsn = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("down", 1), ("hwalm", 2), ("abitalm", 3), ("lmifail", 4), ("rrtfail", 5), ("incomplete", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: parConnFailRsn.setStatus('current') if mibBuilder.loadTexts: parConnFailRsn.setDescription('This object specifies a reason code for the failure of the connection.') parRrtFailRsn = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 20), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: parRrtFailRsn.setStatus('current') if mibBuilder.loadTexts: parRrtFailRsn.setDescription('This object specifies the Reason of failure of a connection to route.') parConnRstrTyp = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("norestrict", 1), ("terrestrict", 2), ("satrestrict", 3), ("undefrestrict", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: parConnRstrTyp.setStatus('current') if mibBuilder.loadTexts: parConnRstrTyp.setDescription('This object specifies the Route restriction of a connection.') parConnRstrZcs = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 22), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: parConnRstrZcs.setStatus('current') if mibBuilder.loadTexts: parConnRstrZcs.setDescription('This object specifies whether ZCS lines should be avoided or not.') parConnCos = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 23), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 15))).setMaxAccess("readonly") if mibBuilder.loadTexts: parConnCos.setStatus('current') if mibBuilder.loadTexts: parConnCos.setDescription('This object specifies the COS for the connection.') parClockTable = MibTable((1, 3, 6, 1, 4, 1, 351, 130, 4, 1), ) if mibBuilder.loadTexts: parClockTable.setStatus('current') if mibBuilder.loadTexts: parClockTable.setDescription('Table of clock sources available to PAR') parClockEntry = MibTableRow((1, 3, 6, 1, 4, 1, 351, 130, 4, 1, 1), ).setIndexNames((0, "CISCO-WAN-PAR-MIB", "parClockIndex")) if mibBuilder.loadTexts: parClockEntry.setStatus('current') if mibBuilder.loadTexts: parClockEntry.setDescription('Each entry represent a clock source available to PAR') parClockIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 4, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: parClockIndex.setStatus('current') if mibBuilder.loadTexts: parClockIndex.setDescription('This clock index is assigned by PAR.') parClockType = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 4, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("primary", 1), ("secondary", 2), ("tertiary", 3), ("null", 4)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: parClockType.setStatus('current') if mibBuilder.loadTexts: parClockType.setDescription('Specifies the type of clock.') parClockSource = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 4, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("internal", 1), ("interface", 2), ("external", 3))).clone('internal')).setMaxAccess("readonly") if mibBuilder.loadTexts: parClockSource.setStatus('current') if mibBuilder.loadTexts: parClockSource.setDescription('Specifies source of the clock.') parClockCurSource = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 4, 1, 1, 4), TruthValue().clone('false')).setMaxAccess("readonly") if mibBuilder.loadTexts: parClockCurSource.setStatus('current') if mibBuilder.loadTexts: parClockCurSource.setDescription('Specifies whether clock source is a current clock source or not. The value is true if the cloock source is current and false otherwise') parClockSourceId = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 4, 1, 1, 5), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: parClockSourceId.setStatus('current') if mibBuilder.loadTexts: parClockSourceId.setDescription("Specifies identification of the clock - for example - if clock source is `Interface' then this field will carry logical interface number") parClockPath = MibTableColumn((1, 3, 6, 1, 4, 1, 351, 130, 4, 1, 1, 6), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: parClockPath.setStatus('current') if mibBuilder.loadTexts: parClockPath.setDescription('Describes the path used for clock synchronization') parCmParmsMaxRoutingBundle = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 2, 1), Integer32().clone(24)).setMaxAccess("readwrite") if mibBuilder.loadTexts: parCmParmsMaxRoutingBundle.setStatus('current') if mibBuilder.loadTexts: parCmParmsMaxRoutingBundle.setDescription('This object specifies the maximum number of connections that can be routed in one routing cycle.') parCmParmsRerouteTimer = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 2, 2), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: parCmParmsRerouteTimer.setStatus('current') if mibBuilder.loadTexts: parCmParmsRerouteTimer.setDescription('This object specifies the minimum time after which a connection is routed once it has been successfully routed.') parCmParmsResetTimer = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 2, 3), TruthValue().clone('true')).setMaxAccess("readwrite") if mibBuilder.loadTexts: parCmParmsResetTimer.setStatus('current') if mibBuilder.loadTexts: parCmParmsResetTimer.setDescription('This object specifies whether the reroute timer should be reset if the path for routed connection failed. If the value of the object is true(1), the timer is reset on detecting path fail.') parCmParmsDnUpPerPass = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 2, 4), Integer32().clone(50)).setMaxAccess("readwrite") if mibBuilder.loadTexts: parCmParmsDnUpPerPass.setStatus('current') if mibBuilder.loadTexts: parCmParmsDnUpPerPass.setDescription('This object specifies the maximum number of connections that are upped or down in one schedule of down connection state machine.') parCmParmsDnUpTimer = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 2, 5), Integer32().clone(30000)).setUnits('milliseconds').setMaxAccess("readwrite") if mibBuilder.loadTexts: parCmParmsDnUpTimer.setStatus('current') if mibBuilder.loadTexts: parCmParmsDnUpTimer.setDescription('This object specifies the minimum time interval (in milliseconds) between two schedules of the down connection state machine.') parCmParmsRrtErrsPerCycle = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 2, 6), Integer32().clone(50)).setMaxAccess("readwrite") if mibBuilder.loadTexts: parCmParmsRrtErrsPerCycle.setStatus('current') if mibBuilder.loadTexts: parCmParmsRrtErrsPerCycle.setDescription('This object specifies the threshold for number of failures to route a connection before it is moved into the wait group. If the value of this object is zero, the feature is disabled.') parCmParmsRrtCycleInterval = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 2, 7), Integer32().clone(5)).setUnits('minutes').setMaxAccess("readwrite") if mibBuilder.loadTexts: parCmParmsRrtCycleInterval.setStatus('current') if mibBuilder.loadTexts: parCmParmsRrtCycleInterval.setDescription('This object specifies the time (in minutes) for which no attempt is made to route a connection in the wait group.') parCmParmsMaxRrtCycles = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 2, 8), Integer32().clone(10)).setMaxAccess("readwrite") if mibBuilder.loadTexts: parCmParmsMaxRrtCycles.setStatus('current') if mibBuilder.loadTexts: parCmParmsMaxRrtCycles.setDescription('This object specifies the number of times a connection is added to the wait group before declaring it unroutable.') parCmParmsRrtPauseTime = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 2, 9), Integer32()).setUnits('milliseconds').setMaxAccess("readwrite") if mibBuilder.loadTexts: parCmParmsRrtPauseTime.setStatus('current') if mibBuilder.loadTexts: parCmParmsRrtPauseTime.setDescription('This object specifies the time interval (in milliseconds) between two routing cycles.') parCmParmsMaxUpdates = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 2, 10), Integer32().clone(10)).setMaxAccess("readwrite") if mibBuilder.loadTexts: parCmParmsMaxUpdates.setStatus('current') if mibBuilder.loadTexts: parCmParmsMaxUpdates.setDescription('This object specifies the maximum number of connection management updates that are sent by the node in schedule..') parCmParmsRerouteGroups = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 2, 11), Integer32().clone(50)).setMaxAccess("readwrite") if mibBuilder.loadTexts: parCmParmsRerouteGroups.setStatus('current') if mibBuilder.loadTexts: parCmParmsRerouteGroups.setDescription('This object specifies the total number of reroute groups.') parCmParmsMinRrGroupSize = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 2, 12), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: parCmParmsMinRrGroupSize.setStatus('current') if mibBuilder.loadTexts: parCmParmsMinRrGroupSize.setDescription('This object specifies the minimum size of reroute group in Cell Load Units.') parCmParmsRrGroupInc = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 2, 13), Integer32().clone(100)).setMaxAccess("readwrite") if mibBuilder.loadTexts: parCmParmsRrGroupInc.setStatus('current') if mibBuilder.loadTexts: parCmParmsRrGroupInc.setDescription('This object specifies the increment of reroute group size (in Cell Load Units) between adjacent groups.') parCmParmsCostBased = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 2, 14), TruthValue().clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: parCmParmsCostBased.setStatus('current') if mibBuilder.loadTexts: parCmParmsCostBased.setDescription('This object can be configured to enable or disable cost based routing feature. If the value of this object is true(1), the feature is enabled else it is disabled.') parCmParmsUseCache = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 2, 15), TruthValue().clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: parCmParmsUseCache.setStatus('current') if mibBuilder.loadTexts: parCmParmsUseCache.setDescription('This object can be configured to enable or disable hop based route selection from using cache of precomputed routes. If the value of this object is true(1), the feature is enabled else it is disabled.') parCmParmsUseDelay = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 2, 16), TruthValue().clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: parCmParmsUseDelay.setStatus('current') if mibBuilder.loadTexts: parCmParmsUseDelay.setDescription('This object can be configured to enable or disable cost based route selection from considering end-to-end delay associated with the routes. If the value of this object is true(1), the delay would be considered otherwise daley would not be considered during routing of connection.') parCmParmMaxViaCons = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 2, 17), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 80000)).clone(50000)).setMaxAccess("readwrite") if mibBuilder.loadTexts: parCmParmMaxViaCons.setStatus('current') if mibBuilder.loadTexts: parCmParmMaxViaCons.setDescription('This object specifies the maximum number of via user connections that can be routed through the node.') parMnUpdtInterval = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 3, 1), Integer32().clone(15)).setUnits('seconds').setMaxAccess("readwrite") if mibBuilder.loadTexts: parMnUpdtInterval.setStatus('current') if mibBuilder.loadTexts: parMnUpdtInterval.setDescription('This object specifies the timer interval (in seconds) for the current update state machine.') parMnUpdtNodesPerInt = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 3, 2), Integer32().clone(20)).setMaxAccess("readwrite") if mibBuilder.loadTexts: parMnUpdtNodesPerInt.setStatus('current') if mibBuilder.loadTexts: parMnUpdtNodesPerInt.setDescription('This object specifies the maximum number of nodes to which current updates can be sent per interval.') parMnUpdtBatchSend = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 3, 3), TruthValue().clone('true')).setMaxAccess("readwrite") if mibBuilder.loadTexts: parMnUpdtBatchSend.setStatus('current') if mibBuilder.loadTexts: parMnUpdtBatchSend.setDescription('This object specifies whether current updates to any node are sent one at a time or all in one go. If the value of this object is true(1), all current updates are sent to the node simultaneously. If the value of this object is False, current updates are sent one at a time.') parSwFuncAbrVsvd = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 4, 1), TruthValue().clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: parSwFuncAbrVsvd.setStatus('current') if mibBuilder.loadTexts: parSwFuncAbrVsvd.setDescription('This object enables/disables the ABR standard with VSVD. The feature is enabled if the value of the object is true(1).') parSwFuncNodeType = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 4, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("routing", 1), ("feeder", 2))).clone('routing')).setMaxAccess("readwrite") if mibBuilder.loadTexts: parSwFuncNodeType.setStatus('current') if mibBuilder.loadTexts: parSwFuncNodeType.setDescription('This object specifies whether the node is a routing node or a feeder node. To configure the node from a routing(1) node to feeder(2) node the node should be part of a single node network. To configure the node from feeder node to routing node, there should be no feeder trunk attached to the node.') parOnOffBackgroundUpdt = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 5, 1), TruthValue().clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: parOnOffBackgroundUpdt.setStatus('current') if mibBuilder.loadTexts: parOnOffBackgroundUpdt.setDescription('This object can be used to enable or disable Background updates. If the value of the object is true(1), background updates are enabled; otherwise they are disabled.') parOnOffDynamicBwAlloc = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 5, 2), TruthValue().clone('true')).setMaxAccess("readwrite") if mibBuilder.loadTexts: parOnOffDynamicBwAlloc.setStatus('current') if mibBuilder.loadTexts: parOnOffDynamicBwAlloc.setDescription('This object can be used to enable or disable Bandwidth state machine. If the value of the object is true(1), bandwidth state machine is enabled; otherwise it is disabled.') parOnOffCmUpdts = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 5, 3), TruthValue().clone('true')).setMaxAccess("readwrite") if mibBuilder.loadTexts: parOnOffCmUpdts.setStatus('current') if mibBuilder.loadTexts: parOnOffCmUpdts.setDescription('This object can be used to enable or disable connection management updates. If the value of the object is true(1), connection management updates are enabled; otherwise they are disabled.') parOnOffRouting = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 5, 4), TruthValue().clone('true')).setMaxAccess("readwrite") if mibBuilder.loadTexts: parOnOffRouting.setStatus('current') if mibBuilder.loadTexts: parOnOffRouting.setDescription('This object can be used to enable or disable connection routing. If the value of the object is true(1), routing is enabled; otherwise it is disabled.') parOnOffCommFailTest = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 5, 5), TruthValue().clone('true')).setMaxAccess("readwrite") if mibBuilder.loadTexts: parOnOffCommFailTest.setStatus('current') if mibBuilder.loadTexts: parOnOffCommFailTest.setDescription('This object can be used to enable or disable Comm Fail Test. If the value of the object is true(1), Comm Fail test is enabled; otherwise it is disabled.') parOnOffDrtDelay = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 5, 6), TruthValue().clone('true')).setMaxAccess("readwrite") if mibBuilder.loadTexts: parOnOffDrtDelay.setStatus('current') if mibBuilder.loadTexts: parOnOffDrtDelay.setDescription('This object can be used to enable or disable Deroute Delay feature. If the value of the object is true(1) Derote delay feature is enabled; otherwise it is disabled.') parOnOffRenumRec = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 5, 7), TruthValue().clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: parOnOffRenumRec.setStatus('current') if mibBuilder.loadTexts: parOnOffRenumRec.setDescription('This object can be used to enable or disable Renumber recovery feature. If the value of the object is true(1), renumber recovery feature is enabled; otherwise it is disabled.') parOnOffCommBreak = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 5, 8), TruthValue().clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: parOnOffCommBreak.setStatus('current') if mibBuilder.loadTexts: parOnOffCommBreak.setDescription('This object can be used to enable or disable Comm Break Test. If the value of the object is true(1), Comm Break Test feature is enabled; otherwise it is disabled.') parSysParmsTsPacketAge = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 64)).clone(64)).setUnits('milliseconds').setMaxAccess("readwrite") if mibBuilder.loadTexts: parSysParmsTsPacketAge.setStatus('current') if mibBuilder.loadTexts: parSysParmsTsPacketAge.setDescription('Time Stamped packets older than this value (in milliseconds)are discarded. This is a network wide parameter.') parSysParmsConnFail = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 2), TruthValue().clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: parSysParmsConnFail.setStatus('current') if mibBuilder.loadTexts: parSysParmsConnFail.setDescription('This object specifies whether the connections to a node should be failed when comm fail is declared with the node. If the value of this object is true(1), the connection will be failed. This is a network wide parameter.') parSysParmsVcPollRate = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 3), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: parSysParmsVcPollRate.setStatus('current') if mibBuilder.loadTexts: parSysParmsVcPollRate.setDescription('This object specifies the rate at which VC statistics are to be polled. This is a network wide parameter. For Portable AutoRoute statistic collections would be done by platform software.') parSysParmsMaxVDelay = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 4), Integer32()).setUnits('milliseconds').setMaxAccess("readonly") if mibBuilder.loadTexts: parSysParmsMaxVDelay.setStatus('current') if mibBuilder.loadTexts: parSysParmsMaxVDelay.setDescription('This object specifies the maximum delay for voice connection with VAD enabled in milli-seconds. This is a network wide parameter.') parSysParmsMaxCDelay = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 5), Integer32()).setUnits('milliseconds').setMaxAccess("readonly") if mibBuilder.loadTexts: parSysParmsMaxCDelay.setStatus('current') if mibBuilder.loadTexts: parSysParmsMaxCDelay.setDescription('This object specifies the maximum delay for ADPCM compressed voice connection with VAD enabled in milli-seconds. This is a network wide parameter.') parSysParmsMaxDDelay = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 6), Integer32()).setUnits('milliseconds').setMaxAccess("readonly") if mibBuilder.loadTexts: parSysParmsMaxDDelay.setStatus('current') if mibBuilder.loadTexts: parSysParmsMaxDDelay.setDescription('This object specifies the maximum delay for data connection in milli-seconds. This is a network wide parameter.') parSysParmsMaxADelay = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 7), Integer32()).setUnits('milliseconds').setMaxAccess("readonly") if mibBuilder.loadTexts: parSysParmsMaxADelay.setStatus('current') if mibBuilder.loadTexts: parSysParmsMaxADelay.setDescription('This object specifies the maximum delay for ADPCM compressed voice connection in milli-seconds. This is a network wide parameter.') parSysParmsMaxHsdDelay = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 8), Integer32()).setUnits('milliseconds').setMaxAccess("readonly") if mibBuilder.loadTexts: parSysParmsMaxHsdDelay.setStatus('current') if mibBuilder.loadTexts: parSysParmsMaxHsdDelay.setDescription('This object specifies the maximum delay for High Speed data connection in milli-seconds. This is a network wide parameter.') parSysParmsDeEnable = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 9), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: parSysParmsDeEnable.setStatus('current') if mibBuilder.loadTexts: parSysParmsDeEnable.setDescription('This object specifies whether DE bit of Frame Relay frames can be modified. DE bit can be modified if the value of this object is true(1). This is a network wide parameter.') parSysParmsFrStandard = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 10), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: parSysParmsFrStandard.setStatus('current') if mibBuilder.loadTexts: parSysParmsFrStandard.setDescription('This object specifies whether standard Frame Relay parameters,Be and Bc, are to be used. If the value of this object is true(1), standard parameters are used. This is a network wide parameter.') parSysParmsDrtDelay = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 11), TruthValue().clone('true')).setMaxAccess("readwrite") if mibBuilder.loadTexts: parSysParmsDrtDelay.setStatus('current') if mibBuilder.loadTexts: parSysParmsDrtDelay.setDescription('This object specifies whether Deroute Delay feature is enabled. If the value of this object is true(1), the feature is enabled. This is a network wide parameter.') parSysParmsInvLogAlarmThres = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 12), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: parSysParmsInvLogAlarmThres.setStatus('current') if mibBuilder.loadTexts: parSysParmsInvLogAlarmThres.setDescription('This object specifies the threshold for invalid login attempts before triggering an alarm. If the value of this object is zero, this feature is disabled. This is a network wide parameter.') parSysParmsMaxCdpVDelay = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 13), Integer32()).setUnits('milliseconds').setMaxAccess("readonly") if mibBuilder.loadTexts: parSysParmsMaxCdpVDelay.setStatus('current') if mibBuilder.loadTexts: parSysParmsMaxCdpVDelay.setDescription('This object specifies the maximum network delay for CDP to CDP voice connection with VAD enabled in milli-seconds. This is a network wide parameter.') parSysParmsMaxCdpCDelay = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 14), Integer32()).setUnits('milliseconds').setMaxAccess("readonly") if mibBuilder.loadTexts: parSysParmsMaxCdpCDelay.setStatus('current') if mibBuilder.loadTexts: parSysParmsMaxCdpCDelay.setDescription('This object specifies the maximum network delay for CDP to CDP ADPCM compressed voice connection with VAD enabled. This is a network wide parameter.') parSysParmsMaxCdpDDelay = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 15), Integer32()).setUnits('milliseconds').setMaxAccess("readonly") if mibBuilder.loadTexts: parSysParmsMaxCdpDDelay.setStatus('current') if mibBuilder.loadTexts: parSysParmsMaxCdpDDelay.setDescription('This object specifies the maximum network delay for CDP to CDP data connection. This is a network wide parameter.') parSysParmsMaxCdpADelay = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 16), Integer32()).setUnits('milliseconds').setMaxAccess("readonly") if mibBuilder.loadTexts: parSysParmsMaxCdpADelay.setStatus('current') if mibBuilder.loadTexts: parSysParmsMaxCdpADelay.setDescription('This object specifies the maximum network delay for CDP to CDP ADPCM compressed voice connection. This is a network wide parameter.') parSysParmsMaxCdpHsdDelay = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 17), Integer32()).setUnits('milliseconds').setMaxAccess("readonly") if mibBuilder.loadTexts: parSysParmsMaxCdpHsdDelay.setStatus('current') if mibBuilder.loadTexts: parSysParmsMaxCdpHsdDelay.setDescription('This object specifies the maximum network delay for CDP to CDP High Speed data connection. This is a network wide parameter.') parSysParmsMaxIpcdpVDelay = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 18), Integer32()).setUnits('milliseconds').setMaxAccess("readonly") if mibBuilder.loadTexts: parSysParmsMaxIpcdpVDelay.setStatus('current') if mibBuilder.loadTexts: parSysParmsMaxIpcdpVDelay.setDescription('This object specifies the maximum local delay for CDP to CDP voice connection with VAD enabled. This is a network wide parameter.') parSysParmsMaxIpcdpCDelay = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 19), Integer32()).setUnits('milliseconds').setMaxAccess("readonly") if mibBuilder.loadTexts: parSysParmsMaxIpcdpCDelay.setStatus('current') if mibBuilder.loadTexts: parSysParmsMaxIpcdpCDelay.setDescription('This object specifies the maximum local delay for CDP to CDP ADPCM compressed voice connection with VAD enabled. This is a network wide parameter.') parSysParmsMaxIpcdpDDelay = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 20), Integer32()).setUnits('milliseconds').setMaxAccess("readonly") if mibBuilder.loadTexts: parSysParmsMaxIpcdpDDelay.setStatus('current') if mibBuilder.loadTexts: parSysParmsMaxIpcdpDDelay.setDescription('This object specifies the maximum local delay for CDP to CDP data connection. This is a network wide parameter.') parSysParmsMaxIpcdpADelay = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 21), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: parSysParmsMaxIpcdpADelay.setStatus('current') if mibBuilder.loadTexts: parSysParmsMaxIpcdpADelay.setDescription('This object specifies the maximum local delay for CDP to CDP ADPCM compressed voice connection. This is a network wide parameter.') parSysParmsMaxIpcdpHsdDelay = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 22), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: parSysParmsMaxIpcdpHsdDelay.setStatus('current') if mibBuilder.loadTexts: parSysParmsMaxIpcdpHsdDelay.setDescription('This object specifies the maximum local delay for CDP to CDP High Speed data connection. This is a network wide parameter.') parSysParmsMaxIphsdDelay = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 23), Integer32()).setUnits('milliseconds').setMaxAccess("readonly") if mibBuilder.loadTexts: parSysParmsMaxIphsdDelay.setStatus('current') if mibBuilder.loadTexts: parSysParmsMaxIphsdDelay.setDescription('This object specifies the maximum local delay for High Speed data connection. This is a network wide parameter.') parSysParmsFpdDeJitter = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 24), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: parSysParmsFpdDeJitter.setStatus('current') if mibBuilder.loadTexts: parSysParmsFpdDeJitter.setDescription('This object specifies the jitter delay for Fast Pad. This is a network wide parameter.') parNetParmCondInitialStgr = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 7, 1), Integer32().clone(5000)).setUnits('milliseconds').setMaxAccess("readwrite") if mibBuilder.loadTexts: parNetParmCondInitialStgr.setStatus('current') if mibBuilder.loadTexts: parNetParmCondInitialStgr.setDescription('This object specifies the initial pause time (in milliseconds) per new node added on addition of node(s) in the network before initiating conditional updates.') parNetParmCondPerNodeInterval = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 7, 2), Integer32().clone(30000)).setUnits('milliseconds').setMaxAccess("readwrite") if mibBuilder.loadTexts: parNetParmCondPerNodeInterval.setStatus('current') if mibBuilder.loadTexts: parNetParmCondPerNodeInterval.setDescription('This object specifies the minimum interval (in milliseconds) between sending of conditional updates to any two nodes.') parNetParmCbDelay = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 7, 3), Integer32().clone(30000)).setUnits('milliseconds').setMaxAccess("readwrite") if mibBuilder.loadTexts: parNetParmCbDelay.setStatus('current') if mibBuilder.loadTexts: parNetParmCbDelay.setDescription('This object specifies the minimum interval (in milliseconds) between initiating comm break tests between any two nodes.') parNetParmCbOffset = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 7, 4), Integer32().clone(10)).setMaxAccess("readwrite") if mibBuilder.loadTexts: parNetParmCbOffset.setStatus('current') if mibBuilder.loadTexts: parNetParmCbOffset.setDescription('Offset for CB.') parNetParmMsgTimeout = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 7, 5), Integer32().clone(1700)).setUnits('milliseconds').setMaxAccess("readwrite") if mibBuilder.loadTexts: parNetParmMsgTimeout.setStatus('current') if mibBuilder.loadTexts: parNetParmMsgTimeout.setDescription('This object specifies the timeout (in milliseconds) for acknowledgment for control plane message sent to another node.') parNetParmMsgMaxTimeout = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 7, 6), Integer32().clone(7)).setMaxAccess("readwrite") if mibBuilder.loadTexts: parNetParmMsgMaxTimeout.setStatus('current') if mibBuilder.loadTexts: parNetParmMsgMaxTimeout.setDescription('This object specifies the maximum number of times a network handler timeout waiting for acknowledgment for control plane message sent to another node reachable through all terrestrial trunks.') parNetParmMsgMaxTimeoutSat = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 7, 7), Integer32().clone(6)).setMaxAccess("readwrite") if mibBuilder.loadTexts: parNetParmMsgMaxTimeoutSat.setStatus('current') if mibBuilder.loadTexts: parNetParmMsgMaxTimeoutSat.setDescription('This object specifies the maximum number of times a network handler timeout waiting for acknowledgment for control plane message sent to another node reachable through all satellite trunks.') parNetParmBlindMaxTimeout = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 7, 8), Integer32().clone(4)).setMaxAccess("readwrite") if mibBuilder.loadTexts: parNetParmBlindMaxTimeout.setStatus('current') if mibBuilder.loadTexts: parNetParmBlindMaxTimeout.setDescription('This object specifies the maximum number of times a network handler timeout waiting for acknowledgment for control plane blind message sent to another node.') parNetParmCbMaxTimeout = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 7, 9), Integer32().clone(5)).setMaxAccess("readwrite") if mibBuilder.loadTexts: parNetParmCbMaxTimeout.setStatus('current') if mibBuilder.loadTexts: parNetParmCbMaxTimeout.setDescription('This object specifies the maximum number of times a network handler timeout waiting for acknowledgment for comm break test message sent to another node.') parNetParmCfTestInterval = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 7, 10), Integer32().clone(10000)).setMaxAccess("readwrite") if mibBuilder.loadTexts: parNetParmCfTestInterval.setStatus('current') if mibBuilder.loadTexts: parNetParmCfTestInterval.setDescription('This object specifies the minimum time interval between the comm fail tests for a trunk.') parNetParmCfTestMultiplier = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 7, 11), Integer32().clone(3)).setMaxAccess("readwrite") if mibBuilder.loadTexts: parNetParmCfTestMultiplier.setStatus('current') if mibBuilder.loadTexts: parNetParmCfTestMultiplier.setDescription('This object specifies the multiplier for the comm fail test interval for good trunks, that is, trunks not in comm fail.') parNetParmNetwWindowSz = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 7, 12), Integer32().clone(1)).setMaxAccess("readwrite") if mibBuilder.loadTexts: parNetParmNetwWindowSz.setStatus('current') if mibBuilder.loadTexts: parNetParmNetwWindowSz.setDescription('This object specifies the window size for the network handler for messages to any node. That is, the number of messages that the network handler can send simultaneous to a node without receiving the acknowledgment for them.') parNetParmNetwLetWait = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 7, 13), Integer32().clone(50)).setUnits('milliseconds').setMaxAccess("readwrite") if mibBuilder.loadTexts: parNetParmNetwLetWait.setStatus('current') if mibBuilder.loadTexts: parNetParmNetwLetWait.setDescription('This object specifies the maximum interval (in milliseconds) network handler waits for the letter (message) from the processes running on its nodes before checking the received cells.') parNetParmCfDelay = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 7, 14), Integer32().clone(60)).setMaxAccess("readwrite") if mibBuilder.loadTexts: parNetParmCfDelay.setStatus('current') if mibBuilder.loadTexts: parNetParmCfDelay.setDescription('TBD (in milliseconds).') parNetParmHighTxRate = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 7, 15), Integer32().clone(2500)).setMaxAccess("readwrite") if mibBuilder.loadTexts: parNetParmHighTxRate.setStatus('current') if mibBuilder.loadTexts: parNetParmHighTxRate.setDescription('This object specifies the rate (in fast packets per second) at which the network handler sends control plane message cells to high performance nodes (High performance node are BPX and MGX).') parNetParmLowTxRate = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 7, 16), Integer32().clone(500)).setMaxAccess("readwrite") if mibBuilder.loadTexts: parNetParmLowTxRate.setStatus('current') if mibBuilder.loadTexts: parNetParmLowTxRate.setDescription('This object specifies the rate (in fast packets per second) at which the network handler sends control plane message cells to low capacity nodes (Low capacity node are IPX and IGX).') parNetParmMaxNodeBlks = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 7, 17), Integer32().clone(3000)).setMaxAccess("readwrite") if mibBuilder.loadTexts: parNetParmMaxNodeBlks.setStatus('current') if mibBuilder.loadTexts: parNetParmMaxNodeBlks.setDescription('This object specifies the maximum number of blocks of size 256 bytes, that should be queued up for transmission to a node.') parNetParmTopoMsgSegSz = MibScalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 7, 18), Integer32().clone(3570)).setUnits('bytes').setMaxAccess("readwrite") if mibBuilder.loadTexts: parNetParmTopoMsgSegSz.setStatus('current') if mibBuilder.loadTexts: parNetParmTopoMsgSegSz.setDescription('This object specifies the maximum size (in bytes) of the segment into which the topology message, sent during network join, is divided.') cwParMIBConformance = MibIdentifier((1, 3, 6, 1, 4, 1, 351, 150, 63, 2)) cwParMIBGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 351, 150, 63, 2, 1)) cwParMIBCompliances = MibIdentifier((1, 3, 6, 1, 4, 1, 351, 150, 63, 2, 2)) cwParCompliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 351, 150, 63, 2, 2, 1)).setObjects(("CISCO-WAN-PAR-MIB", "cwParCmParamsGroup"), ("CISCO-WAN-PAR-MIB", "cwParCmParamsUpdateGroup"), ("CISCO-WAN-PAR-MIB", "cwParGeneralGroup"), ("CISCO-WAN-PAR-MIB", "cwParSysParamsGroup"), ("CISCO-WAN-PAR-MIB", "cwParNetParamsGroup"), ("CISCO-WAN-PAR-MIB", "cwParNodeGroup"), ("CISCO-WAN-PAR-MIB", "cwParInterfaceConfGroup"), ("CISCO-WAN-PAR-MIB", "cwParTrunkConfGroup"), ("CISCO-WAN-PAR-MIB", "cwParTrunkLoadConfGroup"), ("CISCO-WAN-PAR-MIB", "cwParConnConfGroup"), ("CISCO-WAN-PAR-MIB", "cwParClockConfGroup")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cwParCompliance = cwParCompliance.setStatus('current') if mibBuilder.loadTexts: cwParCompliance.setDescription('The compliance statement for objects related to AutoRoute MIB.') cwParCmParamsGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 351, 150, 63, 2, 1, 1)).setObjects(("CISCO-WAN-PAR-MIB", "parCmParmsMaxRoutingBundle"), ("CISCO-WAN-PAR-MIB", "parCmParmsRerouteTimer"), ("CISCO-WAN-PAR-MIB", "parCmParmsResetTimer"), ("CISCO-WAN-PAR-MIB", "parCmParmsDnUpPerPass"), ("CISCO-WAN-PAR-MIB", "parCmParmsDnUpTimer"), ("CISCO-WAN-PAR-MIB", "parCmParmsRrtErrsPerCycle"), ("CISCO-WAN-PAR-MIB", "parCmParmsRrtCycleInterval"), ("CISCO-WAN-PAR-MIB", "parCmParmsMaxRrtCycles"), ("CISCO-WAN-PAR-MIB", "parCmParmsRrtPauseTime"), ("CISCO-WAN-PAR-MIB", "parCmParmsMaxUpdates"), ("CISCO-WAN-PAR-MIB", "parCmParmsRerouteGroups"), ("CISCO-WAN-PAR-MIB", "parCmParmsMinRrGroupSize"), ("CISCO-WAN-PAR-MIB", "parCmParmsRrGroupInc"), ("CISCO-WAN-PAR-MIB", "parCmParmsCostBased"), ("CISCO-WAN-PAR-MIB", "parCmParmsUseCache"), ("CISCO-WAN-PAR-MIB", "parCmParmsUseDelay"), ("CISCO-WAN-PAR-MIB", "parCmParmMaxViaCons")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cwParCmParamsGroup = cwParCmParamsGroup.setStatus('current') if mibBuilder.loadTexts: cwParCmParamsGroup.setDescription('The collection of objects which are applicable for PAR connection management.') cwParCmParamsUpdateGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 351, 150, 63, 2, 1, 2)).setObjects(("CISCO-WAN-PAR-MIB", "parMnUpdtInterval"), ("CISCO-WAN-PAR-MIB", "parMnUpdtNodesPerInt"), ("CISCO-WAN-PAR-MIB", "parMnUpdtBatchSend")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cwParCmParamsUpdateGroup = cwParCmParamsUpdateGroup.setStatus('current') if mibBuilder.loadTexts: cwParCmParamsUpdateGroup.setDescription('The collection of objects which are applicable for PAR Connection Management parameters updates.') cwParGeneralGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 351, 150, 63, 2, 1, 3)).setObjects(("CISCO-WAN-PAR-MIB", "parSwFuncAbrVsvd"), ("CISCO-WAN-PAR-MIB", "parSwFuncNodeType"), ("CISCO-WAN-PAR-MIB", "parOnOffBackgroundUpdt"), ("CISCO-WAN-PAR-MIB", "parOnOffDynamicBwAlloc"), ("CISCO-WAN-PAR-MIB", "parOnOffCmUpdts"), ("CISCO-WAN-PAR-MIB", "parOnOffRouting"), ("CISCO-WAN-PAR-MIB", "parOnOffCommFailTest"), ("CISCO-WAN-PAR-MIB", "parOnOffDrtDelay"), ("CISCO-WAN-PAR-MIB", "parOnOffRenumRec"), ("CISCO-WAN-PAR-MIB", "parOnOffCommBreak")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cwParGeneralGroup = cwParGeneralGroup.setStatus('current') if mibBuilder.loadTexts: cwParGeneralGroup.setDescription('The collection of objects which are applicable for general PAR configuration.') cwParSysParamsGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 351, 150, 63, 2, 1, 4)).setObjects(("CISCO-WAN-PAR-MIB", "parSysParmsTsPacketAge"), ("CISCO-WAN-PAR-MIB", "parSysParmsConnFail"), ("CISCO-WAN-PAR-MIB", "parSysParmsVcPollRate"), ("CISCO-WAN-PAR-MIB", "parSysParmsMaxVDelay"), ("CISCO-WAN-PAR-MIB", "parSysParmsMaxCDelay"), ("CISCO-WAN-PAR-MIB", "parSysParmsMaxDDelay"), ("CISCO-WAN-PAR-MIB", "parSysParmsMaxADelay"), ("CISCO-WAN-PAR-MIB", "parSysParmsMaxHsdDelay"), ("CISCO-WAN-PAR-MIB", "parSysParmsDeEnable"), ("CISCO-WAN-PAR-MIB", "parSysParmsFrStandard"), ("CISCO-WAN-PAR-MIB", "parSysParmsDrtDelay"), ("CISCO-WAN-PAR-MIB", "parSysParmsInvLogAlarmThres"), ("CISCO-WAN-PAR-MIB", "parSysParmsMaxCdpVDelay"), ("CISCO-WAN-PAR-MIB", "parSysParmsMaxCdpCDelay"), ("CISCO-WAN-PAR-MIB", "parSysParmsMaxCdpDDelay"), ("CISCO-WAN-PAR-MIB", "parSysParmsMaxCdpADelay"), ("CISCO-WAN-PAR-MIB", "parSysParmsMaxCdpHsdDelay"), ("CISCO-WAN-PAR-MIB", "parSysParmsMaxIpcdpVDelay"), ("CISCO-WAN-PAR-MIB", "parSysParmsMaxIpcdpCDelay"), ("CISCO-WAN-PAR-MIB", "parSysParmsMaxIpcdpDDelay"), ("CISCO-WAN-PAR-MIB", "parSysParmsMaxIpcdpADelay"), ("CISCO-WAN-PAR-MIB", "parSysParmsMaxIpcdpHsdDelay"), ("CISCO-WAN-PAR-MIB", "parSysParmsMaxIphsdDelay"), ("CISCO-WAN-PAR-MIB", "parSysParmsFpdDeJitter")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cwParSysParamsGroup = cwParSysParamsGroup.setStatus('current') if mibBuilder.loadTexts: cwParSysParamsGroup.setDescription('The collection of objects which are applicable for PAR system parameters.') cwParNetParamsGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 351, 150, 63, 2, 1, 5)).setObjects(("CISCO-WAN-PAR-MIB", "parNetParmCondInitialStgr"), ("CISCO-WAN-PAR-MIB", "parNetParmCondPerNodeInterval"), ("CISCO-WAN-PAR-MIB", "parNetParmCbDelay"), ("CISCO-WAN-PAR-MIB", "parNetParmCbOffset"), ("CISCO-WAN-PAR-MIB", "parNetParmMsgTimeout"), ("CISCO-WAN-PAR-MIB", "parNetParmMsgMaxTimeout"), ("CISCO-WAN-PAR-MIB", "parNetParmMsgMaxTimeoutSat"), ("CISCO-WAN-PAR-MIB", "parNetParmBlindMaxTimeout"), ("CISCO-WAN-PAR-MIB", "parNetParmCbMaxTimeout"), ("CISCO-WAN-PAR-MIB", "parNetParmCfTestInterval"), ("CISCO-WAN-PAR-MIB", "parNetParmCfTestMultiplier"), ("CISCO-WAN-PAR-MIB", "parNetParmNetwWindowSz"), ("CISCO-WAN-PAR-MIB", "parNetParmNetwLetWait"), ("CISCO-WAN-PAR-MIB", "parNetParmCfDelay"), ("CISCO-WAN-PAR-MIB", "parNetParmHighTxRate"), ("CISCO-WAN-PAR-MIB", "parNetParmLowTxRate"), ("CISCO-WAN-PAR-MIB", "parNetParmMaxNodeBlks"), ("CISCO-WAN-PAR-MIB", "parNetParmTopoMsgSegSz")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cwParNetParamsGroup = cwParNetParamsGroup.setStatus('current') if mibBuilder.loadTexts: cwParNetParamsGroup.setDescription('The collection of objects which are applicable for parameters applicable network-wide.') cwParNodeGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 351, 150, 63, 2, 1, 6)).setObjects(("CISCO-WAN-PAR-MIB", "parSnNodeId"), ("CISCO-WAN-PAR-MIB", "parSnNodeIP"), ("CISCO-WAN-PAR-MIB", "parSnNodeName"), ("CISCO-WAN-PAR-MIB", "parSnRevision"), ("CISCO-WAN-PAR-MIB", "parSnNodeAlarmStatus"), ("CISCO-WAN-PAR-MIB", "parSnNumberOfTrunks")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cwParNodeGroup = cwParNodeGroup.setStatus('current') if mibBuilder.loadTexts: cwParNodeGroup.setDescription('The collection of objects which are applicable for node level configuration of auto route controller.') cwParInterfaceConfGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 351, 150, 63, 2, 1, 7)).setObjects(("CISCO-WAN-PAR-MIB", "parIfLogicalInterface"), ("CISCO-WAN-PAR-MIB", "parIfType"), ("CISCO-WAN-PAR-MIB", "parIfOperStatus"), ("CISCO-WAN-PAR-MIB", "parIfTxBw"), ("CISCO-WAN-PAR-MIB", "parIfRxBw"), ("CISCO-WAN-PAR-MIB", "parIfMaxConn"), ("CISCO-WAN-PAR-MIB", "parIfHiAddrMin"), ("CISCO-WAN-PAR-MIB", "parIfHiAddrMax"), ("CISCO-WAN-PAR-MIB", "parIfLoAddrMin"), ("CISCO-WAN-PAR-MIB", "parIfLoAddrMax")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cwParInterfaceConfGroup = cwParInterfaceConfGroup.setStatus('current') if mibBuilder.loadTexts: cwParInterfaceConfGroup.setDescription('The collection of objects which are used for configuring autoroute interfaces.') cwParTrunkConfGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 351, 150, 63, 2, 1, 8)).setObjects(("CISCO-WAN-PAR-MIB", "parTrkId"), ("CISCO-WAN-PAR-MIB", "parTrkStatReserve"), ("CISCO-WAN-PAR-MIB", "parTrkCnfgCcRestrict"), ("CISCO-WAN-PAR-MIB", "parTrkCnfgLineType"), ("CISCO-WAN-PAR-MIB", "parTrkCnfgPassSync"), ("CISCO-WAN-PAR-MIB", "parTrkCnfgDerouteDelay"), ("CISCO-WAN-PAR-MIB", "parTrkCnfgTrafficClassFst"), ("CISCO-WAN-PAR-MIB", "parTrkCnfgTrafficClassFr"), ("CISCO-WAN-PAR-MIB", "parTrkCnfgTrafficClassNts"), ("CISCO-WAN-PAR-MIB", "parTrkCnfgTrafficClassTs"), ("CISCO-WAN-PAR-MIB", "parTrkCnfgTrafficClassVoice"), ("CISCO-WAN-PAR-MIB", "parTrkCnfgTrafficClassCbr"), ("CISCO-WAN-PAR-MIB", "parTrkCnfgTrafficClassVbr"), ("CISCO-WAN-PAR-MIB", "parTrkCnfgTrafficClassAbr"), ("CISCO-WAN-PAR-MIB", "parTrkCnfgAdminStatus"), ("CISCO-WAN-PAR-MIB", "parTrkCnfgRoutingCost"), ("CISCO-WAN-PAR-MIB", "parTrkCnfgVpcConids"), ("CISCO-WAN-PAR-MIB", "parTrkCnfgVccConids"), ("CISCO-WAN-PAR-MIB", "parTrkLocalSlotNumber"), ("CISCO-WAN-PAR-MIB", "parTrkLocalPortNumber"), ("CISCO-WAN-PAR-MIB", "parTrkLocalVTrunkId"), ("CISCO-WAN-PAR-MIB", "parTrkRemoteNodeId"), ("CISCO-WAN-PAR-MIB", "parTrkRemoteTrunkId"), ("CISCO-WAN-PAR-MIB", "parTrkRemoteSlotNumber"), ("CISCO-WAN-PAR-MIB", "parTrkRemotePortNumber"), ("CISCO-WAN-PAR-MIB", "parTrkRemoteVTrunkId"), ("CISCO-WAN-PAR-MIB", "parTrkRemoteNodeIP"), ("CISCO-WAN-PAR-MIB", "parTrkRemoteNodeType"), ("CISCO-WAN-PAR-MIB", "parTrkRemoteNodeName"), ("CISCO-WAN-PAR-MIB", "parTrkAlarmStatus"), ("CISCO-WAN-PAR-MIB", "parTrkAlarmType"), ("CISCO-WAN-PAR-MIB", "parTrkLineLoad"), ("CISCO-WAN-PAR-MIB", "parTrkBwCapacity")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cwParTrunkConfGroup = cwParTrunkConfGroup.setStatus('current') if mibBuilder.loadTexts: cwParTrunkConfGroup.setDescription('The collection of objects which are used for configuring trunks in portable autoroute.') cwParTrunkLoadConfGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 351, 150, 63, 2, 1, 9)).setObjects(("CISCO-WAN-PAR-MIB", "parTrkLoadXmtUsedCbr"), ("CISCO-WAN-PAR-MIB", "parTrkLoadRcvUsedCbr"), ("CISCO-WAN-PAR-MIB", "parTrkLoadXmtUsedVbr"), ("CISCO-WAN-PAR-MIB", "parTrkLoadRcvUsedVbr"), ("CISCO-WAN-PAR-MIB", "parTrkLoadXmtUsedAbr"), ("CISCO-WAN-PAR-MIB", "parTrkLoadRcvUsedAbr"), ("CISCO-WAN-PAR-MIB", "parTrkLoadXmtUsedNts"), ("CISCO-WAN-PAR-MIB", "parTrkLoadRcvUsedNts"), ("CISCO-WAN-PAR-MIB", "parTrkLoadXmtUsedTs"), ("CISCO-WAN-PAR-MIB", "parTrkLoadRcvUsedTs"), ("CISCO-WAN-PAR-MIB", "parTrkLoadXmtUsedVoice"), ("CISCO-WAN-PAR-MIB", "parTrkLoadRcvUsedVoice"), ("CISCO-WAN-PAR-MIB", "parTrkLoadXmtUsedBdataA"), ("CISCO-WAN-PAR-MIB", "parTrkLoadRcvUsedBdataA"), ("CISCO-WAN-PAR-MIB", "parTrkLoadXmtUsedBdataB"), ("CISCO-WAN-PAR-MIB", "parTrkLoadRcvUsedBdataB"), ("CISCO-WAN-PAR-MIB", "parTrkLoadVccConidsUsed"), ("CISCO-WAN-PAR-MIB", "parTrkLoadVpcConidsUsed")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cwParTrunkLoadConfGroup = cwParTrunkLoadConfGroup.setStatus('current') if mibBuilder.loadTexts: cwParTrunkLoadConfGroup.setDescription('The collection of objects which are used for configuring trunks in portable autoroute.') cwParConnConfGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 351, 150, 63, 2, 1, 10)).setObjects(("CISCO-WAN-PAR-MIB", "parConnLocalSlot"), ("CISCO-WAN-PAR-MIB", "parConnLocalPort"), ("CISCO-WAN-PAR-MIB", "parConnLocalVpi"), ("CISCO-WAN-PAR-MIB", "parConnLocalVci"), ("CISCO-WAN-PAR-MIB", "parConnMasterShip"), ("CISCO-WAN-PAR-MIB", "parConnLocalVcIndx"), ("CISCO-WAN-PAR-MIB", "parConnLocalEndpt"), ("CISCO-WAN-PAR-MIB", "parConnRemoteNodeName"), ("CISCO-WAN-PAR-MIB", "parConnRemoteSlot"), ("CISCO-WAN-PAR-MIB", "parConnRemotePort"), ("CISCO-WAN-PAR-MIB", "parConnRemoteVpi"), ("CISCO-WAN-PAR-MIB", "parConnRemoteVci"), ("CISCO-WAN-PAR-MIB", "parConnRemoteVcIndx"), ("CISCO-WAN-PAR-MIB", "parConnRemoteEndpt"), ("CISCO-WAN-PAR-MIB", "parConnOperStatus"), ("CISCO-WAN-PAR-MIB", "parConnAdminStatus"), ("CISCO-WAN-PAR-MIB", "parConnRoute"), ("CISCO-WAN-PAR-MIB", "parPrefRoute"), ("CISCO-WAN-PAR-MIB", "parConnFailRsn"), ("CISCO-WAN-PAR-MIB", "parRrtFailRsn"), ("CISCO-WAN-PAR-MIB", "parConnRstrTyp"), ("CISCO-WAN-PAR-MIB", "parConnRstrZcs"), ("CISCO-WAN-PAR-MIB", "parConnCos")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cwParConnConfGroup = cwParConnConfGroup.setStatus('current') if mibBuilder.loadTexts: cwParConnConfGroup.setDescription('The collection of objects which are used for configuring trunks in portable autoroute.') cwParClockConfGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 351, 150, 63, 2, 1, 11)).setObjects(("CISCO-WAN-PAR-MIB", "parClockIndex"), ("CISCO-WAN-PAR-MIB", "parClockType"), ("CISCO-WAN-PAR-MIB", "parClockCurSource"), ("CISCO-WAN-PAR-MIB", "parClockSource"), ("CISCO-WAN-PAR-MIB", "parClockSourceId"), ("CISCO-WAN-PAR-MIB", "parClockPath")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cwParClockConfGroup = cwParClockConfGroup.setStatus('current') if mibBuilder.loadTexts: cwParClockConfGroup.setDescription('The collection of objects which are used for configuring trunks in portable autoroute.') mibBuilder.exportSymbols("CISCO-WAN-PAR-MIB", parSwFuncNodeType=parSwFuncNodeType, cwParTrunkConfGroup=cwParTrunkConfGroup, parNetParmTopoMsgSegSz=parNetParmTopoMsgSegSz, parOnOffRenumRec=parOnOffRenumRec, parTrkLineLoad=parTrkLineLoad, parSysParmsMaxCDelay=parSysParmsMaxCDelay, parSwFunc=parSwFunc, parIfLoAddrMin=parIfLoAddrMin, parTrkCnfgTrafficClassCbr=parTrkCnfgTrafficClassCbr, cwParMIBCompliances=cwParMIBCompliances, parTrkAlarmStatus=parTrkAlarmStatus, parTrkLoadRcvUsedBdataB=parTrkLoadRcvUsedBdataB, parTrkCnfgTrafficClassNts=parTrkCnfgTrafficClassNts, parClockTable=parClockTable, parTrkRemoteTrunkId=parTrkRemoteTrunkId, parSysParmsConnFail=parSysParmsConnFail, parPrefRoute=parPrefRoute, parCmParmsMinRrGroupSize=parCmParmsMinRrGroupSize, cwParCompliance=cwParCompliance, parSysParmsMaxCdpVDelay=parSysParmsMaxCdpVDelay, parNetParmNetwWindowSz=parNetParmNetwWindowSz, parTrkAlarmType=parTrkAlarmType, parClockCurSource=parClockCurSource, parCmParmsCostBased=parCmParmsCostBased, parNetParmLowTxRate=parNetParmLowTxRate, parCmParmsRrtPauseTime=parCmParmsRrtPauseTime, parConnRoute=parConnRoute, parIfLoAddrMax=parIfLoAddrMax, parTrkLoadXmtUsedAbr=parTrkLoadXmtUsedAbr, parSysParmsMaxIpcdpCDelay=parSysParmsMaxIpcdpCDelay, parConnRemoteNodeName=parConnRemoteNodeName, parSnNumberOfTrunks=parSnNumberOfTrunks, parConnLocalEndpt=parConnLocalEndpt, parSnRevision=parSnRevision, parConnection=parConnection, parTrkCnfgTrafficClassFst=parTrkCnfgTrafficClassFst, parNetParmHighTxRate=parNetParmHighTxRate, parConnRstrZcs=parConnRstrZcs, parCmParmsDnUpTimer=parCmParmsDnUpTimer, parCmParmMaxViaCons=parCmParmMaxViaCons, cwParConnConfGroup=cwParConnConfGroup, parNetParmCbOffset=parNetParmCbOffset, parNetParmCondInitialStgr=parNetParmCondInitialStgr, parNetParmCfDelay=parNetParmCfDelay, parIfRxBw=parIfRxBw, parTrkLoadRcvUsedVoice=parTrkLoadRcvUsedVoice, PYSNMP_MODULE_ID=ciscoWanParMIB, parNetParmNetwLetWait=parNetParmNetwLetWait, parCmParmsUseCache=parCmParmsUseCache, parTrkLoadRcvUsedCbr=parTrkLoadRcvUsedCbr, parTrkLoadXmtUsedVoice=parTrkLoadXmtUsedVoice, parNetParmCbMaxTimeout=parNetParmCbMaxTimeout, parNetParmBlindMaxTimeout=parNetParmBlindMaxTimeout, parConnMasterShip=parConnMasterShip, parTrkLoadVccConidsUsed=parTrkLoadVccConidsUsed, cwParClockConfGroup=cwParClockConfGroup, parOnOff=parOnOff, parTrkLoadTable=parTrkLoadTable, parOnOffDynamicBwAlloc=parOnOffDynamicBwAlloc, parCmParmsRrtCycleInterval=parCmParmsRrtCycleInterval, parSnNodeIP=parSnNodeIP, parClockSourceId=parClockSourceId, ciscoWanParMIB=ciscoWanParMIB, parSysParmsMaxIpcdpADelay=parSysParmsMaxIpcdpADelay, parTrkCnfgTrafficClassVbr=parTrkCnfgTrafficClassVbr, parMnUpdtNodesPerInt=parMnUpdtNodesPerInt, parTrkStatReserve=parTrkStatReserve, parConnAdminStatus=parConnAdminStatus, parTrkLocalVTrunkId=parTrkLocalVTrunkId, parCmParmsRerouteGroups=parCmParmsRerouteGroups, parSwFuncAbrVsvd=parSwFuncAbrVsvd, parNetworkingParms=parNetworkingParms, parSysParmsMaxCdpADelay=parSysParmsMaxCdpADelay, parClockType=parClockType, parNetParmMsgMaxTimeoutSat=parNetParmMsgMaxTimeoutSat, cwParSysParamsGroup=cwParSysParamsGroup, parConnRemoteVci=parConnRemoteVci, parConnFailRsn=parConnFailRsn, parSysParmsInvLogAlarmThres=parSysParmsInvLogAlarmThres, parSysParmsTsPacketAge=parSysParmsTsPacketAge, parConnLocalPort=parConnLocalPort, parTrkCnfgVccConids=parTrkCnfgVccConids, cwParTrunkLoadConfGroup=cwParTrunkLoadConfGroup, parTrkCnfgDerouteDelay=parTrkCnfgDerouteDelay, parTrkCnfgTrafficClassVoice=parTrkCnfgTrafficClassVoice, parOnOffCmUpdts=parOnOffCmUpdts, parSysParmsDrtDelay=parSysParmsDrtDelay, parSysParmsMaxIpcdpDDelay=parSysParmsMaxIpcdpDDelay, parOnOffBackgroundUpdt=parOnOffBackgroundUpdt, parSysParmsMaxIpcdpVDelay=parSysParmsMaxIpcdpVDelay, parSysParmsDeEnable=parSysParmsDeEnable, cwParMIBConformance=cwParMIBConformance, parCmParmsRrtErrsPerCycle=parCmParmsRrtErrsPerCycle, parSysParmsMaxCdpCDelay=parSysParmsMaxCdpCDelay, parConnLocalSlot=parConnLocalSlot, parTrkLoadXmtUsedBdataB=parTrkLoadXmtUsedBdataB, parIfMaxConn=parIfMaxConn, parNetworkClock=parNetworkClock, parSysParmsMaxDDelay=parSysParmsMaxDDelay, parNetParmCfTestMultiplier=parNetParmCfTestMultiplier, parTrkLocalSlotNumber=parTrkLocalSlotNumber, parTrkLoadRcvUsedBdataA=parTrkLoadRcvUsedBdataA, parTrkLocalPortNumber=parTrkLocalPortNumber, parTrkRemoteNodeName=parTrkRemoteNodeName, parSysParmsMaxIpcdpHsdDelay=parSysParmsMaxIpcdpHsdDelay, parClockEntry=parClockEntry, parCmParmsUseDelay=parCmParmsUseDelay, parConnLocalVpi=parConnLocalVpi, parSysParmsFrStandard=parSysParmsFrStandard, parTrkCnfgCcRestrict=parTrkCnfgCcRestrict, parConnectionEntry=parConnectionEntry, parSysParmsVcPollRate=parSysParmsVcPollRate, parIfHiAddrMax=parIfHiAddrMax, parNetParmMsgTimeout=parNetParmMsgTimeout, parTrkLoadXmtUsedCbr=parTrkLoadXmtUsedCbr, parTrkCnfgVpcConids=parTrkCnfgVpcConids, parConnRemoteVcIndx=parConnRemoteVcIndx, parTrkRemotePortNumber=parTrkRemotePortNumber, parTrkLoadXmtUsedNts=parTrkLoadXmtUsedNts, parSysParmsMaxHsdDelay=parSysParmsMaxHsdDelay, parCmParms=parCmParms, parTrkLoadRcvUsedAbr=parTrkLoadRcvUsedAbr, parSnNodeId=parSnNodeId, parTrkCnfgPassSync=parTrkCnfgPassSync, parTrkCnfgAdminStatus=parTrkCnfgAdminStatus, parMnUpdt=parMnUpdt, parTrkLoadRcvUsedNts=parTrkLoadRcvUsedNts, parConnLocalVcIndx=parConnLocalVcIndx, parConnCos=parConnCos, parOnOffCommFailTest=parOnOffCommFailTest, parOnOffCommBreak=parOnOffCommBreak, cwParInterfaceConfGroup=cwParInterfaceConfGroup, parSnNodeName=parSnNodeName, parOnOffDrtDelay=parOnOffDrtDelay, parTrkLoadXmtUsedVbr=parTrkLoadXmtUsedVbr, cwParCmParamsUpdateGroup=cwParCmParamsUpdateGroup, parCmParmsMaxRrtCycles=parCmParmsMaxRrtCycles, parTrkLoadVpcConidsUsed=parTrkLoadVpcConidsUsed, parConnOperStatus=parConnOperStatus, parTrkRemoteNodeIP=parTrkRemoteNodeIP, parClockPath=parClockPath, parCmParmsRerouteTimer=parCmParmsRerouteTimer, parConnectionTable=parConnectionTable, parTrkTable=parTrkTable, parMnUpdtInterval=parMnUpdtInterval, parIfHiAddrMin=parIfHiAddrMin, parSysParmsMaxCdpDDelay=parSysParmsMaxCdpDDelay, parNetParmCfTestInterval=parNetParmCfTestInterval, parOnOffRouting=parOnOffRouting, cwParNodeGroup=cwParNodeGroup, parCmParmsMaxRoutingBundle=parCmParmsMaxRoutingBundle, parConnRemotePort=parConnRemotePort, parIfLogicalInterface=parIfLogicalInterface, parIfTable=parIfTable, parSysParmsFpdDeJitter=parSysParmsFpdDeJitter, parTrkCnfgTrafficClassFr=parTrkCnfgTrafficClassFr, parSysParms=parSysParms, parIfTxBw=parIfTxBw, parTrkBwCapacity=parTrkBwCapacity, parTrkLoadXmtUsedTs=parTrkLoadXmtUsedTs, parConnRemoteEndpt=parConnRemoteEndpt, parCmParmsRrGroupInc=parCmParmsRrGroupInc, cwParCmParamsGroup=cwParCmParamsGroup, parSelfNode=parSelfNode, parIfOperStatus=parIfOperStatus, cwParNetParamsGroup=cwParNetParamsGroup, parTrkRemoteNodeId=parTrkRemoteNodeId, parMnUpdtBatchSend=parMnUpdtBatchSend, parConnLocalVci=parConnLocalVci, parTrkLoadEntry=parTrkLoadEntry, parVsiConfigParms=parVsiConfigParms, parNetParmCondPerNodeInterval=parNetParmCondPerNodeInterval, parNetParmMsgMaxTimeout=parNetParmMsgMaxTimeout, parInterfaces=parInterfaces, parClockSource=parClockSource, parTrkCnfgLineType=parTrkCnfgLineType, parSysParmsMaxVDelay=parSysParmsMaxVDelay, parTrkRemoteNodeType=parTrkRemoteNodeType, parSnNodeAlarmStatus=parSnNodeAlarmStatus, cwParGeneralGroup=cwParGeneralGroup, parConnRstrTyp=parConnRstrTyp, parTrkRemoteSlotNumber=parTrkRemoteSlotNumber, parTrkCnfgRoutingCost=parTrkCnfgRoutingCost, parIfEntry=parIfEntry, parTrkCnfgTrafficClassTs=parTrkCnfgTrafficClassTs, parIfType=parIfType, parTrkRemoteVTrunkId=parTrkRemoteVTrunkId, parConnRemoteVpi=parConnRemoteVpi, parClockIndex=parClockIndex, parCmParmsDnUpPerPass=parCmParmsDnUpPerPass, parTrkId=parTrkId, parConnRemoteSlot=parConnRemoteSlot, parRrtFailRsn=parRrtFailRsn, parSysParmsMaxCdpHsdDelay=parSysParmsMaxCdpHsdDelay, parSysParmsMaxADelay=parSysParmsMaxADelay, parTrkLoadXmtUsedBdataA=parTrkLoadXmtUsedBdataA, parTrkEntry=parTrkEntry, parTrkLoadRcvUsedVbr=parTrkLoadRcvUsedVbr, cwParMIBGroups=cwParMIBGroups, parNetParmMaxNodeBlks=parNetParmMaxNodeBlks, parTrkCnfgTrafficClassAbr=parTrkCnfgTrafficClassAbr, parNetParmCbDelay=parNetParmCbDelay, parCmParmsMaxUpdates=parCmParmsMaxUpdates, parSysParmsMaxIphsdDelay=parSysParmsMaxIphsdDelay, parTrkLoadRcvUsedTs=parTrkLoadRcvUsedTs, parConfigParms=parConfigParms, parCmParmsResetTimer=parCmParmsResetTimer)
(octet_string, object_identifier, integer) = mibBuilder.importSymbols('ASN1', 'OctetString', 'ObjectIdentifier', 'Integer') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (value_range_constraint, single_value_constraint, constraints_union, value_size_constraint, constraints_intersection) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueRangeConstraint', 'SingleValueConstraint', 'ConstraintsUnion', 'ValueSizeConstraint', 'ConstraintsIntersection') (par,) = mibBuilder.importSymbols('BASIS-MIB', 'par') (cisco_wan,) = mibBuilder.importSymbols('CISCOWAN-SMI', 'ciscoWan') (notification_group, module_compliance, object_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance', 'ObjectGroup') (object_identity, integer32, mib_scalar, mib_table, mib_table_row, mib_table_column, iso, notification_type, unsigned32, gauge32, ip_address, bits, mib_identifier, counter32, module_identity, counter64, time_ticks) = mibBuilder.importSymbols('SNMPv2-SMI', 'ObjectIdentity', 'Integer32', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'iso', 'NotificationType', 'Unsigned32', 'Gauge32', 'IpAddress', 'Bits', 'MibIdentifier', 'Counter32', 'ModuleIdentity', 'Counter64', 'TimeTicks') (truth_value, textual_convention, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TruthValue', 'TextualConvention', 'DisplayString') cisco_wan_par_mib = module_identity((1, 3, 6, 1, 4, 1, 351, 150, 63)) ciscoWanParMIB.setRevisions(('2002-09-10 00:00',)) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): if mibBuilder.loadTexts: ciscoWanParMIB.setRevisionsDescriptions(('Initial version of the MIB. The content of this MIB was originally available in CISCO-WAN-AXIPOP-MIB defined using SMIv1. The applicable objects from CISCO-WAN-AXIPOP-MIB are defined using SMIv2 in this MIB. Also the descriptions of some of the objects have been modified.',)) if mibBuilder.loadTexts: ciscoWanParMIB.setLastUpdated('200209100000Z') if mibBuilder.loadTexts: ciscoWanParMIB.setOrganization('Cisco Systems, Inc.') if mibBuilder.loadTexts: ciscoWanParMIB.setContactInfo(' Cisco Systems Customer Service Postal: 170 W Tasman Drive San Jose, CA 95134 USA Tel: +1 800 553-NETS E-mail: cs-wanatm@cisco.com') if mibBuilder.loadTexts: ciscoWanParMIB.setDescription('The MIB module for configuring AutoRoute controller. The Portable AutoRoute(PAR) is a Controller providing routing capabilities in Network of Cisco MGX and BPX Switches. PAR controller performs following functions: - Connection Provisioning. Adding/Deleting/modifying connections - Connection Alarm Management. On receipt of a failure event, PAR sends messages to condition the connection. - Annex G functionality. Manages the LMI communication between feeder and routing node. - Clocking Control. PAR handles the clocking selection for the switch.') par_self_node = mib_identifier((1, 3, 6, 1, 4, 1, 351, 130, 1)) par_interfaces = mib_identifier((1, 3, 6, 1, 4, 1, 351, 130, 2)) par_connection = mib_identifier((1, 3, 6, 1, 4, 1, 351, 130, 3)) par_network_clock = mib_identifier((1, 3, 6, 1, 4, 1, 351, 130, 4)) par_config_parms = mib_identifier((1, 3, 6, 1, 4, 1, 351, 130, 5)) par_vsi_config_parms = mib_identifier((1, 3, 6, 1, 4, 1, 351, 130, 5, 1)) par_cm_parms = mib_identifier((1, 3, 6, 1, 4, 1, 351, 130, 5, 2)) par_mn_updt = mib_identifier((1, 3, 6, 1, 4, 1, 351, 130, 5, 3)) par_sw_func = mib_identifier((1, 3, 6, 1, 4, 1, 351, 130, 5, 4)) par_on_off = mib_identifier((1, 3, 6, 1, 4, 1, 351, 130, 5, 5)) par_sys_parms = mib_identifier((1, 3, 6, 1, 4, 1, 351, 130, 5, 6)) par_networking_parms = mib_identifier((1, 3, 6, 1, 4, 1, 351, 130, 5, 7)) par_sn_node_id = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 223)).clone(1)).setMaxAccess('readwrite') if mibBuilder.loadTexts: parSnNodeId.setStatus('current') if mibBuilder.loadTexts: parSnNodeId.setDescription(' This object specifies the node number of the node. When the network manager tries to modify the value of this object, a message is sent node state machine which propagates this information and the value gets modified only if the new node number is successfully propagated. The node number uniquely identifies a routing node in a network.') par_sn_node_ip = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 1, 2), ip_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: parSnNodeIP.setStatus('current') if mibBuilder.loadTexts: parSnNodeIP.setDescription('This object specifies the IP address for routing node and is used for communication with SNMP manager(for example Cisco Wan Manager:CWM).') par_sn_node_name = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 8))).setMaxAccess('readwrite') if mibBuilder.loadTexts: parSnNodeName.setStatus('current') if mibBuilder.loadTexts: parSnNodeName.setDescription('This object specifies the name of the node and is unique among all the nodes in the network. Whenever the name of the node is changed, AutoRoute has to propagate the information to the other nodes in the network. It also specifies the name of a PAR Feeder node.') par_sn_revision = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 1, 4), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: parSnRevision.setStatus('current') if mibBuilder.loadTexts: parSnRevision.setDescription('This object specifies the primary revision of the PAR running on the node. Format: cc.c.cc Where: c = one ascii character') par_sn_node_alarm_status = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('clear', 1), ('minor', 2), ('major', 3), ('unreach', 4)))).setMaxAccess('readonly') if mibBuilder.loadTexts: parSnNodeAlarmStatus.setStatus('current') if mibBuilder.loadTexts: parSnNodeAlarmStatus.setDescription('This object specifies the type of alarm on the node. clear(1) : No Alarm minor(2) : Minor Alarm major(3) : Major Alarm unreach(4) : Node is unreachable.') par_sn_number_of_trunks = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 255))).setMaxAccess('readonly') if mibBuilder.loadTexts: parSnNumberOfTrunks.setStatus('current') if mibBuilder.loadTexts: parSnNumberOfTrunks.setDescription('This object specifies the number of trunks attached to the node.') par_if_table = mib_table((1, 3, 6, 1, 4, 1, 351, 130, 2, 1)) if mibBuilder.loadTexts: parIfTable.setStatus('current') if mibBuilder.loadTexts: parIfTable.setDescription('Table of all logical interfaces supported by PAR') par_if_entry = mib_table_row((1, 3, 6, 1, 4, 1, 351, 130, 2, 1, 1)).setIndexNames((0, 'CISCO-WAN-PAR-MIB', 'parIfLogicalInterface')) if mibBuilder.loadTexts: parIfEntry.setStatus('current') if mibBuilder.loadTexts: parIfEntry.setDescription('Entries for logical interfaces.') par_if_logical_interface = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: parIfLogicalInterface.setStatus('current') if mibBuilder.loadTexts: parIfLogicalInterface.setDescription('This object specifies the logical interface number.') par_if_type = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('userport', 1), ('routingtrunk', 2), ('feedertrunk', 3), ('clkport', 4), ('virtualtrunk', 5))).clone('userport')).setMaxAccess('readwrite') if mibBuilder.loadTexts: parIfType.setStatus('current') if mibBuilder.loadTexts: parIfType.setDescription('This object specifies the type of interface. User ports need to be UNI interface. The trunks can be either UNI or NNI. userport(1) : UNI interface. This is for user ports. routingtrunk(2) : NNI interface. This value can be set provided there are no connections on the interface. feedertrunk(3) : It is feeder trunk. clkport(4) : Clock port. virtualtrunk(5): Virtual Trunk. Type of interface can be changed from nni(2) to uni(1) if the trunk is not added.') par_if_oper_status = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('up', 1), ('added', 2), ('failed', 3), ('added-failed', 4)))).setMaxAccess('readonly') if mibBuilder.loadTexts: parIfOperStatus.setStatus('current') if mibBuilder.loadTexts: parIfOperStatus.setDescription('This object specifies the operation status of the interface. up(1) : Interface is up. This value is applicable for UNI as well as NNI interfaces. added(2) : Interface is added. This value is applicable for NNI interfaces. failed(3) : Interface is failed. This value is applicable for UNI as well as NNI interfaces. added-failed (4) : Interface is failed. This value is applicable for NNI interfaces. interfaces.') par_if_tx_bw = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 1, 1, 4), integer32()).setUnits('cells-per-second').setMaxAccess('readonly') if mibBuilder.loadTexts: parIfTxBw.setStatus('current') if mibBuilder.loadTexts: parIfTxBw.setDescription('This object specifies the transmit bandwidth for the interface.') par_if_rx_bw = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 1, 1, 5), integer32()).setUnits('cells-per-second').setMaxAccess('readonly') if mibBuilder.loadTexts: parIfRxBw.setStatus('current') if mibBuilder.loadTexts: parIfRxBw.setDescription('This object specifies the receive bandwidth for the interface.') par_if_max_conn = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 1, 1, 6), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: parIfMaxConn.setStatus('current') if mibBuilder.loadTexts: parIfMaxConn.setDescription('This object specifies the maximum number of connections that can be configured over the interface.') par_if_hi_addr_min = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 1, 1, 7), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: parIfHiAddrMin.setStatus('current') if mibBuilder.loadTexts: parIfHiAddrMin.setDescription('This object specifies the minimum VPI that PAR can use for configuring connection in the interface.') par_if_hi_addr_max = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 1, 1, 8), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: parIfHiAddrMax.setStatus('current') if mibBuilder.loadTexts: parIfHiAddrMax.setDescription('This object specifies the maximum VPI that PAR can use for configuring connection in the interface.') par_if_lo_addr_min = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 1, 1, 9), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: parIfLoAddrMin.setStatus('current') if mibBuilder.loadTexts: parIfLoAddrMin.setDescription('This object specifies the minimum VCI that PAR can use for configuring connection in the interface.') par_if_lo_addr_max = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 1, 1, 10), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: parIfLoAddrMax.setStatus('current') if mibBuilder.loadTexts: parIfLoAddrMax.setDescription('This object specifies the maximum VCI that PAR can use for configuring connection in the interface.') par_trk_table = mib_table((1, 3, 6, 1, 4, 1, 351, 130, 2, 2)) if mibBuilder.loadTexts: parTrkTable.setStatus('current') if mibBuilder.loadTexts: parTrkTable.setDescription('The table containing trunk parameters.') par_trk_entry = mib_table_row((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1)).setIndexNames((0, 'CISCO-WAN-PAR-MIB', 'parIfLogicalInterface')) if mibBuilder.loadTexts: parTrkEntry.setStatus('current') if mibBuilder.loadTexts: parTrkEntry.setDescription('Entries for logical interfaces configured as trunks (parIfType nni).') par_trk_id = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: parTrkId.setStatus('current') if mibBuilder.loadTexts: parTrkId.setDescription('This object specifies the logical trunk number associated with the trunk at the local node.') par_trk_stat_reserve = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 2), integer32().clone(1000)).setUnits('cells-per-second').setMaxAccess('readwrite') if mibBuilder.loadTexts: parTrkStatReserve.setStatus('current') if mibBuilder.loadTexts: parTrkStatReserve.setDescription('Specifies the bandwidth reserved as Statistical Reserve on the trunk in units of cells per second. This object cannot take a value beyond the bandwidth capacity of the trunk.') par_trk_cnfg_cc_restrict = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 3), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: parTrkCnfgCcRestrict.setStatus('current') if mibBuilder.loadTexts: parTrkCnfgCcRestrict.setDescription('This object specifies the operators preference for routing control plane traffic on the interface. If the object is set to False, then the interface may be chosen for control plane traffic. If it is True, then the interface is not chosen, unless there is no other trunk with parIfOperStatus added(2), in which case it is chosen regardless of the value of this object.') par_trk_cnfg_line_type = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('terrestrial', 1), ('satellite', 2))).clone('terrestrial')).setMaxAccess('readwrite') if mibBuilder.loadTexts: parTrkCnfgLineType.setStatus('current') if mibBuilder.loadTexts: parTrkCnfgLineType.setDescription('This object specifies the type of interface terrestrial or satellite. The interfaces configured as terrestrial(1) are preferred over those configured as satellite(2) for routing control plane traffic. This information is also used for connections for which routing restrictions are specified.') par_trk_cnfg_pass_sync = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 5), truth_value().clone('true')).setMaxAccess('readwrite') if mibBuilder.loadTexts: parTrkCnfgPassSync.setStatus('current') if mibBuilder.loadTexts: parTrkCnfgPassSync.setDescription('This object specifies whether the trunk can be used to pass clock sync. If the value of this object is True, clock can be synchronized through the trunk; otherwise not.') par_trk_cnfg_deroute_delay = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 6), integer32()).setUnits('seconds').setMaxAccess('readwrite') if mibBuilder.loadTexts: parTrkCnfgDerouteDelay.setStatus('current') if mibBuilder.loadTexts: parTrkCnfgDerouteDelay.setDescription('This object specifies the value of deroute delay timer in seconds.') par_trk_cnfg_traffic_class_fst = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 7), truth_value().clone('true')).setMaxAccess('readwrite') if mibBuilder.loadTexts: parTrkCnfgTrafficClassFst.setStatus('current') if mibBuilder.loadTexts: parTrkCnfgTrafficClassFst.setDescription('This object indicates whether Foresight traffic can be routed over the trunk. If the value is true(1), it can be rerouted otherwise not.') par_trk_cnfg_traffic_class_fr = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 8), truth_value().clone('true')).setMaxAccess('readwrite') if mibBuilder.loadTexts: parTrkCnfgTrafficClassFr.setStatus('current') if mibBuilder.loadTexts: parTrkCnfgTrafficClassFr.setDescription('This object indicates whether Frame Relay traffic can be routed over the trunk. If the value is true(1), it can be rerouted otherwise not.') par_trk_cnfg_traffic_class_nts = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 9), truth_value().clone('true')).setMaxAccess('readwrite') if mibBuilder.loadTexts: parTrkCnfgTrafficClassNts.setStatus('current') if mibBuilder.loadTexts: parTrkCnfgTrafficClassNts.setDescription('This object indicates whether Non-Time Stamped traffic can be routed over the trunk. If the value is true(1) it can be rerouted otherwise not.') par_trk_cnfg_traffic_class_ts = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 10), truth_value().clone('true')).setMaxAccess('readwrite') if mibBuilder.loadTexts: parTrkCnfgTrafficClassTs.setStatus('current') if mibBuilder.loadTexts: parTrkCnfgTrafficClassTs.setDescription('This object indicates whether Time Stamped traffic can be routed over the trunk. If the value is true(1) it can be rerouted otherwise not.') par_trk_cnfg_traffic_class_voice = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 11), truth_value().clone('true')).setMaxAccess('readwrite') if mibBuilder.loadTexts: parTrkCnfgTrafficClassVoice.setStatus('current') if mibBuilder.loadTexts: parTrkCnfgTrafficClassVoice.setDescription('This object indicates whether Voice traffic can be routed over the trunk. If the value is true(1), it can be rerouted otherwise not.') par_trk_cnfg_traffic_class_cbr = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 12), truth_value().clone('true')).setMaxAccess('readwrite') if mibBuilder.loadTexts: parTrkCnfgTrafficClassCbr.setStatus('current') if mibBuilder.loadTexts: parTrkCnfgTrafficClassCbr.setDescription('This object indicates whether Constant Bit Rate traffic can be routed over the trunk. If the value is true(1), it can be rerouted otherwise not.') par_trk_cnfg_traffic_class_vbr = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 13), truth_value().clone('true')).setMaxAccess('readwrite') if mibBuilder.loadTexts: parTrkCnfgTrafficClassVbr.setStatus('current') if mibBuilder.loadTexts: parTrkCnfgTrafficClassVbr.setDescription('This object indicates whether Variable Bit Rate traffic can be routed over the trunk. If the value is true(1), it can be rerouted otherwise not.') par_trk_cnfg_traffic_class_abr = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 14), truth_value().clone('true')).setMaxAccess('readwrite') if mibBuilder.loadTexts: parTrkCnfgTrafficClassAbr.setStatus('current') if mibBuilder.loadTexts: parTrkCnfgTrafficClassAbr.setDescription('This object indicates whether Available Bit Rate traffic can be routed over the trunk. If the value is true(1), it can be rerouted otherwise not.') par_trk_cnfg_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 15), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('add', 1), ('delete', 2))).clone('delete')).setMaxAccess('readwrite') if mibBuilder.loadTexts: parTrkCnfgAdminStatus.setStatus('current') if mibBuilder.loadTexts: parTrkCnfgAdminStatus.setDescription('This object can be used to add or delete the trunk. The value of this object can be set to add(1) only if the parIfOperStatus is up(1). The value can be set to delete if parIfOperStatus is added or added-failed') par_trk_cnfg_routing_cost = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 16), integer32().subtype(subtypeSpec=value_range_constraint(1, 15)).clone(7)).setMaxAccess('readwrite') if mibBuilder.loadTexts: parTrkCnfgRoutingCost.setStatus('current') if mibBuilder.loadTexts: parTrkCnfgRoutingCost.setDescription('This object specifies the cost associated with the trunk for the purpose of routing the connections. This object has significance if cost based routing feature is enabled(parCmParmsCostBased)') par_trk_cnfg_vcc_conids = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 17), integer32()).setMaxAccess('readwrite') if mibBuilder.loadTexts: parTrkCnfgVccConids.setStatus('current') if mibBuilder.loadTexts: parTrkCnfgVccConids.setDescription('The maximum number of routing resource available on the trunk for VCC connections.') par_trk_cnfg_vpc_conids = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 18), integer32()).setMaxAccess('readwrite') if mibBuilder.loadTexts: parTrkCnfgVpcConids.setStatus('current') if mibBuilder.loadTexts: parTrkCnfgVpcConids.setDescription('The maximum number of routing resource available on the trunk for VPC connections') par_trk_local_slot_number = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 19), integer32().subtype(subtypeSpec=value_range_constraint(1, 32))).setMaxAccess('readonly') if mibBuilder.loadTexts: parTrkLocalSlotNumber.setStatus('current') if mibBuilder.loadTexts: parTrkLocalSlotNumber.setDescription('This object specifies the slot number of the interface card associated with the trunk at the local node.') par_trk_local_port_number = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 20), integer32().subtype(subtypeSpec=value_range_constraint(1, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: parTrkLocalPortNumber.setStatus('current') if mibBuilder.loadTexts: parTrkLocalPortNumber.setDescription('This object specifies the port number of the interface card associated with the trunk at the local node.') par_trk_local_v_trunk_id = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 21), integer32().subtype(subtypeSpec=value_range_constraint(1, 255))).setMaxAccess('readonly') if mibBuilder.loadTexts: parTrkLocalVTrunkId.setStatus('current') if mibBuilder.loadTexts: parTrkLocalVTrunkId.setDescription('This object specifies the Virtual trunk of the interface card associated with the trunk at the local node. The value of this object is between 1 and 254, inclusive for a virtual trunk and 255 for a physical trunk.') par_trk_remote_node_id = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 22), integer32().subtype(subtypeSpec=value_range_constraint(1, 223))).setMaxAccess('readonly') if mibBuilder.loadTexts: parTrkRemoteNodeId.setStatus('current') if mibBuilder.loadTexts: parTrkRemoteNodeId.setDescription('This object specifies the node number of the node attached to the remote end of the trunk.') par_trk_remote_trunk_id = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 23), integer32().subtype(subtypeSpec=value_range_constraint(1, 255))).setMaxAccess('readonly') if mibBuilder.loadTexts: parTrkRemoteTrunkId.setStatus('current') if mibBuilder.loadTexts: parTrkRemoteTrunkId.setDescription('This object specifies the logical trunk number at the node on the remote end of the trunk.') par_trk_remote_slot_number = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 24), integer32().subtype(subtypeSpec=value_range_constraint(1, 32))).setMaxAccess('readonly') if mibBuilder.loadTexts: parTrkRemoteSlotNumber.setStatus('current') if mibBuilder.loadTexts: parTrkRemoteSlotNumber.setDescription('This object specifies the slot number of the interface card to which the trunk is attached on the remote node.') par_trk_remote_port_number = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 25), integer32().subtype(subtypeSpec=value_range_constraint(1, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: parTrkRemotePortNumber.setStatus('current') if mibBuilder.loadTexts: parTrkRemotePortNumber.setDescription('This object specifies the port number of the interface card to which the trunk is attached on the remote node.') par_trk_remote_v_trunk_id = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 26), integer32().subtype(subtypeSpec=value_range_constraint(1, 255))).setMaxAccess('readonly') if mibBuilder.loadTexts: parTrkRemoteVTrunkId.setStatus('current') if mibBuilder.loadTexts: parTrkRemoteVTrunkId.setDescription('This object specifies the Virtual trunk of the interface card associated with the trunk at the remote node. The value of this object is between 1 and 254, inclusive for a virtual trunk and 255 for a physical trunk.') par_trk_remote_node_ip = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 27), ip_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: parTrkRemoteNodeIP.setStatus('current') if mibBuilder.loadTexts: parTrkRemoteNodeIP.setDescription('This object specifies the IP address for the Remote node, used for communication with NMS') par_trk_remote_node_type = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 28), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('ipx', 1), ('igx', 2), ('bpx', 3), ('par', 4), ('unknown', 5)))).setMaxAccess('readonly') if mibBuilder.loadTexts: parTrkRemoteNodeType.setStatus('current') if mibBuilder.loadTexts: parTrkRemoteNodeType.setDescription('Specifies the type of the node.') par_trk_remote_node_name = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 29), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: parTrkRemoteNodeName.setStatus('current') if mibBuilder.loadTexts: parTrkRemoteNodeName.setDescription('This object specifies the name of the remote node and is unique among all the nodes in the network.') par_trk_alarm_status = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 30), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('clear', 1), ('minor', 2), ('major', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: parTrkAlarmStatus.setStatus('current') if mibBuilder.loadTexts: parTrkAlarmStatus.setDescription('This object specifies the severity of the alarm on the trunk. clear(1) : No Alarm minor(2) : Minor Alarm major(3) : Major Alarm.') par_trk_alarm_type = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 31), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('rsrcunavail', 1), ('commfail', 2), ('unknown', 3), ('failed', 4), ('looped', 5)))).setMaxAccess('readonly') if mibBuilder.loadTexts: parTrkAlarmType.setStatus('current') if mibBuilder.loadTexts: parTrkAlarmType.setDescription('This object specifies the type of alarm on the trunk. The value of this object has no significance if parTrunkAlarmStatus indicates no alarm. rsrcunavail(1) : resources unavailable indicates that the platform has not provided the resources required to make this interface into a trunk. commfail(2) : communication failure indicates that message exchanged between neighboring nodes on this trunk has failed. unknown (3) : indicates that the alarm type is unknown to PAR, for example if the platform has declared the interface in alarm due to some physical problem with the interface.') par_trk_bw_capacity = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 32), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: parTrkBwCapacity.setStatus('current') if mibBuilder.loadTexts: parTrkBwCapacity.setDescription('Specifies the bandwidth capacity of the trunk.') par_trk_line_load = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 2, 1, 33), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: parTrkLineLoad.setStatus('current') if mibBuilder.loadTexts: parTrkLineLoad.setDescription('Specifies the bandwidth used by the connections routed over the trunk.') par_trk_load_table = mib_table((1, 3, 6, 1, 4, 1, 351, 130, 2, 3)) if mibBuilder.loadTexts: parTrkLoadTable.setStatus('current') if mibBuilder.loadTexts: parTrkLoadTable.setDescription('Trunk Load Information') par_trk_load_entry = mib_table_row((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1)).setIndexNames((0, 'CISCO-WAN-PAR-MIB', 'parIfLogicalInterface')) if mibBuilder.loadTexts: parTrkLoadEntry.setStatus('current') if mibBuilder.loadTexts: parTrkLoadEntry.setDescription('Load info for logical interfaces configured as trunks (parIfType nni).') par_trk_load_xmt_used_cbr = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: parTrkLoadXmtUsedCbr.setStatus('current') if mibBuilder.loadTexts: parTrkLoadXmtUsedCbr.setDescription('This object specifies the used bandwidth in the transmit direction for CBR traffic.') par_trk_load_rcv_used_cbr = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1, 2), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: parTrkLoadRcvUsedCbr.setStatus('current') if mibBuilder.loadTexts: parTrkLoadRcvUsedCbr.setDescription('This object specifies the used bandwidth in the receive direction for CBR traffic') par_trk_load_xmt_used_vbr = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1, 3), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: parTrkLoadXmtUsedVbr.setStatus('current') if mibBuilder.loadTexts: parTrkLoadXmtUsedVbr.setDescription('This object specifies the used bandwidth in the transmit direction for VBR traffic.') par_trk_load_rcv_used_vbr = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1, 4), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: parTrkLoadRcvUsedVbr.setStatus('current') if mibBuilder.loadTexts: parTrkLoadRcvUsedVbr.setDescription('This object specifies the used bandwidth in the receive direction for VBR traffic.') par_trk_load_xmt_used_abr = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1, 5), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: parTrkLoadXmtUsedAbr.setStatus('current') if mibBuilder.loadTexts: parTrkLoadXmtUsedAbr.setDescription('This object specifies the used bandwidth in the transmit direction for ABR.') par_trk_load_rcv_used_abr = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1, 6), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: parTrkLoadRcvUsedAbr.setStatus('current') if mibBuilder.loadTexts: parTrkLoadRcvUsedAbr.setDescription('This object specifies the used bandwidth in the receive direction for ABR.') par_trk_load_xmt_used_nts = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1, 7), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: parTrkLoadXmtUsedNts.setStatus('current') if mibBuilder.loadTexts: parTrkLoadXmtUsedNts.setDescription('This object specifies the used bandwidth in the transmit direction for Non-Time Stamped.') par_trk_load_rcv_used_nts = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1, 8), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: parTrkLoadRcvUsedNts.setStatus('current') if mibBuilder.loadTexts: parTrkLoadRcvUsedNts.setDescription('This object specifies the used bandwidth in the receive direction for Non-Time Stamped.') par_trk_load_xmt_used_ts = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1, 9), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: parTrkLoadXmtUsedTs.setStatus('current') if mibBuilder.loadTexts: parTrkLoadXmtUsedTs.setDescription('This object specifies the used bandwidth in the transmit direction for Time-Stamped.') par_trk_load_rcv_used_ts = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1, 10), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: parTrkLoadRcvUsedTs.setStatus('current') if mibBuilder.loadTexts: parTrkLoadRcvUsedTs.setDescription('This object specifies the used bandwidth in the receive direction for Time-Stamped.') par_trk_load_xmt_used_voice = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1, 11), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: parTrkLoadXmtUsedVoice.setStatus('current') if mibBuilder.loadTexts: parTrkLoadXmtUsedVoice.setDescription('This object specifies the used bandwidth in the transmit direction for Voice.') par_trk_load_rcv_used_voice = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1, 12), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: parTrkLoadRcvUsedVoice.setStatus('current') if mibBuilder.loadTexts: parTrkLoadRcvUsedVoice.setDescription('This object specifies the used bandwidth in the receive direction for Voice.') par_trk_load_xmt_used_bdata_a = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1, 13), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: parTrkLoadXmtUsedBdataA.setStatus('current') if mibBuilder.loadTexts: parTrkLoadXmtUsedBdataA.setDescription('This object specifies the used bandwidth in the transmit direction for Busty Data A.') par_trk_load_rcv_used_bdata_a = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1, 14), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: parTrkLoadRcvUsedBdataA.setStatus('current') if mibBuilder.loadTexts: parTrkLoadRcvUsedBdataA.setDescription('This object specifies the used bandwidth in the receive direction for Bursty Data A.') par_trk_load_xmt_used_bdata_b = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1, 15), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: parTrkLoadXmtUsedBdataB.setStatus('current') if mibBuilder.loadTexts: parTrkLoadXmtUsedBdataB.setDescription('This object specifies the used bandwidth in the transmit direction for Bursty Data B.') par_trk_load_rcv_used_bdata_b = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1, 16), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: parTrkLoadRcvUsedBdataB.setStatus('current') if mibBuilder.loadTexts: parTrkLoadRcvUsedBdataB.setDescription('This object specifies the used bandwidth in the receive direction for Bursty Data B.') par_trk_load_vcc_conids_used = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1, 17), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: parTrkLoadVccConidsUsed.setStatus('current') if mibBuilder.loadTexts: parTrkLoadVccConidsUsed.setDescription('This object specifies the number of conids used for VCCs (not used) on the trunk.') par_trk_load_vpc_conids_used = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 2, 3, 1, 19), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: parTrkLoadVpcConidsUsed.setStatus('current') if mibBuilder.loadTexts: parTrkLoadVpcConidsUsed.setDescription('This object specifies the number of conids Used for VPCs (not used) on the trunk.') par_connection_table = mib_table((1, 3, 6, 1, 4, 1, 351, 130, 3, 1)) if mibBuilder.loadTexts: parConnectionTable.setStatus('current') if mibBuilder.loadTexts: parConnectionTable.setDescription('This table contains connections Mastered or slaved by the node.') par_connection_entry = mib_table_row((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1)).setIndexNames((0, 'CISCO-WAN-PAR-MIB', 'parConnLocalSlot'), (0, 'CISCO-WAN-PAR-MIB', 'parConnLocalPort'), (0, 'CISCO-WAN-PAR-MIB', 'parConnLocalVpi'), (0, 'CISCO-WAN-PAR-MIB', 'parConnLocalVci')) if mibBuilder.loadTexts: parConnectionEntry.setStatus('current') if mibBuilder.loadTexts: parConnectionEntry.setDescription('Entries for connections mastered or slaved by the node. Each entry contains Local and remote end information.') par_conn_local_slot = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 32))).setMaxAccess('readonly') if mibBuilder.loadTexts: parConnLocalSlot.setStatus('current') if mibBuilder.loadTexts: parConnLocalSlot.setDescription('This object specifies the slot number part of the local endpoint connection address.') par_conn_local_port = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: parConnLocalPort.setStatus('current') if mibBuilder.loadTexts: parConnLocalPort.setDescription('This object specifies the port number part of the local endpoint connection address.') par_conn_local_vpi = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 4095))).setMaxAccess('readonly') if mibBuilder.loadTexts: parConnLocalVpi.setStatus('current') if mibBuilder.loadTexts: parConnLocalVpi.setDescription('This object specifies the Virtual Path Identifier part of the local endpoint connection address.') par_conn_local_vci = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: parConnLocalVci.setStatus('current') if mibBuilder.loadTexts: parConnLocalVci.setDescription('This object specifies the Virtual Channel Identifier part of the local endpoint connection address.') par_conn_master_ship = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 5), truth_value()).setMaxAccess('readonly') if mibBuilder.loadTexts: parConnMasterShip.setStatus('current') if mibBuilder.loadTexts: parConnMasterShip.setDescription('This object specifies whether this end of the connection is the master or the slave of the connection. The value true(1) signifies the master end and false(2) signifies slave end.') par_conn_local_vc_indx = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 6), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: parConnLocalVcIndx.setStatus('current') if mibBuilder.loadTexts: parConnLocalVcIndx.setDescription('This object specifies the Virtual Connection Index at this node. It is used by Network Management to correlate this end of the connection with the remote end.') par_conn_local_endpt = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 7), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: parConnLocalEndpt.setStatus('current') if mibBuilder.loadTexts: parConnLocalEndpt.setDescription('This object specifies the actual physical connection endpoint at the local node.') par_conn_remote_node_name = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 8), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: parConnRemoteNodeName.setStatus('current') if mibBuilder.loadTexts: parConnRemoteNodeName.setDescription('This object specifies the node name of the remote endpoint. For a intra-switch connection or feeder connection this object would specify the self node name.') par_conn_remote_slot = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 9), integer32().subtype(subtypeSpec=value_range_constraint(1, 32))).setMaxAccess('readonly') if mibBuilder.loadTexts: parConnRemoteSlot.setStatus('current') if mibBuilder.loadTexts: parConnRemoteSlot.setDescription('This object specifies the slot number part of the remote endpoint connection address.') par_conn_remote_port = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(1, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: parConnRemotePort.setStatus('current') if mibBuilder.loadTexts: parConnRemotePort.setDescription('This object specifies the port number part of the remote endpoint connection address.') par_conn_remote_vpi = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 11), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: parConnRemoteVpi.setStatus('current') if mibBuilder.loadTexts: parConnRemoteVpi.setDescription('This object specifies the VPI part of the remote endpoint connection address.') par_conn_remote_vci = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 12), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: parConnRemoteVci.setStatus('current') if mibBuilder.loadTexts: parConnRemoteVci.setDescription('This object specifies the VCI part of the remote endpoint connection address.') par_conn_remote_vc_indx = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 13), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: parConnRemoteVcIndx.setStatus('current') if mibBuilder.loadTexts: parConnRemoteVcIndx.setDescription('This object specifies the Virtual Connection Index at the remote node. It is used by Network Management to correlate this end of the connection with the remote end..') par_conn_oper_status = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 14), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('routed', 1), ('unrouted', 2), ('lmifail', 3), ('unknown', 4)))).setMaxAccess('readonly') if mibBuilder.loadTexts: parConnOperStatus.setStatus('current') if mibBuilder.loadTexts: parConnOperStatus.setDescription('This object specifies the status of connection as known and determined by PAR. The status shall be OK if there is an A-bit alarm on the connection.') par_conn_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 15), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('down', 1), ('up', 2), ('reroute', 3))).clone('up')).setMaxAccess('readwrite') if mibBuilder.loadTexts: parConnAdminStatus.setStatus('current') if mibBuilder.loadTexts: parConnAdminStatus.setDescription("This object is used by the operator to reroute or down/up a connection. The value of this object is up(1) when the connection is created. If the value of the object is set to down(1) the connection is derouted (if it is routed) and parConnOperStatus object is set to not routed. If the value of the object is up (2) and it is set to reroute(3) the connection is derouted and attempt is made to reroute the connection. If the value of the object is down (1) and the it is set to reroute (3), no action is performed and the object's value does not changes. If the value of object is down(1) and is set to up(2), an attempt is made to reroute the connection.") par_conn_route = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 16), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: parConnRoute.setStatus('current') if mibBuilder.loadTexts: parConnRoute.setDescription('This object specifies the current path on which the connection is routed. A value of this object is valid only if parConnOperStatus is routed. The Null string specifies that the connection is not routed. Format: Nodename {Trk--Trk Nodename} Where: Nodename = up to 8 characters, Trk = slot.port.vtrk, slot = 1 or 2 characters, port = 1 or two characters, and vtrk = 1 or two characters and is optional. The portion of the format shown in braces {like this} can be repeated up to 10 times.') par_conn_remote_endpt = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 17), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: parConnRemoteEndpt.setStatus('current') if mibBuilder.loadTexts: parConnRemoteEndpt.setDescription('This object specifies the actual physical connection endpoint at the remote end of the connection. It shall be known only if the connection is a local(DAX) connection.') par_pref_route = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 18), display_string()).setMaxAccess('readwrite') if mibBuilder.loadTexts: parPrefRoute.setStatus('current') if mibBuilder.loadTexts: parPrefRoute.setDescription('This object specifies the preferred path for the connection. The Null string specifies that the connection does not have a preferred route. Format: Nodename {Trk--Trk Nodename} Where: Nodename = up to 8 characters, Trk = slot.port.vtrk, slot = 1 or 2 characters, port = 1 or two characters, and vtrk = 1 or two characters and is optional. The portion of the format shown in braces {like this} can be repeated up to 10 times.') par_conn_fail_rsn = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 19), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('down', 1), ('hwalm', 2), ('abitalm', 3), ('lmifail', 4), ('rrtfail', 5), ('incomplete', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: parConnFailRsn.setStatus('current') if mibBuilder.loadTexts: parConnFailRsn.setDescription('This object specifies a reason code for the failure of the connection.') par_rrt_fail_rsn = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 20), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: parRrtFailRsn.setStatus('current') if mibBuilder.loadTexts: parRrtFailRsn.setDescription('This object specifies the Reason of failure of a connection to route.') par_conn_rstr_typ = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 21), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('norestrict', 1), ('terrestrict', 2), ('satrestrict', 3), ('undefrestrict', 4)))).setMaxAccess('readonly') if mibBuilder.loadTexts: parConnRstrTyp.setStatus('current') if mibBuilder.loadTexts: parConnRstrTyp.setDescription('This object specifies the Route restriction of a connection.') par_conn_rstr_zcs = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 22), truth_value()).setMaxAccess('readonly') if mibBuilder.loadTexts: parConnRstrZcs.setStatus('current') if mibBuilder.loadTexts: parConnRstrZcs.setDescription('This object specifies whether ZCS lines should be avoided or not.') par_conn_cos = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 3, 1, 1, 23), integer32().subtype(subtypeSpec=value_range_constraint(0, 15))).setMaxAccess('readonly') if mibBuilder.loadTexts: parConnCos.setStatus('current') if mibBuilder.loadTexts: parConnCos.setDescription('This object specifies the COS for the connection.') par_clock_table = mib_table((1, 3, 6, 1, 4, 1, 351, 130, 4, 1)) if mibBuilder.loadTexts: parClockTable.setStatus('current') if mibBuilder.loadTexts: parClockTable.setDescription('Table of clock sources available to PAR') par_clock_entry = mib_table_row((1, 3, 6, 1, 4, 1, 351, 130, 4, 1, 1)).setIndexNames((0, 'CISCO-WAN-PAR-MIB', 'parClockIndex')) if mibBuilder.loadTexts: parClockEntry.setStatus('current') if mibBuilder.loadTexts: parClockEntry.setDescription('Each entry represent a clock source available to PAR') par_clock_index = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 4, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: parClockIndex.setStatus('current') if mibBuilder.loadTexts: parClockIndex.setDescription('This clock index is assigned by PAR.') par_clock_type = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 4, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('primary', 1), ('secondary', 2), ('tertiary', 3), ('null', 4)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: parClockType.setStatus('current') if mibBuilder.loadTexts: parClockType.setDescription('Specifies the type of clock.') par_clock_source = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 4, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('internal', 1), ('interface', 2), ('external', 3))).clone('internal')).setMaxAccess('readonly') if mibBuilder.loadTexts: parClockSource.setStatus('current') if mibBuilder.loadTexts: parClockSource.setDescription('Specifies source of the clock.') par_clock_cur_source = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 4, 1, 1, 4), truth_value().clone('false')).setMaxAccess('readonly') if mibBuilder.loadTexts: parClockCurSource.setStatus('current') if mibBuilder.loadTexts: parClockCurSource.setDescription('Specifies whether clock source is a current clock source or not. The value is true if the cloock source is current and false otherwise') par_clock_source_id = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 4, 1, 1, 5), integer32()).setMaxAccess('readwrite') if mibBuilder.loadTexts: parClockSourceId.setStatus('current') if mibBuilder.loadTexts: parClockSourceId.setDescription("Specifies identification of the clock - for example - if clock source is `Interface' then this field will carry logical interface number") par_clock_path = mib_table_column((1, 3, 6, 1, 4, 1, 351, 130, 4, 1, 1, 6), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: parClockPath.setStatus('current') if mibBuilder.loadTexts: parClockPath.setDescription('Describes the path used for clock synchronization') par_cm_parms_max_routing_bundle = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 2, 1), integer32().clone(24)).setMaxAccess('readwrite') if mibBuilder.loadTexts: parCmParmsMaxRoutingBundle.setStatus('current') if mibBuilder.loadTexts: parCmParmsMaxRoutingBundle.setDescription('This object specifies the maximum number of connections that can be routed in one routing cycle.') par_cm_parms_reroute_timer = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 2, 2), integer32()).setMaxAccess('readwrite') if mibBuilder.loadTexts: parCmParmsRerouteTimer.setStatus('current') if mibBuilder.loadTexts: parCmParmsRerouteTimer.setDescription('This object specifies the minimum time after which a connection is routed once it has been successfully routed.') par_cm_parms_reset_timer = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 2, 3), truth_value().clone('true')).setMaxAccess('readwrite') if mibBuilder.loadTexts: parCmParmsResetTimer.setStatus('current') if mibBuilder.loadTexts: parCmParmsResetTimer.setDescription('This object specifies whether the reroute timer should be reset if the path for routed connection failed. If the value of the object is true(1), the timer is reset on detecting path fail.') par_cm_parms_dn_up_per_pass = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 2, 4), integer32().clone(50)).setMaxAccess('readwrite') if mibBuilder.loadTexts: parCmParmsDnUpPerPass.setStatus('current') if mibBuilder.loadTexts: parCmParmsDnUpPerPass.setDescription('This object specifies the maximum number of connections that are upped or down in one schedule of down connection state machine.') par_cm_parms_dn_up_timer = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 2, 5), integer32().clone(30000)).setUnits('milliseconds').setMaxAccess('readwrite') if mibBuilder.loadTexts: parCmParmsDnUpTimer.setStatus('current') if mibBuilder.loadTexts: parCmParmsDnUpTimer.setDescription('This object specifies the minimum time interval (in milliseconds) between two schedules of the down connection state machine.') par_cm_parms_rrt_errs_per_cycle = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 2, 6), integer32().clone(50)).setMaxAccess('readwrite') if mibBuilder.loadTexts: parCmParmsRrtErrsPerCycle.setStatus('current') if mibBuilder.loadTexts: parCmParmsRrtErrsPerCycle.setDescription('This object specifies the threshold for number of failures to route a connection before it is moved into the wait group. If the value of this object is zero, the feature is disabled.') par_cm_parms_rrt_cycle_interval = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 2, 7), integer32().clone(5)).setUnits('minutes').setMaxAccess('readwrite') if mibBuilder.loadTexts: parCmParmsRrtCycleInterval.setStatus('current') if mibBuilder.loadTexts: parCmParmsRrtCycleInterval.setDescription('This object specifies the time (in minutes) for which no attempt is made to route a connection in the wait group.') par_cm_parms_max_rrt_cycles = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 2, 8), integer32().clone(10)).setMaxAccess('readwrite') if mibBuilder.loadTexts: parCmParmsMaxRrtCycles.setStatus('current') if mibBuilder.loadTexts: parCmParmsMaxRrtCycles.setDescription('This object specifies the number of times a connection is added to the wait group before declaring it unroutable.') par_cm_parms_rrt_pause_time = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 2, 9), integer32()).setUnits('milliseconds').setMaxAccess('readwrite') if mibBuilder.loadTexts: parCmParmsRrtPauseTime.setStatus('current') if mibBuilder.loadTexts: parCmParmsRrtPauseTime.setDescription('This object specifies the time interval (in milliseconds) between two routing cycles.') par_cm_parms_max_updates = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 2, 10), integer32().clone(10)).setMaxAccess('readwrite') if mibBuilder.loadTexts: parCmParmsMaxUpdates.setStatus('current') if mibBuilder.loadTexts: parCmParmsMaxUpdates.setDescription('This object specifies the maximum number of connection management updates that are sent by the node in schedule..') par_cm_parms_reroute_groups = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 2, 11), integer32().clone(50)).setMaxAccess('readwrite') if mibBuilder.loadTexts: parCmParmsRerouteGroups.setStatus('current') if mibBuilder.loadTexts: parCmParmsRerouteGroups.setDescription('This object specifies the total number of reroute groups.') par_cm_parms_min_rr_group_size = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 2, 12), integer32()).setMaxAccess('readwrite') if mibBuilder.loadTexts: parCmParmsMinRrGroupSize.setStatus('current') if mibBuilder.loadTexts: parCmParmsMinRrGroupSize.setDescription('This object specifies the minimum size of reroute group in Cell Load Units.') par_cm_parms_rr_group_inc = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 2, 13), integer32().clone(100)).setMaxAccess('readwrite') if mibBuilder.loadTexts: parCmParmsRrGroupInc.setStatus('current') if mibBuilder.loadTexts: parCmParmsRrGroupInc.setDescription('This object specifies the increment of reroute group size (in Cell Load Units) between adjacent groups.') par_cm_parms_cost_based = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 2, 14), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: parCmParmsCostBased.setStatus('current') if mibBuilder.loadTexts: parCmParmsCostBased.setDescription('This object can be configured to enable or disable cost based routing feature. If the value of this object is true(1), the feature is enabled else it is disabled.') par_cm_parms_use_cache = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 2, 15), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: parCmParmsUseCache.setStatus('current') if mibBuilder.loadTexts: parCmParmsUseCache.setDescription('This object can be configured to enable or disable hop based route selection from using cache of precomputed routes. If the value of this object is true(1), the feature is enabled else it is disabled.') par_cm_parms_use_delay = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 2, 16), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: parCmParmsUseDelay.setStatus('current') if mibBuilder.loadTexts: parCmParmsUseDelay.setDescription('This object can be configured to enable or disable cost based route selection from considering end-to-end delay associated with the routes. If the value of this object is true(1), the delay would be considered otherwise daley would not be considered during routing of connection.') par_cm_parm_max_via_cons = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 2, 17), integer32().subtype(subtypeSpec=value_range_constraint(1, 80000)).clone(50000)).setMaxAccess('readwrite') if mibBuilder.loadTexts: parCmParmMaxViaCons.setStatus('current') if mibBuilder.loadTexts: parCmParmMaxViaCons.setDescription('This object specifies the maximum number of via user connections that can be routed through the node.') par_mn_updt_interval = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 3, 1), integer32().clone(15)).setUnits('seconds').setMaxAccess('readwrite') if mibBuilder.loadTexts: parMnUpdtInterval.setStatus('current') if mibBuilder.loadTexts: parMnUpdtInterval.setDescription('This object specifies the timer interval (in seconds) for the current update state machine.') par_mn_updt_nodes_per_int = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 3, 2), integer32().clone(20)).setMaxAccess('readwrite') if mibBuilder.loadTexts: parMnUpdtNodesPerInt.setStatus('current') if mibBuilder.loadTexts: parMnUpdtNodesPerInt.setDescription('This object specifies the maximum number of nodes to which current updates can be sent per interval.') par_mn_updt_batch_send = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 3, 3), truth_value().clone('true')).setMaxAccess('readwrite') if mibBuilder.loadTexts: parMnUpdtBatchSend.setStatus('current') if mibBuilder.loadTexts: parMnUpdtBatchSend.setDescription('This object specifies whether current updates to any node are sent one at a time or all in one go. If the value of this object is true(1), all current updates are sent to the node simultaneously. If the value of this object is False, current updates are sent one at a time.') par_sw_func_abr_vsvd = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 4, 1), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: parSwFuncAbrVsvd.setStatus('current') if mibBuilder.loadTexts: parSwFuncAbrVsvd.setDescription('This object enables/disables the ABR standard with VSVD. The feature is enabled if the value of the object is true(1).') par_sw_func_node_type = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 4, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('routing', 1), ('feeder', 2))).clone('routing')).setMaxAccess('readwrite') if mibBuilder.loadTexts: parSwFuncNodeType.setStatus('current') if mibBuilder.loadTexts: parSwFuncNodeType.setDescription('This object specifies whether the node is a routing node or a feeder node. To configure the node from a routing(1) node to feeder(2) node the node should be part of a single node network. To configure the node from feeder node to routing node, there should be no feeder trunk attached to the node.') par_on_off_background_updt = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 5, 1), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: parOnOffBackgroundUpdt.setStatus('current') if mibBuilder.loadTexts: parOnOffBackgroundUpdt.setDescription('This object can be used to enable or disable Background updates. If the value of the object is true(1), background updates are enabled; otherwise they are disabled.') par_on_off_dynamic_bw_alloc = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 5, 2), truth_value().clone('true')).setMaxAccess('readwrite') if mibBuilder.loadTexts: parOnOffDynamicBwAlloc.setStatus('current') if mibBuilder.loadTexts: parOnOffDynamicBwAlloc.setDescription('This object can be used to enable or disable Bandwidth state machine. If the value of the object is true(1), bandwidth state machine is enabled; otherwise it is disabled.') par_on_off_cm_updts = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 5, 3), truth_value().clone('true')).setMaxAccess('readwrite') if mibBuilder.loadTexts: parOnOffCmUpdts.setStatus('current') if mibBuilder.loadTexts: parOnOffCmUpdts.setDescription('This object can be used to enable or disable connection management updates. If the value of the object is true(1), connection management updates are enabled; otherwise they are disabled.') par_on_off_routing = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 5, 4), truth_value().clone('true')).setMaxAccess('readwrite') if mibBuilder.loadTexts: parOnOffRouting.setStatus('current') if mibBuilder.loadTexts: parOnOffRouting.setDescription('This object can be used to enable or disable connection routing. If the value of the object is true(1), routing is enabled; otherwise it is disabled.') par_on_off_comm_fail_test = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 5, 5), truth_value().clone('true')).setMaxAccess('readwrite') if mibBuilder.loadTexts: parOnOffCommFailTest.setStatus('current') if mibBuilder.loadTexts: parOnOffCommFailTest.setDescription('This object can be used to enable or disable Comm Fail Test. If the value of the object is true(1), Comm Fail test is enabled; otherwise it is disabled.') par_on_off_drt_delay = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 5, 6), truth_value().clone('true')).setMaxAccess('readwrite') if mibBuilder.loadTexts: parOnOffDrtDelay.setStatus('current') if mibBuilder.loadTexts: parOnOffDrtDelay.setDescription('This object can be used to enable or disable Deroute Delay feature. If the value of the object is true(1) Derote delay feature is enabled; otherwise it is disabled.') par_on_off_renum_rec = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 5, 7), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: parOnOffRenumRec.setStatus('current') if mibBuilder.loadTexts: parOnOffRenumRec.setDescription('This object can be used to enable or disable Renumber recovery feature. If the value of the object is true(1), renumber recovery feature is enabled; otherwise it is disabled.') par_on_off_comm_break = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 5, 8), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: parOnOffCommBreak.setStatus('current') if mibBuilder.loadTexts: parOnOffCommBreak.setDescription('This object can be used to enable or disable Comm Break Test. If the value of the object is true(1), Comm Break Test feature is enabled; otherwise it is disabled.') par_sys_parms_ts_packet_age = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 64)).clone(64)).setUnits('milliseconds').setMaxAccess('readwrite') if mibBuilder.loadTexts: parSysParmsTsPacketAge.setStatus('current') if mibBuilder.loadTexts: parSysParmsTsPacketAge.setDescription('Time Stamped packets older than this value (in milliseconds)are discarded. This is a network wide parameter.') par_sys_parms_conn_fail = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 2), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: parSysParmsConnFail.setStatus('current') if mibBuilder.loadTexts: parSysParmsConnFail.setDescription('This object specifies whether the connections to a node should be failed when comm fail is declared with the node. If the value of this object is true(1), the connection will be failed. This is a network wide parameter.') par_sys_parms_vc_poll_rate = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 3), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: parSysParmsVcPollRate.setStatus('current') if mibBuilder.loadTexts: parSysParmsVcPollRate.setDescription('This object specifies the rate at which VC statistics are to be polled. This is a network wide parameter. For Portable AutoRoute statistic collections would be done by platform software.') par_sys_parms_max_v_delay = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 4), integer32()).setUnits('milliseconds').setMaxAccess('readonly') if mibBuilder.loadTexts: parSysParmsMaxVDelay.setStatus('current') if mibBuilder.loadTexts: parSysParmsMaxVDelay.setDescription('This object specifies the maximum delay for voice connection with VAD enabled in milli-seconds. This is a network wide parameter.') par_sys_parms_max_c_delay = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 5), integer32()).setUnits('milliseconds').setMaxAccess('readonly') if mibBuilder.loadTexts: parSysParmsMaxCDelay.setStatus('current') if mibBuilder.loadTexts: parSysParmsMaxCDelay.setDescription('This object specifies the maximum delay for ADPCM compressed voice connection with VAD enabled in milli-seconds. This is a network wide parameter.') par_sys_parms_max_d_delay = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 6), integer32()).setUnits('milliseconds').setMaxAccess('readonly') if mibBuilder.loadTexts: parSysParmsMaxDDelay.setStatus('current') if mibBuilder.loadTexts: parSysParmsMaxDDelay.setDescription('This object specifies the maximum delay for data connection in milli-seconds. This is a network wide parameter.') par_sys_parms_max_a_delay = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 7), integer32()).setUnits('milliseconds').setMaxAccess('readonly') if mibBuilder.loadTexts: parSysParmsMaxADelay.setStatus('current') if mibBuilder.loadTexts: parSysParmsMaxADelay.setDescription('This object specifies the maximum delay for ADPCM compressed voice connection in milli-seconds. This is a network wide parameter.') par_sys_parms_max_hsd_delay = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 8), integer32()).setUnits('milliseconds').setMaxAccess('readonly') if mibBuilder.loadTexts: parSysParmsMaxHsdDelay.setStatus('current') if mibBuilder.loadTexts: parSysParmsMaxHsdDelay.setDescription('This object specifies the maximum delay for High Speed data connection in milli-seconds. This is a network wide parameter.') par_sys_parms_de_enable = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 9), truth_value()).setMaxAccess('readonly') if mibBuilder.loadTexts: parSysParmsDeEnable.setStatus('current') if mibBuilder.loadTexts: parSysParmsDeEnable.setDescription('This object specifies whether DE bit of Frame Relay frames can be modified. DE bit can be modified if the value of this object is true(1). This is a network wide parameter.') par_sys_parms_fr_standard = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 10), truth_value()).setMaxAccess('readonly') if mibBuilder.loadTexts: parSysParmsFrStandard.setStatus('current') if mibBuilder.loadTexts: parSysParmsFrStandard.setDescription('This object specifies whether standard Frame Relay parameters,Be and Bc, are to be used. If the value of this object is true(1), standard parameters are used. This is a network wide parameter.') par_sys_parms_drt_delay = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 11), truth_value().clone('true')).setMaxAccess('readwrite') if mibBuilder.loadTexts: parSysParmsDrtDelay.setStatus('current') if mibBuilder.loadTexts: parSysParmsDrtDelay.setDescription('This object specifies whether Deroute Delay feature is enabled. If the value of this object is true(1), the feature is enabled. This is a network wide parameter.') par_sys_parms_inv_log_alarm_thres = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 12), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: parSysParmsInvLogAlarmThres.setStatus('current') if mibBuilder.loadTexts: parSysParmsInvLogAlarmThres.setDescription('This object specifies the threshold for invalid login attempts before triggering an alarm. If the value of this object is zero, this feature is disabled. This is a network wide parameter.') par_sys_parms_max_cdp_v_delay = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 13), integer32()).setUnits('milliseconds').setMaxAccess('readonly') if mibBuilder.loadTexts: parSysParmsMaxCdpVDelay.setStatus('current') if mibBuilder.loadTexts: parSysParmsMaxCdpVDelay.setDescription('This object specifies the maximum network delay for CDP to CDP voice connection with VAD enabled in milli-seconds. This is a network wide parameter.') par_sys_parms_max_cdp_c_delay = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 14), integer32()).setUnits('milliseconds').setMaxAccess('readonly') if mibBuilder.loadTexts: parSysParmsMaxCdpCDelay.setStatus('current') if mibBuilder.loadTexts: parSysParmsMaxCdpCDelay.setDescription('This object specifies the maximum network delay for CDP to CDP ADPCM compressed voice connection with VAD enabled. This is a network wide parameter.') par_sys_parms_max_cdp_d_delay = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 15), integer32()).setUnits('milliseconds').setMaxAccess('readonly') if mibBuilder.loadTexts: parSysParmsMaxCdpDDelay.setStatus('current') if mibBuilder.loadTexts: parSysParmsMaxCdpDDelay.setDescription('This object specifies the maximum network delay for CDP to CDP data connection. This is a network wide parameter.') par_sys_parms_max_cdp_a_delay = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 16), integer32()).setUnits('milliseconds').setMaxAccess('readonly') if mibBuilder.loadTexts: parSysParmsMaxCdpADelay.setStatus('current') if mibBuilder.loadTexts: parSysParmsMaxCdpADelay.setDescription('This object specifies the maximum network delay for CDP to CDP ADPCM compressed voice connection. This is a network wide parameter.') par_sys_parms_max_cdp_hsd_delay = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 17), integer32()).setUnits('milliseconds').setMaxAccess('readonly') if mibBuilder.loadTexts: parSysParmsMaxCdpHsdDelay.setStatus('current') if mibBuilder.loadTexts: parSysParmsMaxCdpHsdDelay.setDescription('This object specifies the maximum network delay for CDP to CDP High Speed data connection. This is a network wide parameter.') par_sys_parms_max_ipcdp_v_delay = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 18), integer32()).setUnits('milliseconds').setMaxAccess('readonly') if mibBuilder.loadTexts: parSysParmsMaxIpcdpVDelay.setStatus('current') if mibBuilder.loadTexts: parSysParmsMaxIpcdpVDelay.setDescription('This object specifies the maximum local delay for CDP to CDP voice connection with VAD enabled. This is a network wide parameter.') par_sys_parms_max_ipcdp_c_delay = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 19), integer32()).setUnits('milliseconds').setMaxAccess('readonly') if mibBuilder.loadTexts: parSysParmsMaxIpcdpCDelay.setStatus('current') if mibBuilder.loadTexts: parSysParmsMaxIpcdpCDelay.setDescription('This object specifies the maximum local delay for CDP to CDP ADPCM compressed voice connection with VAD enabled. This is a network wide parameter.') par_sys_parms_max_ipcdp_d_delay = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 20), integer32()).setUnits('milliseconds').setMaxAccess('readonly') if mibBuilder.loadTexts: parSysParmsMaxIpcdpDDelay.setStatus('current') if mibBuilder.loadTexts: parSysParmsMaxIpcdpDDelay.setDescription('This object specifies the maximum local delay for CDP to CDP data connection. This is a network wide parameter.') par_sys_parms_max_ipcdp_a_delay = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 21), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: parSysParmsMaxIpcdpADelay.setStatus('current') if mibBuilder.loadTexts: parSysParmsMaxIpcdpADelay.setDescription('This object specifies the maximum local delay for CDP to CDP ADPCM compressed voice connection. This is a network wide parameter.') par_sys_parms_max_ipcdp_hsd_delay = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 22), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: parSysParmsMaxIpcdpHsdDelay.setStatus('current') if mibBuilder.loadTexts: parSysParmsMaxIpcdpHsdDelay.setDescription('This object specifies the maximum local delay for CDP to CDP High Speed data connection. This is a network wide parameter.') par_sys_parms_max_iphsd_delay = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 23), integer32()).setUnits('milliseconds').setMaxAccess('readonly') if mibBuilder.loadTexts: parSysParmsMaxIphsdDelay.setStatus('current') if mibBuilder.loadTexts: parSysParmsMaxIphsdDelay.setDescription('This object specifies the maximum local delay for High Speed data connection. This is a network wide parameter.') par_sys_parms_fpd_de_jitter = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 6, 24), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: parSysParmsFpdDeJitter.setStatus('current') if mibBuilder.loadTexts: parSysParmsFpdDeJitter.setDescription('This object specifies the jitter delay for Fast Pad. This is a network wide parameter.') par_net_parm_cond_initial_stgr = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 7, 1), integer32().clone(5000)).setUnits('milliseconds').setMaxAccess('readwrite') if mibBuilder.loadTexts: parNetParmCondInitialStgr.setStatus('current') if mibBuilder.loadTexts: parNetParmCondInitialStgr.setDescription('This object specifies the initial pause time (in milliseconds) per new node added on addition of node(s) in the network before initiating conditional updates.') par_net_parm_cond_per_node_interval = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 7, 2), integer32().clone(30000)).setUnits('milliseconds').setMaxAccess('readwrite') if mibBuilder.loadTexts: parNetParmCondPerNodeInterval.setStatus('current') if mibBuilder.loadTexts: parNetParmCondPerNodeInterval.setDescription('This object specifies the minimum interval (in milliseconds) between sending of conditional updates to any two nodes.') par_net_parm_cb_delay = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 7, 3), integer32().clone(30000)).setUnits('milliseconds').setMaxAccess('readwrite') if mibBuilder.loadTexts: parNetParmCbDelay.setStatus('current') if mibBuilder.loadTexts: parNetParmCbDelay.setDescription('This object specifies the minimum interval (in milliseconds) between initiating comm break tests between any two nodes.') par_net_parm_cb_offset = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 7, 4), integer32().clone(10)).setMaxAccess('readwrite') if mibBuilder.loadTexts: parNetParmCbOffset.setStatus('current') if mibBuilder.loadTexts: parNetParmCbOffset.setDescription('Offset for CB.') par_net_parm_msg_timeout = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 7, 5), integer32().clone(1700)).setUnits('milliseconds').setMaxAccess('readwrite') if mibBuilder.loadTexts: parNetParmMsgTimeout.setStatus('current') if mibBuilder.loadTexts: parNetParmMsgTimeout.setDescription('This object specifies the timeout (in milliseconds) for acknowledgment for control plane message sent to another node.') par_net_parm_msg_max_timeout = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 7, 6), integer32().clone(7)).setMaxAccess('readwrite') if mibBuilder.loadTexts: parNetParmMsgMaxTimeout.setStatus('current') if mibBuilder.loadTexts: parNetParmMsgMaxTimeout.setDescription('This object specifies the maximum number of times a network handler timeout waiting for acknowledgment for control plane message sent to another node reachable through all terrestrial trunks.') par_net_parm_msg_max_timeout_sat = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 7, 7), integer32().clone(6)).setMaxAccess('readwrite') if mibBuilder.loadTexts: parNetParmMsgMaxTimeoutSat.setStatus('current') if mibBuilder.loadTexts: parNetParmMsgMaxTimeoutSat.setDescription('This object specifies the maximum number of times a network handler timeout waiting for acknowledgment for control plane message sent to another node reachable through all satellite trunks.') par_net_parm_blind_max_timeout = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 7, 8), integer32().clone(4)).setMaxAccess('readwrite') if mibBuilder.loadTexts: parNetParmBlindMaxTimeout.setStatus('current') if mibBuilder.loadTexts: parNetParmBlindMaxTimeout.setDescription('This object specifies the maximum number of times a network handler timeout waiting for acknowledgment for control plane blind message sent to another node.') par_net_parm_cb_max_timeout = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 7, 9), integer32().clone(5)).setMaxAccess('readwrite') if mibBuilder.loadTexts: parNetParmCbMaxTimeout.setStatus('current') if mibBuilder.loadTexts: parNetParmCbMaxTimeout.setDescription('This object specifies the maximum number of times a network handler timeout waiting for acknowledgment for comm break test message sent to another node.') par_net_parm_cf_test_interval = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 7, 10), integer32().clone(10000)).setMaxAccess('readwrite') if mibBuilder.loadTexts: parNetParmCfTestInterval.setStatus('current') if mibBuilder.loadTexts: parNetParmCfTestInterval.setDescription('This object specifies the minimum time interval between the comm fail tests for a trunk.') par_net_parm_cf_test_multiplier = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 7, 11), integer32().clone(3)).setMaxAccess('readwrite') if mibBuilder.loadTexts: parNetParmCfTestMultiplier.setStatus('current') if mibBuilder.loadTexts: parNetParmCfTestMultiplier.setDescription('This object specifies the multiplier for the comm fail test interval for good trunks, that is, trunks not in comm fail.') par_net_parm_netw_window_sz = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 7, 12), integer32().clone(1)).setMaxAccess('readwrite') if mibBuilder.loadTexts: parNetParmNetwWindowSz.setStatus('current') if mibBuilder.loadTexts: parNetParmNetwWindowSz.setDescription('This object specifies the window size for the network handler for messages to any node. That is, the number of messages that the network handler can send simultaneous to a node without receiving the acknowledgment for them.') par_net_parm_netw_let_wait = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 7, 13), integer32().clone(50)).setUnits('milliseconds').setMaxAccess('readwrite') if mibBuilder.loadTexts: parNetParmNetwLetWait.setStatus('current') if mibBuilder.loadTexts: parNetParmNetwLetWait.setDescription('This object specifies the maximum interval (in milliseconds) network handler waits for the letter (message) from the processes running on its nodes before checking the received cells.') par_net_parm_cf_delay = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 7, 14), integer32().clone(60)).setMaxAccess('readwrite') if mibBuilder.loadTexts: parNetParmCfDelay.setStatus('current') if mibBuilder.loadTexts: parNetParmCfDelay.setDescription('TBD (in milliseconds).') par_net_parm_high_tx_rate = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 7, 15), integer32().clone(2500)).setMaxAccess('readwrite') if mibBuilder.loadTexts: parNetParmHighTxRate.setStatus('current') if mibBuilder.loadTexts: parNetParmHighTxRate.setDescription('This object specifies the rate (in fast packets per second) at which the network handler sends control plane message cells to high performance nodes (High performance node are BPX and MGX).') par_net_parm_low_tx_rate = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 7, 16), integer32().clone(500)).setMaxAccess('readwrite') if mibBuilder.loadTexts: parNetParmLowTxRate.setStatus('current') if mibBuilder.loadTexts: parNetParmLowTxRate.setDescription('This object specifies the rate (in fast packets per second) at which the network handler sends control plane message cells to low capacity nodes (Low capacity node are IPX and IGX).') par_net_parm_max_node_blks = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 7, 17), integer32().clone(3000)).setMaxAccess('readwrite') if mibBuilder.loadTexts: parNetParmMaxNodeBlks.setStatus('current') if mibBuilder.loadTexts: parNetParmMaxNodeBlks.setDescription('This object specifies the maximum number of blocks of size 256 bytes, that should be queued up for transmission to a node.') par_net_parm_topo_msg_seg_sz = mib_scalar((1, 3, 6, 1, 4, 1, 351, 130, 5, 7, 18), integer32().clone(3570)).setUnits('bytes').setMaxAccess('readwrite') if mibBuilder.loadTexts: parNetParmTopoMsgSegSz.setStatus('current') if mibBuilder.loadTexts: parNetParmTopoMsgSegSz.setDescription('This object specifies the maximum size (in bytes) of the segment into which the topology message, sent during network join, is divided.') cw_par_mib_conformance = mib_identifier((1, 3, 6, 1, 4, 1, 351, 150, 63, 2)) cw_par_mib_groups = mib_identifier((1, 3, 6, 1, 4, 1, 351, 150, 63, 2, 1)) cw_par_mib_compliances = mib_identifier((1, 3, 6, 1, 4, 1, 351, 150, 63, 2, 2)) cw_par_compliance = module_compliance((1, 3, 6, 1, 4, 1, 351, 150, 63, 2, 2, 1)).setObjects(('CISCO-WAN-PAR-MIB', 'cwParCmParamsGroup'), ('CISCO-WAN-PAR-MIB', 'cwParCmParamsUpdateGroup'), ('CISCO-WAN-PAR-MIB', 'cwParGeneralGroup'), ('CISCO-WAN-PAR-MIB', 'cwParSysParamsGroup'), ('CISCO-WAN-PAR-MIB', 'cwParNetParamsGroup'), ('CISCO-WAN-PAR-MIB', 'cwParNodeGroup'), ('CISCO-WAN-PAR-MIB', 'cwParInterfaceConfGroup'), ('CISCO-WAN-PAR-MIB', 'cwParTrunkConfGroup'), ('CISCO-WAN-PAR-MIB', 'cwParTrunkLoadConfGroup'), ('CISCO-WAN-PAR-MIB', 'cwParConnConfGroup'), ('CISCO-WAN-PAR-MIB', 'cwParClockConfGroup')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cw_par_compliance = cwParCompliance.setStatus('current') if mibBuilder.loadTexts: cwParCompliance.setDescription('The compliance statement for objects related to AutoRoute MIB.') cw_par_cm_params_group = object_group((1, 3, 6, 1, 4, 1, 351, 150, 63, 2, 1, 1)).setObjects(('CISCO-WAN-PAR-MIB', 'parCmParmsMaxRoutingBundle'), ('CISCO-WAN-PAR-MIB', 'parCmParmsRerouteTimer'), ('CISCO-WAN-PAR-MIB', 'parCmParmsResetTimer'), ('CISCO-WAN-PAR-MIB', 'parCmParmsDnUpPerPass'), ('CISCO-WAN-PAR-MIB', 'parCmParmsDnUpTimer'), ('CISCO-WAN-PAR-MIB', 'parCmParmsRrtErrsPerCycle'), ('CISCO-WAN-PAR-MIB', 'parCmParmsRrtCycleInterval'), ('CISCO-WAN-PAR-MIB', 'parCmParmsMaxRrtCycles'), ('CISCO-WAN-PAR-MIB', 'parCmParmsRrtPauseTime'), ('CISCO-WAN-PAR-MIB', 'parCmParmsMaxUpdates'), ('CISCO-WAN-PAR-MIB', 'parCmParmsRerouteGroups'), ('CISCO-WAN-PAR-MIB', 'parCmParmsMinRrGroupSize'), ('CISCO-WAN-PAR-MIB', 'parCmParmsRrGroupInc'), ('CISCO-WAN-PAR-MIB', 'parCmParmsCostBased'), ('CISCO-WAN-PAR-MIB', 'parCmParmsUseCache'), ('CISCO-WAN-PAR-MIB', 'parCmParmsUseDelay'), ('CISCO-WAN-PAR-MIB', 'parCmParmMaxViaCons')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cw_par_cm_params_group = cwParCmParamsGroup.setStatus('current') if mibBuilder.loadTexts: cwParCmParamsGroup.setDescription('The collection of objects which are applicable for PAR connection management.') cw_par_cm_params_update_group = object_group((1, 3, 6, 1, 4, 1, 351, 150, 63, 2, 1, 2)).setObjects(('CISCO-WAN-PAR-MIB', 'parMnUpdtInterval'), ('CISCO-WAN-PAR-MIB', 'parMnUpdtNodesPerInt'), ('CISCO-WAN-PAR-MIB', 'parMnUpdtBatchSend')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cw_par_cm_params_update_group = cwParCmParamsUpdateGroup.setStatus('current') if mibBuilder.loadTexts: cwParCmParamsUpdateGroup.setDescription('The collection of objects which are applicable for PAR Connection Management parameters updates.') cw_par_general_group = object_group((1, 3, 6, 1, 4, 1, 351, 150, 63, 2, 1, 3)).setObjects(('CISCO-WAN-PAR-MIB', 'parSwFuncAbrVsvd'), ('CISCO-WAN-PAR-MIB', 'parSwFuncNodeType'), ('CISCO-WAN-PAR-MIB', 'parOnOffBackgroundUpdt'), ('CISCO-WAN-PAR-MIB', 'parOnOffDynamicBwAlloc'), ('CISCO-WAN-PAR-MIB', 'parOnOffCmUpdts'), ('CISCO-WAN-PAR-MIB', 'parOnOffRouting'), ('CISCO-WAN-PAR-MIB', 'parOnOffCommFailTest'), ('CISCO-WAN-PAR-MIB', 'parOnOffDrtDelay'), ('CISCO-WAN-PAR-MIB', 'parOnOffRenumRec'), ('CISCO-WAN-PAR-MIB', 'parOnOffCommBreak')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cw_par_general_group = cwParGeneralGroup.setStatus('current') if mibBuilder.loadTexts: cwParGeneralGroup.setDescription('The collection of objects which are applicable for general PAR configuration.') cw_par_sys_params_group = object_group((1, 3, 6, 1, 4, 1, 351, 150, 63, 2, 1, 4)).setObjects(('CISCO-WAN-PAR-MIB', 'parSysParmsTsPacketAge'), ('CISCO-WAN-PAR-MIB', 'parSysParmsConnFail'), ('CISCO-WAN-PAR-MIB', 'parSysParmsVcPollRate'), ('CISCO-WAN-PAR-MIB', 'parSysParmsMaxVDelay'), ('CISCO-WAN-PAR-MIB', 'parSysParmsMaxCDelay'), ('CISCO-WAN-PAR-MIB', 'parSysParmsMaxDDelay'), ('CISCO-WAN-PAR-MIB', 'parSysParmsMaxADelay'), ('CISCO-WAN-PAR-MIB', 'parSysParmsMaxHsdDelay'), ('CISCO-WAN-PAR-MIB', 'parSysParmsDeEnable'), ('CISCO-WAN-PAR-MIB', 'parSysParmsFrStandard'), ('CISCO-WAN-PAR-MIB', 'parSysParmsDrtDelay'), ('CISCO-WAN-PAR-MIB', 'parSysParmsInvLogAlarmThres'), ('CISCO-WAN-PAR-MIB', 'parSysParmsMaxCdpVDelay'), ('CISCO-WAN-PAR-MIB', 'parSysParmsMaxCdpCDelay'), ('CISCO-WAN-PAR-MIB', 'parSysParmsMaxCdpDDelay'), ('CISCO-WAN-PAR-MIB', 'parSysParmsMaxCdpADelay'), ('CISCO-WAN-PAR-MIB', 'parSysParmsMaxCdpHsdDelay'), ('CISCO-WAN-PAR-MIB', 'parSysParmsMaxIpcdpVDelay'), ('CISCO-WAN-PAR-MIB', 'parSysParmsMaxIpcdpCDelay'), ('CISCO-WAN-PAR-MIB', 'parSysParmsMaxIpcdpDDelay'), ('CISCO-WAN-PAR-MIB', 'parSysParmsMaxIpcdpADelay'), ('CISCO-WAN-PAR-MIB', 'parSysParmsMaxIpcdpHsdDelay'), ('CISCO-WAN-PAR-MIB', 'parSysParmsMaxIphsdDelay'), ('CISCO-WAN-PAR-MIB', 'parSysParmsFpdDeJitter')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cw_par_sys_params_group = cwParSysParamsGroup.setStatus('current') if mibBuilder.loadTexts: cwParSysParamsGroup.setDescription('The collection of objects which are applicable for PAR system parameters.') cw_par_net_params_group = object_group((1, 3, 6, 1, 4, 1, 351, 150, 63, 2, 1, 5)).setObjects(('CISCO-WAN-PAR-MIB', 'parNetParmCondInitialStgr'), ('CISCO-WAN-PAR-MIB', 'parNetParmCondPerNodeInterval'), ('CISCO-WAN-PAR-MIB', 'parNetParmCbDelay'), ('CISCO-WAN-PAR-MIB', 'parNetParmCbOffset'), ('CISCO-WAN-PAR-MIB', 'parNetParmMsgTimeout'), ('CISCO-WAN-PAR-MIB', 'parNetParmMsgMaxTimeout'), ('CISCO-WAN-PAR-MIB', 'parNetParmMsgMaxTimeoutSat'), ('CISCO-WAN-PAR-MIB', 'parNetParmBlindMaxTimeout'), ('CISCO-WAN-PAR-MIB', 'parNetParmCbMaxTimeout'), ('CISCO-WAN-PAR-MIB', 'parNetParmCfTestInterval'), ('CISCO-WAN-PAR-MIB', 'parNetParmCfTestMultiplier'), ('CISCO-WAN-PAR-MIB', 'parNetParmNetwWindowSz'), ('CISCO-WAN-PAR-MIB', 'parNetParmNetwLetWait'), ('CISCO-WAN-PAR-MIB', 'parNetParmCfDelay'), ('CISCO-WAN-PAR-MIB', 'parNetParmHighTxRate'), ('CISCO-WAN-PAR-MIB', 'parNetParmLowTxRate'), ('CISCO-WAN-PAR-MIB', 'parNetParmMaxNodeBlks'), ('CISCO-WAN-PAR-MIB', 'parNetParmTopoMsgSegSz')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cw_par_net_params_group = cwParNetParamsGroup.setStatus('current') if mibBuilder.loadTexts: cwParNetParamsGroup.setDescription('The collection of objects which are applicable for parameters applicable network-wide.') cw_par_node_group = object_group((1, 3, 6, 1, 4, 1, 351, 150, 63, 2, 1, 6)).setObjects(('CISCO-WAN-PAR-MIB', 'parSnNodeId'), ('CISCO-WAN-PAR-MIB', 'parSnNodeIP'), ('CISCO-WAN-PAR-MIB', 'parSnNodeName'), ('CISCO-WAN-PAR-MIB', 'parSnRevision'), ('CISCO-WAN-PAR-MIB', 'parSnNodeAlarmStatus'), ('CISCO-WAN-PAR-MIB', 'parSnNumberOfTrunks')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cw_par_node_group = cwParNodeGroup.setStatus('current') if mibBuilder.loadTexts: cwParNodeGroup.setDescription('The collection of objects which are applicable for node level configuration of auto route controller.') cw_par_interface_conf_group = object_group((1, 3, 6, 1, 4, 1, 351, 150, 63, 2, 1, 7)).setObjects(('CISCO-WAN-PAR-MIB', 'parIfLogicalInterface'), ('CISCO-WAN-PAR-MIB', 'parIfType'), ('CISCO-WAN-PAR-MIB', 'parIfOperStatus'), ('CISCO-WAN-PAR-MIB', 'parIfTxBw'), ('CISCO-WAN-PAR-MIB', 'parIfRxBw'), ('CISCO-WAN-PAR-MIB', 'parIfMaxConn'), ('CISCO-WAN-PAR-MIB', 'parIfHiAddrMin'), ('CISCO-WAN-PAR-MIB', 'parIfHiAddrMax'), ('CISCO-WAN-PAR-MIB', 'parIfLoAddrMin'), ('CISCO-WAN-PAR-MIB', 'parIfLoAddrMax')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cw_par_interface_conf_group = cwParInterfaceConfGroup.setStatus('current') if mibBuilder.loadTexts: cwParInterfaceConfGroup.setDescription('The collection of objects which are used for configuring autoroute interfaces.') cw_par_trunk_conf_group = object_group((1, 3, 6, 1, 4, 1, 351, 150, 63, 2, 1, 8)).setObjects(('CISCO-WAN-PAR-MIB', 'parTrkId'), ('CISCO-WAN-PAR-MIB', 'parTrkStatReserve'), ('CISCO-WAN-PAR-MIB', 'parTrkCnfgCcRestrict'), ('CISCO-WAN-PAR-MIB', 'parTrkCnfgLineType'), ('CISCO-WAN-PAR-MIB', 'parTrkCnfgPassSync'), ('CISCO-WAN-PAR-MIB', 'parTrkCnfgDerouteDelay'), ('CISCO-WAN-PAR-MIB', 'parTrkCnfgTrafficClassFst'), ('CISCO-WAN-PAR-MIB', 'parTrkCnfgTrafficClassFr'), ('CISCO-WAN-PAR-MIB', 'parTrkCnfgTrafficClassNts'), ('CISCO-WAN-PAR-MIB', 'parTrkCnfgTrafficClassTs'), ('CISCO-WAN-PAR-MIB', 'parTrkCnfgTrafficClassVoice'), ('CISCO-WAN-PAR-MIB', 'parTrkCnfgTrafficClassCbr'), ('CISCO-WAN-PAR-MIB', 'parTrkCnfgTrafficClassVbr'), ('CISCO-WAN-PAR-MIB', 'parTrkCnfgTrafficClassAbr'), ('CISCO-WAN-PAR-MIB', 'parTrkCnfgAdminStatus'), ('CISCO-WAN-PAR-MIB', 'parTrkCnfgRoutingCost'), ('CISCO-WAN-PAR-MIB', 'parTrkCnfgVpcConids'), ('CISCO-WAN-PAR-MIB', 'parTrkCnfgVccConids'), ('CISCO-WAN-PAR-MIB', 'parTrkLocalSlotNumber'), ('CISCO-WAN-PAR-MIB', 'parTrkLocalPortNumber'), ('CISCO-WAN-PAR-MIB', 'parTrkLocalVTrunkId'), ('CISCO-WAN-PAR-MIB', 'parTrkRemoteNodeId'), ('CISCO-WAN-PAR-MIB', 'parTrkRemoteTrunkId'), ('CISCO-WAN-PAR-MIB', 'parTrkRemoteSlotNumber'), ('CISCO-WAN-PAR-MIB', 'parTrkRemotePortNumber'), ('CISCO-WAN-PAR-MIB', 'parTrkRemoteVTrunkId'), ('CISCO-WAN-PAR-MIB', 'parTrkRemoteNodeIP'), ('CISCO-WAN-PAR-MIB', 'parTrkRemoteNodeType'), ('CISCO-WAN-PAR-MIB', 'parTrkRemoteNodeName'), ('CISCO-WAN-PAR-MIB', 'parTrkAlarmStatus'), ('CISCO-WAN-PAR-MIB', 'parTrkAlarmType'), ('CISCO-WAN-PAR-MIB', 'parTrkLineLoad'), ('CISCO-WAN-PAR-MIB', 'parTrkBwCapacity')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cw_par_trunk_conf_group = cwParTrunkConfGroup.setStatus('current') if mibBuilder.loadTexts: cwParTrunkConfGroup.setDescription('The collection of objects which are used for configuring trunks in portable autoroute.') cw_par_trunk_load_conf_group = object_group((1, 3, 6, 1, 4, 1, 351, 150, 63, 2, 1, 9)).setObjects(('CISCO-WAN-PAR-MIB', 'parTrkLoadXmtUsedCbr'), ('CISCO-WAN-PAR-MIB', 'parTrkLoadRcvUsedCbr'), ('CISCO-WAN-PAR-MIB', 'parTrkLoadXmtUsedVbr'), ('CISCO-WAN-PAR-MIB', 'parTrkLoadRcvUsedVbr'), ('CISCO-WAN-PAR-MIB', 'parTrkLoadXmtUsedAbr'), ('CISCO-WAN-PAR-MIB', 'parTrkLoadRcvUsedAbr'), ('CISCO-WAN-PAR-MIB', 'parTrkLoadXmtUsedNts'), ('CISCO-WAN-PAR-MIB', 'parTrkLoadRcvUsedNts'), ('CISCO-WAN-PAR-MIB', 'parTrkLoadXmtUsedTs'), ('CISCO-WAN-PAR-MIB', 'parTrkLoadRcvUsedTs'), ('CISCO-WAN-PAR-MIB', 'parTrkLoadXmtUsedVoice'), ('CISCO-WAN-PAR-MIB', 'parTrkLoadRcvUsedVoice'), ('CISCO-WAN-PAR-MIB', 'parTrkLoadXmtUsedBdataA'), ('CISCO-WAN-PAR-MIB', 'parTrkLoadRcvUsedBdataA'), ('CISCO-WAN-PAR-MIB', 'parTrkLoadXmtUsedBdataB'), ('CISCO-WAN-PAR-MIB', 'parTrkLoadRcvUsedBdataB'), ('CISCO-WAN-PAR-MIB', 'parTrkLoadVccConidsUsed'), ('CISCO-WAN-PAR-MIB', 'parTrkLoadVpcConidsUsed')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cw_par_trunk_load_conf_group = cwParTrunkLoadConfGroup.setStatus('current') if mibBuilder.loadTexts: cwParTrunkLoadConfGroup.setDescription('The collection of objects which are used for configuring trunks in portable autoroute.') cw_par_conn_conf_group = object_group((1, 3, 6, 1, 4, 1, 351, 150, 63, 2, 1, 10)).setObjects(('CISCO-WAN-PAR-MIB', 'parConnLocalSlot'), ('CISCO-WAN-PAR-MIB', 'parConnLocalPort'), ('CISCO-WAN-PAR-MIB', 'parConnLocalVpi'), ('CISCO-WAN-PAR-MIB', 'parConnLocalVci'), ('CISCO-WAN-PAR-MIB', 'parConnMasterShip'), ('CISCO-WAN-PAR-MIB', 'parConnLocalVcIndx'), ('CISCO-WAN-PAR-MIB', 'parConnLocalEndpt'), ('CISCO-WAN-PAR-MIB', 'parConnRemoteNodeName'), ('CISCO-WAN-PAR-MIB', 'parConnRemoteSlot'), ('CISCO-WAN-PAR-MIB', 'parConnRemotePort'), ('CISCO-WAN-PAR-MIB', 'parConnRemoteVpi'), ('CISCO-WAN-PAR-MIB', 'parConnRemoteVci'), ('CISCO-WAN-PAR-MIB', 'parConnRemoteVcIndx'), ('CISCO-WAN-PAR-MIB', 'parConnRemoteEndpt'), ('CISCO-WAN-PAR-MIB', 'parConnOperStatus'), ('CISCO-WAN-PAR-MIB', 'parConnAdminStatus'), ('CISCO-WAN-PAR-MIB', 'parConnRoute'), ('CISCO-WAN-PAR-MIB', 'parPrefRoute'), ('CISCO-WAN-PAR-MIB', 'parConnFailRsn'), ('CISCO-WAN-PAR-MIB', 'parRrtFailRsn'), ('CISCO-WAN-PAR-MIB', 'parConnRstrTyp'), ('CISCO-WAN-PAR-MIB', 'parConnRstrZcs'), ('CISCO-WAN-PAR-MIB', 'parConnCos')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cw_par_conn_conf_group = cwParConnConfGroup.setStatus('current') if mibBuilder.loadTexts: cwParConnConfGroup.setDescription('The collection of objects which are used for configuring trunks in portable autoroute.') cw_par_clock_conf_group = object_group((1, 3, 6, 1, 4, 1, 351, 150, 63, 2, 1, 11)).setObjects(('CISCO-WAN-PAR-MIB', 'parClockIndex'), ('CISCO-WAN-PAR-MIB', 'parClockType'), ('CISCO-WAN-PAR-MIB', 'parClockCurSource'), ('CISCO-WAN-PAR-MIB', 'parClockSource'), ('CISCO-WAN-PAR-MIB', 'parClockSourceId'), ('CISCO-WAN-PAR-MIB', 'parClockPath')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cw_par_clock_conf_group = cwParClockConfGroup.setStatus('current') if mibBuilder.loadTexts: cwParClockConfGroup.setDescription('The collection of objects which are used for configuring trunks in portable autoroute.') mibBuilder.exportSymbols('CISCO-WAN-PAR-MIB', parSwFuncNodeType=parSwFuncNodeType, cwParTrunkConfGroup=cwParTrunkConfGroup, parNetParmTopoMsgSegSz=parNetParmTopoMsgSegSz, parOnOffRenumRec=parOnOffRenumRec, parTrkLineLoad=parTrkLineLoad, parSysParmsMaxCDelay=parSysParmsMaxCDelay, parSwFunc=parSwFunc, parIfLoAddrMin=parIfLoAddrMin, parTrkCnfgTrafficClassCbr=parTrkCnfgTrafficClassCbr, cwParMIBCompliances=cwParMIBCompliances, parTrkAlarmStatus=parTrkAlarmStatus, parTrkLoadRcvUsedBdataB=parTrkLoadRcvUsedBdataB, parTrkCnfgTrafficClassNts=parTrkCnfgTrafficClassNts, parClockTable=parClockTable, parTrkRemoteTrunkId=parTrkRemoteTrunkId, parSysParmsConnFail=parSysParmsConnFail, parPrefRoute=parPrefRoute, parCmParmsMinRrGroupSize=parCmParmsMinRrGroupSize, cwParCompliance=cwParCompliance, parSysParmsMaxCdpVDelay=parSysParmsMaxCdpVDelay, parNetParmNetwWindowSz=parNetParmNetwWindowSz, parTrkAlarmType=parTrkAlarmType, parClockCurSource=parClockCurSource, parCmParmsCostBased=parCmParmsCostBased, parNetParmLowTxRate=parNetParmLowTxRate, parCmParmsRrtPauseTime=parCmParmsRrtPauseTime, parConnRoute=parConnRoute, parIfLoAddrMax=parIfLoAddrMax, parTrkLoadXmtUsedAbr=parTrkLoadXmtUsedAbr, parSysParmsMaxIpcdpCDelay=parSysParmsMaxIpcdpCDelay, parConnRemoteNodeName=parConnRemoteNodeName, parSnNumberOfTrunks=parSnNumberOfTrunks, parConnLocalEndpt=parConnLocalEndpt, parSnRevision=parSnRevision, parConnection=parConnection, parTrkCnfgTrafficClassFst=parTrkCnfgTrafficClassFst, parNetParmHighTxRate=parNetParmHighTxRate, parConnRstrZcs=parConnRstrZcs, parCmParmsDnUpTimer=parCmParmsDnUpTimer, parCmParmMaxViaCons=parCmParmMaxViaCons, cwParConnConfGroup=cwParConnConfGroup, parNetParmCbOffset=parNetParmCbOffset, parNetParmCondInitialStgr=parNetParmCondInitialStgr, parNetParmCfDelay=parNetParmCfDelay, parIfRxBw=parIfRxBw, parTrkLoadRcvUsedVoice=parTrkLoadRcvUsedVoice, PYSNMP_MODULE_ID=ciscoWanParMIB, parNetParmNetwLetWait=parNetParmNetwLetWait, parCmParmsUseCache=parCmParmsUseCache, parTrkLoadRcvUsedCbr=parTrkLoadRcvUsedCbr, parTrkLoadXmtUsedVoice=parTrkLoadXmtUsedVoice, parNetParmCbMaxTimeout=parNetParmCbMaxTimeout, parNetParmBlindMaxTimeout=parNetParmBlindMaxTimeout, parConnMasterShip=parConnMasterShip, parTrkLoadVccConidsUsed=parTrkLoadVccConidsUsed, cwParClockConfGroup=cwParClockConfGroup, parOnOff=parOnOff, parTrkLoadTable=parTrkLoadTable, parOnOffDynamicBwAlloc=parOnOffDynamicBwAlloc, parCmParmsRrtCycleInterval=parCmParmsRrtCycleInterval, parSnNodeIP=parSnNodeIP, parClockSourceId=parClockSourceId, ciscoWanParMIB=ciscoWanParMIB, parSysParmsMaxIpcdpADelay=parSysParmsMaxIpcdpADelay, parTrkCnfgTrafficClassVbr=parTrkCnfgTrafficClassVbr, parMnUpdtNodesPerInt=parMnUpdtNodesPerInt, parTrkStatReserve=parTrkStatReserve, parConnAdminStatus=parConnAdminStatus, parTrkLocalVTrunkId=parTrkLocalVTrunkId, parCmParmsRerouteGroups=parCmParmsRerouteGroups, parSwFuncAbrVsvd=parSwFuncAbrVsvd, parNetworkingParms=parNetworkingParms, parSysParmsMaxCdpADelay=parSysParmsMaxCdpADelay, parClockType=parClockType, parNetParmMsgMaxTimeoutSat=parNetParmMsgMaxTimeoutSat, cwParSysParamsGroup=cwParSysParamsGroup, parConnRemoteVci=parConnRemoteVci, parConnFailRsn=parConnFailRsn, parSysParmsInvLogAlarmThres=parSysParmsInvLogAlarmThres, parSysParmsTsPacketAge=parSysParmsTsPacketAge, parConnLocalPort=parConnLocalPort, parTrkCnfgVccConids=parTrkCnfgVccConids, cwParTrunkLoadConfGroup=cwParTrunkLoadConfGroup, parTrkCnfgDerouteDelay=parTrkCnfgDerouteDelay, parTrkCnfgTrafficClassVoice=parTrkCnfgTrafficClassVoice, parOnOffCmUpdts=parOnOffCmUpdts, parSysParmsDrtDelay=parSysParmsDrtDelay, parSysParmsMaxIpcdpDDelay=parSysParmsMaxIpcdpDDelay, parOnOffBackgroundUpdt=parOnOffBackgroundUpdt, parSysParmsMaxIpcdpVDelay=parSysParmsMaxIpcdpVDelay, parSysParmsDeEnable=parSysParmsDeEnable, cwParMIBConformance=cwParMIBConformance, parCmParmsRrtErrsPerCycle=parCmParmsRrtErrsPerCycle, parSysParmsMaxCdpCDelay=parSysParmsMaxCdpCDelay, parConnLocalSlot=parConnLocalSlot, parTrkLoadXmtUsedBdataB=parTrkLoadXmtUsedBdataB, parIfMaxConn=parIfMaxConn, parNetworkClock=parNetworkClock, parSysParmsMaxDDelay=parSysParmsMaxDDelay, parNetParmCfTestMultiplier=parNetParmCfTestMultiplier, parTrkLocalSlotNumber=parTrkLocalSlotNumber, parTrkLoadRcvUsedBdataA=parTrkLoadRcvUsedBdataA, parTrkLocalPortNumber=parTrkLocalPortNumber, parTrkRemoteNodeName=parTrkRemoteNodeName, parSysParmsMaxIpcdpHsdDelay=parSysParmsMaxIpcdpHsdDelay, parClockEntry=parClockEntry, parCmParmsUseDelay=parCmParmsUseDelay, parConnLocalVpi=parConnLocalVpi, parSysParmsFrStandard=parSysParmsFrStandard, parTrkCnfgCcRestrict=parTrkCnfgCcRestrict, parConnectionEntry=parConnectionEntry, parSysParmsVcPollRate=parSysParmsVcPollRate, parIfHiAddrMax=parIfHiAddrMax, parNetParmMsgTimeout=parNetParmMsgTimeout, parTrkLoadXmtUsedCbr=parTrkLoadXmtUsedCbr, parTrkCnfgVpcConids=parTrkCnfgVpcConids, parConnRemoteVcIndx=parConnRemoteVcIndx, parTrkRemotePortNumber=parTrkRemotePortNumber, parTrkLoadXmtUsedNts=parTrkLoadXmtUsedNts, parSysParmsMaxHsdDelay=parSysParmsMaxHsdDelay, parCmParms=parCmParms, parTrkLoadRcvUsedAbr=parTrkLoadRcvUsedAbr, parSnNodeId=parSnNodeId, parTrkCnfgPassSync=parTrkCnfgPassSync, parTrkCnfgAdminStatus=parTrkCnfgAdminStatus, parMnUpdt=parMnUpdt, parTrkLoadRcvUsedNts=parTrkLoadRcvUsedNts, parConnLocalVcIndx=parConnLocalVcIndx, parConnCos=parConnCos, parOnOffCommFailTest=parOnOffCommFailTest, parOnOffCommBreak=parOnOffCommBreak, cwParInterfaceConfGroup=cwParInterfaceConfGroup, parSnNodeName=parSnNodeName, parOnOffDrtDelay=parOnOffDrtDelay, parTrkLoadXmtUsedVbr=parTrkLoadXmtUsedVbr, cwParCmParamsUpdateGroup=cwParCmParamsUpdateGroup, parCmParmsMaxRrtCycles=parCmParmsMaxRrtCycles, parTrkLoadVpcConidsUsed=parTrkLoadVpcConidsUsed, parConnOperStatus=parConnOperStatus, parTrkRemoteNodeIP=parTrkRemoteNodeIP, parClockPath=parClockPath, parCmParmsRerouteTimer=parCmParmsRerouteTimer, parConnectionTable=parConnectionTable, parTrkTable=parTrkTable, parMnUpdtInterval=parMnUpdtInterval, parIfHiAddrMin=parIfHiAddrMin, parSysParmsMaxCdpDDelay=parSysParmsMaxCdpDDelay, parNetParmCfTestInterval=parNetParmCfTestInterval, parOnOffRouting=parOnOffRouting, cwParNodeGroup=cwParNodeGroup, parCmParmsMaxRoutingBundle=parCmParmsMaxRoutingBundle, parConnRemotePort=parConnRemotePort, parIfLogicalInterface=parIfLogicalInterface, parIfTable=parIfTable, parSysParmsFpdDeJitter=parSysParmsFpdDeJitter, parTrkCnfgTrafficClassFr=parTrkCnfgTrafficClassFr, parSysParms=parSysParms, parIfTxBw=parIfTxBw, parTrkBwCapacity=parTrkBwCapacity, parTrkLoadXmtUsedTs=parTrkLoadXmtUsedTs, parConnRemoteEndpt=parConnRemoteEndpt, parCmParmsRrGroupInc=parCmParmsRrGroupInc, cwParCmParamsGroup=cwParCmParamsGroup, parSelfNode=parSelfNode, parIfOperStatus=parIfOperStatus, cwParNetParamsGroup=cwParNetParamsGroup, parTrkRemoteNodeId=parTrkRemoteNodeId, parMnUpdtBatchSend=parMnUpdtBatchSend, parConnLocalVci=parConnLocalVci, parTrkLoadEntry=parTrkLoadEntry, parVsiConfigParms=parVsiConfigParms, parNetParmCondPerNodeInterval=parNetParmCondPerNodeInterval, parNetParmMsgMaxTimeout=parNetParmMsgMaxTimeout, parInterfaces=parInterfaces, parClockSource=parClockSource, parTrkCnfgLineType=parTrkCnfgLineType, parSysParmsMaxVDelay=parSysParmsMaxVDelay, parTrkRemoteNodeType=parTrkRemoteNodeType, parSnNodeAlarmStatus=parSnNodeAlarmStatus, cwParGeneralGroup=cwParGeneralGroup, parConnRstrTyp=parConnRstrTyp, parTrkRemoteSlotNumber=parTrkRemoteSlotNumber, parTrkCnfgRoutingCost=parTrkCnfgRoutingCost, parIfEntry=parIfEntry, parTrkCnfgTrafficClassTs=parTrkCnfgTrafficClassTs, parIfType=parIfType, parTrkRemoteVTrunkId=parTrkRemoteVTrunkId, parConnRemoteVpi=parConnRemoteVpi, parClockIndex=parClockIndex, parCmParmsDnUpPerPass=parCmParmsDnUpPerPass, parTrkId=parTrkId, parConnRemoteSlot=parConnRemoteSlot, parRrtFailRsn=parRrtFailRsn, parSysParmsMaxCdpHsdDelay=parSysParmsMaxCdpHsdDelay, parSysParmsMaxADelay=parSysParmsMaxADelay, parTrkLoadXmtUsedBdataA=parTrkLoadXmtUsedBdataA, parTrkEntry=parTrkEntry, parTrkLoadRcvUsedVbr=parTrkLoadRcvUsedVbr, cwParMIBGroups=cwParMIBGroups, parNetParmMaxNodeBlks=parNetParmMaxNodeBlks, parTrkCnfgTrafficClassAbr=parTrkCnfgTrafficClassAbr, parNetParmCbDelay=parNetParmCbDelay, parCmParmsMaxUpdates=parCmParmsMaxUpdates, parSysParmsMaxIphsdDelay=parSysParmsMaxIphsdDelay, parTrkLoadRcvUsedTs=parTrkLoadRcvUsedTs, parConfigParms=parConfigParms, parCmParmsResetTimer=parCmParmsResetTimer)
class Verbosity: """ The Digital DNA utility class to set verbosity. """ TEST = 0 MEMORY_ONLY = 1 FILE = 2 FILE_EXTENDED = 3
class Verbosity: """ The Digital DNA utility class to set verbosity. """ test = 0 memory_only = 1 file = 2 file_extended = 3
# https://leetcode.com/problems/single-number/ def singleNumber(nums): count = {} for x in nums: if x not in count: count[x] = 1 else: count[x] = count[x]+1 for x in count: if count[x] ==1: return x print(singleNumber([4, 1, 2, 1, 2]))
def single_number(nums): count = {} for x in nums: if x not in count: count[x] = 1 else: count[x] = count[x] + 1 for x in count: if count[x] == 1: return x print(single_number([4, 1, 2, 1, 2]))
# AUTOGENERATED BY NBDEV! DO NOT EDIT! __all__ = ["index", "modules", "custom_doc_links", "git_url"] index = {"draw_bg": "01_bbox_canvas.ipynb", "draw_bounding_box": "01_bbox_canvas.ipynb", "get_image_size": "01_bbox_canvas.ipynb", "draw_img": "01_bbox_canvas.ipynb", "points2bbox_coords": "01_bbox_canvas.ipynb", "BBoxCanvas": "01_bbox_canvas.ipynb", "draw_bbox": "01a_datasets.ipynb", "xywh_to_xyxy": "01a_datasets.ipynb", "xyxy_to_xywh": "01a_datasets.ipynb", "bbox_intersection": "01a_datasets.ipynb", "overlap": "01a_datasets.ipynb", "sample_bbox": "01a_datasets.ipynb", "draw_rectangle": "01a_datasets.ipynb", "draw_ellipse": "01a_datasets.ipynb", "create_simple_object_detection_dataset": "01a_datasets.ipynb", "create_color_classification": "01a_datasets.ipynb", "create_shape_color_classification": "01a_datasets.ipynb", "create_object_detection": "01a_datasets.ipynb", "get_cifar10": "01a_datasets_download.ipynb", "get_oxford_102_flowers": "01a_datasets_download.ipynb", "get_cub_200_2011": "01a_datasets_download.ipynb", "NaviGUI": "02_navi_widget.ipynb", "NaviLogic": "02_navi_widget.ipynb", "Navi": "02_navi_widget.ipynb", "setup_project_paths": "03_storage.ipynb", "get_image_list_from_folder": "03_storage.ipynb", "AnnotationStorage": "03_storage.ipynb", "AnnotationStorageIterator": "03_storage.ipynb", "AnnotationDBStorage": "03_storage.ipynb", "BBoxAnnotatorGUI": "04_bbox_annotator.ipynb", "BBoxAnnotatorLogic": "04_bbox_annotator.ipynb", "BBoxAnnotator": "04_bbox_annotator.ipynb", "ImageButton": "05_image_button.ipynb", "CaptureGrid": "06_capture_annotator.ipynb", "CaptureAnnotatorGUI": "06_capture_annotator.ipynb", "CaptureAnnotatorLogic": "06_capture_annotator.ipynb", "CaptureAnnotator": "06_capture_annotator.ipynb", "ImCanvas": "07_im2im_annotator.ipynb", "Im2ImAnnotatorGUI": "07_im2im_annotator.ipynb", "text_on_img": "07_im2im_annotator.ipynb", "flatten": "07_im2im_annotator.ipynb", "reconstruct_class_images": "07_im2im_annotator.ipynb", "Im2ImAnnotatorLogic": "07_im2im_annotator.ipynb", "Im2ImAnnotator": "07_im2im_annotator.ipynb"} modules = ["bbox_canvas.py", "datasets/generators.py", "datasets/download.py", "navi_widget.py", "storage.py", "bbox_annotator.py", "image_button.py", "capture_annotator.py", "im2im_annotator.py"] doc_url = "//ipyannotator" git_url = "https://gitlab.palaimon.io/devops/ipyannotator/tree/master/" def custom_doc_links(name): return None
__all__ = ['index', 'modules', 'custom_doc_links', 'git_url'] index = {'draw_bg': '01_bbox_canvas.ipynb', 'draw_bounding_box': '01_bbox_canvas.ipynb', 'get_image_size': '01_bbox_canvas.ipynb', 'draw_img': '01_bbox_canvas.ipynb', 'points2bbox_coords': '01_bbox_canvas.ipynb', 'BBoxCanvas': '01_bbox_canvas.ipynb', 'draw_bbox': '01a_datasets.ipynb', 'xywh_to_xyxy': '01a_datasets.ipynb', 'xyxy_to_xywh': '01a_datasets.ipynb', 'bbox_intersection': '01a_datasets.ipynb', 'overlap': '01a_datasets.ipynb', 'sample_bbox': '01a_datasets.ipynb', 'draw_rectangle': '01a_datasets.ipynb', 'draw_ellipse': '01a_datasets.ipynb', 'create_simple_object_detection_dataset': '01a_datasets.ipynb', 'create_color_classification': '01a_datasets.ipynb', 'create_shape_color_classification': '01a_datasets.ipynb', 'create_object_detection': '01a_datasets.ipynb', 'get_cifar10': '01a_datasets_download.ipynb', 'get_oxford_102_flowers': '01a_datasets_download.ipynb', 'get_cub_200_2011': '01a_datasets_download.ipynb', 'NaviGUI': '02_navi_widget.ipynb', 'NaviLogic': '02_navi_widget.ipynb', 'Navi': '02_navi_widget.ipynb', 'setup_project_paths': '03_storage.ipynb', 'get_image_list_from_folder': '03_storage.ipynb', 'AnnotationStorage': '03_storage.ipynb', 'AnnotationStorageIterator': '03_storage.ipynb', 'AnnotationDBStorage': '03_storage.ipynb', 'BBoxAnnotatorGUI': '04_bbox_annotator.ipynb', 'BBoxAnnotatorLogic': '04_bbox_annotator.ipynb', 'BBoxAnnotator': '04_bbox_annotator.ipynb', 'ImageButton': '05_image_button.ipynb', 'CaptureGrid': '06_capture_annotator.ipynb', 'CaptureAnnotatorGUI': '06_capture_annotator.ipynb', 'CaptureAnnotatorLogic': '06_capture_annotator.ipynb', 'CaptureAnnotator': '06_capture_annotator.ipynb', 'ImCanvas': '07_im2im_annotator.ipynb', 'Im2ImAnnotatorGUI': '07_im2im_annotator.ipynb', 'text_on_img': '07_im2im_annotator.ipynb', 'flatten': '07_im2im_annotator.ipynb', 'reconstruct_class_images': '07_im2im_annotator.ipynb', 'Im2ImAnnotatorLogic': '07_im2im_annotator.ipynb', 'Im2ImAnnotator': '07_im2im_annotator.ipynb'} modules = ['bbox_canvas.py', 'datasets/generators.py', 'datasets/download.py', 'navi_widget.py', 'storage.py', 'bbox_annotator.py', 'image_button.py', 'capture_annotator.py', 'im2im_annotator.py'] doc_url = '//ipyannotator' git_url = 'https://gitlab.palaimon.io/devops/ipyannotator/tree/master/' def custom_doc_links(name): return None
raio = float(input()) pi = 3.14159 area = round(pi * (pow(raio,2)),4) print("A=%.4f" % area)
raio = float(input()) pi = 3.14159 area = round(pi * pow(raio, 2), 4) print('A=%.4f' % area)
#!/usr/bin/env python class CommitMgr(object): def __init__(): pass
class Commitmgr(object): def __init__(): pass
login_query = """ mutation { login( input: { username: $username password: $password } ) { user{ username sessionExpiration } errors{ messages } mfaUrl token } } """
login_query = '\nmutation {\n login(\n input: {\n username: $username\n password: $password\n }\n ) {\n user{\n username\n sessionExpiration\n }\n errors{\n messages\n }\n mfaUrl\n token\n }\n}\n'
print('Analisando emprestimos!!!') print('=-=' * 20) valor = float(input('Valor do imovel: R$')) salario = float(input('Salario do cliente: R$')) tempo = int(input('Tempo do emprestimo [anos]: ')) print('=-=' * 20) if valor / (12 * tempo) >= salario * 30/100: print(f'Seu emprestimo foi \033[31mNEGADO!') else: print('Seu emprestimo foi \033[34mAPROVADO!')
print('Analisando emprestimos!!!') print('=-=' * 20) valor = float(input('Valor do imovel: R$')) salario = float(input('Salario do cliente: R$')) tempo = int(input('Tempo do emprestimo [anos]: ')) print('=-=' * 20) if valor / (12 * tempo) >= salario * 30 / 100: print(f'Seu emprestimo foi \x1b[31mNEGADO!') else: print('Seu emprestimo foi \x1b[34mAPROVADO!')