content
stringlengths
7
1.05M
fixed_cases
stringlengths
1
1.28M
n = int(input()) a = [] for x in range(n): a.append(int(input())) print(min(a)) print(max(a))
n = int(input()) a = [] for x in range(n): a.append(int(input())) print(min(a)) print(max(a))
def is_2xx(response_code): return 200 <= response_code < 300 def is_3xx(response_code): return 300 <= response_code < 400 def is_4xx(response_code): return 400 <= response_code < 500 def is_5xx(response_code): return response_code >= 500
def is_2xx(response_code): return 200 <= response_code < 300 def is_3xx(response_code): return 300 <= response_code < 400 def is_4xx(response_code): return 400 <= response_code < 500 def is_5xx(response_code): return response_code >= 500
# link:https://leetcode.com/problems/design-browser-history/ class BrowserHistory: def __init__(self, homepage: str): self.forw_memo = [] # forw_memo stores the future url self.back_memo = [] # back_memo stores the previous url self.curr_url = homepage def visit(self, url: str) -> None: self.back_memo.append(self.curr_url) self.curr_url = url self.forw_memo = [] # clear forw_memo def back(self, steps: int) -> str: while self.back_memo and steps >= 1: self.forw_memo.append(self.curr_url) pop_url = self.back_memo.pop() self.curr_url = pop_url steps -= 1 return self.curr_url def forward(self, steps: int) -> str: while self.forw_memo and steps >= 1: self.back_memo.append(self.curr_url) pop_url = self.forw_memo.pop() self.curr_url = pop_url steps -= 1 return self.curr_url
class Browserhistory: def __init__(self, homepage: str): self.forw_memo = [] self.back_memo = [] self.curr_url = homepage def visit(self, url: str) -> None: self.back_memo.append(self.curr_url) self.curr_url = url self.forw_memo = [] def back(self, steps: int) -> str: while self.back_memo and steps >= 1: self.forw_memo.append(self.curr_url) pop_url = self.back_memo.pop() self.curr_url = pop_url steps -= 1 return self.curr_url def forward(self, steps: int) -> str: while self.forw_memo and steps >= 1: self.back_memo.append(self.curr_url) pop_url = self.forw_memo.pop() self.curr_url = pop_url steps -= 1 return self.curr_url
# Python program to for appending a list file1 = open("myfile.txt","w") L = [] value=input("how many you want in a list") a=value.split() print(a) for i in a: L.append(i) print(L) file1.close() # Append-adds at last file1 = open("myfile.txt","a")#append mode for i in L: file1.write(i) file1.close() file1 = open("myfile.txt","r") print("Output of Readlines after appending") print(file1.readlines()) file1.close() # Write-Overwrites file1 = open("myfile.txt","w")#write mode file1.write("Tomorrow \n") file1.close() file1 = open("myfile.txt","r") print("Output of Readlines after writing") print(file1.readlines()) file1.close()
file1 = open('myfile.txt', 'w') l = [] value = input('how many you want in a list') a = value.split() print(a) for i in a: L.append(i) print(L) file1.close() file1 = open('myfile.txt', 'a') for i in L: file1.write(i) file1.close() file1 = open('myfile.txt', 'r') print('Output of Readlines after appending') print(file1.readlines()) file1.close() file1 = open('myfile.txt', 'w') file1.write('Tomorrow \n') file1.close() file1 = open('myfile.txt', 'r') print('Output of Readlines after writing') print(file1.readlines()) file1.close()
class Solution(object): def numIslands(self, grid): self.dx = [-1, 1, 0, 0] self.dy = [0, 0, -1, 1] if not grid: return 0 self.x_max, self.y_max, self.grid = len(grid), len(grid[0]), grid self.visited = set() return sum([self.floodfill_dfs(i, j) for i in range(self.x_max) for j in range(self.y_max)]) def floodfill_dfs(self, x, y): if not self.valid(x, y): return 0 self.visited.add((x, y)) for k in range(4): self.floodfill_dfs(x + self.dx[k], y + self.dy[k]) return 1 def valid(self, x, y): if x < 0 or x >= self.x_max or y < 0 or y >= self.y_max: return False if self.grid[x][y] == "0" or ((x, y) in self.visited): return False return True
class Solution(object): def num_islands(self, grid): self.dx = [-1, 1, 0, 0] self.dy = [0, 0, -1, 1] if not grid: return 0 (self.x_max, self.y_max, self.grid) = (len(grid), len(grid[0]), grid) self.visited = set() return sum([self.floodfill_dfs(i, j) for i in range(self.x_max) for j in range(self.y_max)]) def floodfill_dfs(self, x, y): if not self.valid(x, y): return 0 self.visited.add((x, y)) for k in range(4): self.floodfill_dfs(x + self.dx[k], y + self.dy[k]) return 1 def valid(self, x, y): if x < 0 or x >= self.x_max or y < 0 or (y >= self.y_max): return False if self.grid[x][y] == '0' or (x, y) in self.visited: return False return True
def author_name(): return "Ganesh" def author_education(): return "Purusing Engineering Pre-final Year" def author_socialmedia(): return "https://www.linkedin.com/in/ganeshuthiravasagam/" def author_github(): return "https://github.com/Ganeshuthiravasagam/"
def author_name(): return 'Ganesh' def author_education(): return 'Purusing Engineering Pre-final Year' def author_socialmedia(): return 'https://www.linkedin.com/in/ganeshuthiravasagam/' def author_github(): return 'https://github.com/Ganeshuthiravasagam/'
# start main program DIGITS = list(range(1, 10)) # create emtpy puzzle grid = [[0 for i in range(9)] for j in range(9)] # hard coded puzzle from North Haven Courier grid[0][0] = 1; grid[0][3] = 6; grid[0][5] = 5; grid[0][6] = 4; grid[0][8] = 3; grid[1][0] = 6; grid[1][2] = 7; grid[1][4] = 2; grid[1][7] = 1; grid[2][1] = 4; grid[2][4] = 7; grid[2][6] = 2; grid[4][4] = 5; grid[4][5] = 3; grid[4][7] = 4; grid[5][2] = 4; grid[5][4] = 8; grid[5][5] = 1; grid[5][6] = 9; grid[5][8] = 7; grid[6][0] = 7; grid[6][3] = 9; grid[7][1] = 9; grid[8][0] = 4; grid[8][2] = 3; grid[8][8] = 5 grid_possible = [[[] for i in range(9)] for j in range(9)] grid_possible[0][0] = [1] grid_possible[0][1] = [2,8] grid_possible[0][2] = [2,8] grid_possible[1][0] = [6] grid_possible[1][1] = [5,8] grid_possible[1][2] = [7] grid_possible[2][0] = [3,5,9] grid_possible[2][1] = [4] grid_possible[2][2] = [5,9] # print the full grid print("_____ Unsolved Puzzle _____") for y in grid: print(y) def get_sub_grid_coords(a, b): # compose list of tubles that make up this sub-grid sub_grid_positions = [] for u in range(3): for p in range(3): this_pos = ((a * 3 + u), (b * 3 + p)) sub_grid_positions.append(this_pos) return sub_grid_positions ############### Main # for x in range(3): # for y in range(3): x = 0 y = 0 frequency_tbl = [[] for num in range(10)] this_sub_grid = get_sub_grid_coords(x, y) for box in this_sub_grid: a = box[0] b = box[1] these_possible = grid_possible[a][b] print(a, b, str(these_possible)) # if the box isn't solved, then there are more than one possibilities if len(these_possible) > 1: for value in these_possible: coordinate = (a, b) # put the coorindates of the box in the correct frequency bucket frequency_tbl[value].append(coordinate) print(frequency_tbl) i = 0 for coord_list in frequency_tbl: if len(coord_list) == 1: print("box: " + str(coord_list) + " is " + str(i)) # write value back to box #solve_it = True i+=1
digits = list(range(1, 10)) grid = [[0 for i in range(9)] for j in range(9)] grid[0][0] = 1 grid[0][3] = 6 grid[0][5] = 5 grid[0][6] = 4 grid[0][8] = 3 grid[1][0] = 6 grid[1][2] = 7 grid[1][4] = 2 grid[1][7] = 1 grid[2][1] = 4 grid[2][4] = 7 grid[2][6] = 2 grid[4][4] = 5 grid[4][5] = 3 grid[4][7] = 4 grid[5][2] = 4 grid[5][4] = 8 grid[5][5] = 1 grid[5][6] = 9 grid[5][8] = 7 grid[6][0] = 7 grid[6][3] = 9 grid[7][1] = 9 grid[8][0] = 4 grid[8][2] = 3 grid[8][8] = 5 grid_possible = [[[] for i in range(9)] for j in range(9)] grid_possible[0][0] = [1] grid_possible[0][1] = [2, 8] grid_possible[0][2] = [2, 8] grid_possible[1][0] = [6] grid_possible[1][1] = [5, 8] grid_possible[1][2] = [7] grid_possible[2][0] = [3, 5, 9] grid_possible[2][1] = [4] grid_possible[2][2] = [5, 9] print('_____ Unsolved Puzzle _____') for y in grid: print(y) def get_sub_grid_coords(a, b): sub_grid_positions = [] for u in range(3): for p in range(3): this_pos = (a * 3 + u, b * 3 + p) sub_grid_positions.append(this_pos) return sub_grid_positions x = 0 y = 0 frequency_tbl = [[] for num in range(10)] this_sub_grid = get_sub_grid_coords(x, y) for box in this_sub_grid: a = box[0] b = box[1] these_possible = grid_possible[a][b] print(a, b, str(these_possible)) if len(these_possible) > 1: for value in these_possible: coordinate = (a, b) frequency_tbl[value].append(coordinate) print(frequency_tbl) i = 0 for coord_list in frequency_tbl: if len(coord_list) == 1: print('box: ' + str(coord_list) + ' is ' + str(i)) i += 1
#example 1 dummy_list = ["one","two","three","four","five","six"] separator = ' ' result_string = separator.join(dummy_list) print(result_string) #example 2 dummy_list = ["one","two","three","four","five","six"] separator = ',' result_string = separator.join(dummy_list) print(result_string)
dummy_list = ['one', 'two', 'three', 'four', 'five', 'six'] separator = ' ' result_string = separator.join(dummy_list) print(result_string) dummy_list = ['one', 'two', 'three', 'four', 'five', 'six'] separator = ',' result_string = separator.join(dummy_list) print(result_string)
class CameraInfo : ''' Camera Information. Attributes ---------- model: Camera model. firmware: Firmware version. uid: Camera identification. resolution: Camera resolution port: Serial port ''' def __init__(self, _model, _firmware, _uid, _resolution, _port) : self.model = _model self.firmware = _firmware self.uid = _uid self.resolution = _resolution self.port = _port
class Camerainfo: """ Camera Information. Attributes ---------- model: Camera model. firmware: Firmware version. uid: Camera identification. resolution: Camera resolution port: Serial port """ def __init__(self, _model, _firmware, _uid, _resolution, _port): self.model = _model self.firmware = _firmware self.uid = _uid self.resolution = _resolution self.port = _port
def ComputeR10_1(scores,labels,count = 10): total = 0 correct = 0 for i in range(len(labels)): if labels[i] == 1: total = total+1 sublist = scores[i:i+count] if max(sublist) == scores[i]: correct = correct + 1 print(float(correct)/ total ) def ComputeR2_1(scores,labels,count = 2): total = 0 correct = 0 for i in range(len(labels)): if labels[i] == 1: total = total+1 sublist = scores[i:i+count] if max(sublist) == scores[i]: correct = correct + 1 print(float(correct)/ total )
def compute_r10_1(scores, labels, count=10): total = 0 correct = 0 for i in range(len(labels)): if labels[i] == 1: total = total + 1 sublist = scores[i:i + count] if max(sublist) == scores[i]: correct = correct + 1 print(float(correct) / total) def compute_r2_1(scores, labels, count=2): total = 0 correct = 0 for i in range(len(labels)): if labels[i] == 1: total = total + 1 sublist = scores[i:i + count] if max(sublist) == scores[i]: correct = correct + 1 print(float(correct) / total)
class CallAfterCommitMiddleware(object): def process_response(self, request, response): try: callbacks = request._post_commit_callbacks except AttributeError: callbacks = [] for fn, args, kwargs in callbacks: fn(*args, **kwargs) return response
class Callaftercommitmiddleware(object): def process_response(self, request, response): try: callbacks = request._post_commit_callbacks except AttributeError: callbacks = [] for (fn, args, kwargs) in callbacks: fn(*args, **kwargs) return response
# execute with python ./part1.py def trees_met(map: list, right: int, down: int): trees = 0 idx_of_column = 0 idx_of_row = 0 length_of_row = len(map[0])-1 # so that we do not count the newline character!!! while idx_of_row < len(map)-1: idx_of_row = idx_of_row + down row = map[idx_of_row] idx_of_column = idx_of_column + right if idx_of_column > length_of_row-1: idx_of_column = idx_of_column % length_of_row if row[idx_of_column] == '#': print("------tree in row", idx_of_row, "column", idx_of_column, ":", row) trees = trees + 1 return trees if __name__ == '__main__': with open("day3.txt") as f: map = [str(x) for x in f.readlines()] trees_met(map, 3, 1)
def trees_met(map: list, right: int, down: int): trees = 0 idx_of_column = 0 idx_of_row = 0 length_of_row = len(map[0]) - 1 while idx_of_row < len(map) - 1: idx_of_row = idx_of_row + down row = map[idx_of_row] idx_of_column = idx_of_column + right if idx_of_column > length_of_row - 1: idx_of_column = idx_of_column % length_of_row if row[idx_of_column] == '#': print('------tree in row', idx_of_row, 'column', idx_of_column, ':', row) trees = trees + 1 return trees if __name__ == '__main__': with open('day3.txt') as f: map = [str(x) for x in f.readlines()] trees_met(map, 3, 1)
#!/usr/bin/python # -*- coding: utf-8 -*- # Copyright: (c) 2017, Jon Hawkesworth (@jhawkesworth) <figs@unity.demon.co.uk> # GNU General Public License v3.0+ (see COPYING or https://www.gnu.org/licenses/gpl-3.0.txt) # this is a windows documentation stub. actual code lives in the .ps1 # file of the same name ANSIBLE_METADATA = {'metadata_version': '1.1', 'status': ['preview'], 'supported_by': 'community'} DOCUMENTATION = r''' --- module: win_msg version_added: "2.3" short_description: Sends a message to logged in users on Windows hosts description: - Wraps the msg.exe command in order to send messages to Windows hosts. options: to: description: - Who to send the message to. Can be a username, sessionname or sessionid. type: str default: '*' display_seconds: description: - How long to wait for receiver to acknowledge message, in seconds. type: int default: 10 wait: description: - Whether to wait for users to respond. Module will only wait for the number of seconds specified in display_seconds or 10 seconds if not specified. However, if I(wait) is C(yes), the message is sent to each logged on user in turn, waiting for the user to either press 'ok' or for the timeout to elapse before moving on to the next user. type: bool default: 'no' msg: description: - The text of the message to be displayed. - The message must be less than 256 characters. type: str default: Hello world! notes: - This module must run on a windows host, so ensure your play targets windows hosts, or delegates to a windows host. - Messages are only sent to the local host where the module is run. - The module does not support sending to users listed in a file. - Setting wait to C(yes) can result in long run times on systems with many logged in users. seealso: - module: win_say - module: win_toast author: - Jon Hawkesworth (@jhawkesworth) ''' EXAMPLES = r''' - name: Warn logged in users of impending upgrade win_msg: display_seconds: 60 msg: Automated upgrade about to start. Please save your work and log off before {{ deployment_start_time }} ''' RETURN = r''' msg: description: Test of the message that was sent. returned: changed type: str sample: Automated upgrade about to start. Please save your work and log off before 22 July 2016 18:00:00 display_seconds: description: Value of display_seconds module parameter. returned: success type: str sample: 10 rc: description: The return code of the API call. returned: always type: int sample: 0 runtime_seconds: description: How long the module took to run on the remote windows host. returned: success type: str sample: 22 July 2016 17:45:51 sent_localtime: description: local time from windows host when the message was sent. returned: success type: str sample: 22 July 2016 17:45:51 wait: description: Value of wait module parameter. returned: success type: bool sample: false '''
ansible_metadata = {'metadata_version': '1.1', 'status': ['preview'], 'supported_by': 'community'} documentation = '\n---\nmodule: win_msg\nversion_added: "2.3"\nshort_description: Sends a message to logged in users on Windows hosts\ndescription:\n - Wraps the msg.exe command in order to send messages to Windows hosts.\noptions:\n to:\n description:\n - Who to send the message to. Can be a username, sessionname or sessionid.\n type: str\n default: \'*\'\n display_seconds:\n description:\n - How long to wait for receiver to acknowledge message, in seconds.\n type: int\n default: 10\n wait:\n description:\n - Whether to wait for users to respond. Module will only wait for the number of seconds specified in display_seconds or 10 seconds if not specified.\n However, if I(wait) is C(yes), the message is sent to each logged on user in turn, waiting for the user to either press \'ok\' or for\n the timeout to elapse before moving on to the next user.\n type: bool\n default: \'no\'\n msg:\n description:\n - The text of the message to be displayed.\n - The message must be less than 256 characters.\n type: str\n default: Hello world!\nnotes:\n - This module must run on a windows host, so ensure your play targets windows\n hosts, or delegates to a windows host.\n - Messages are only sent to the local host where the module is run.\n - The module does not support sending to users listed in a file.\n - Setting wait to C(yes) can result in long run times on systems with many logged in users.\nseealso:\n- module: win_say\n- module: win_toast\nauthor:\n- Jon Hawkesworth (@jhawkesworth)\n' examples = '\n- name: Warn logged in users of impending upgrade\n win_msg:\n display_seconds: 60\n msg: Automated upgrade about to start. Please save your work and log off before {{ deployment_start_time }}\n' return = '\nmsg:\n description: Test of the message that was sent.\n returned: changed\n type: str\n sample: Automated upgrade about to start. Please save your work and log off before 22 July 2016 18:00:00\ndisplay_seconds:\n description: Value of display_seconds module parameter.\n returned: success\n type: str\n sample: 10\nrc:\n description: The return code of the API call.\n returned: always\n type: int\n sample: 0\nruntime_seconds:\n description: How long the module took to run on the remote windows host.\n returned: success\n type: str\n sample: 22 July 2016 17:45:51\nsent_localtime:\n description: local time from windows host when the message was sent.\n returned: success\n type: str\n sample: 22 July 2016 17:45:51\nwait:\n description: Value of wait module parameter.\n returned: success\n type: bool\n sample: false\n'
def greeting(): text= "Hello World" print(text) if __name__== '__main__': greeting()
def greeting(): text = 'Hello World' print(text) if __name__ == '__main__': greeting()
# # PySNMP MIB module SNMP-NOTIFICATION-MIB (http://pysnmp.sf.net) # ASN.1 source file:///usr/share/snmp/mibs/SNMP-NOTIFICATION-MIB.txt # Produced by pysmi-0.0.5 at Sat Sep 19 23:00:18 2015 # On host grommit.local platform Darwin version 14.4.0 by user ilya # Using Python version 2.7.6 (default, Sep 9 2014, 15:04:36) # ( Integer, ObjectIdentifier, OctetString, ) = mibBuilder.importSymbols("ASN1", "Integer", "ObjectIdentifier", "OctetString") ( NamedValues, ) = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ( ConstraintsUnion, SingleValueConstraint, ConstraintsIntersection, ValueSizeConstraint, ValueRangeConstraint, ) = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsUnion", "SingleValueConstraint", "ConstraintsIntersection", "ValueSizeConstraint", "ValueRangeConstraint") ( SnmpAdminString, ) = mibBuilder.importSymbols("SNMP-FRAMEWORK-MIB", "SnmpAdminString") ( snmpTargetParamsName, SnmpTagValue, ) = mibBuilder.importSymbols("SNMP-TARGET-MIB", "snmpTargetParamsName", "SnmpTagValue") ( NotificationGroup, ModuleCompliance, ObjectGroup, ) = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance", "ObjectGroup") ( Integer32, MibScalar, MibTable, MibTableRow, MibTableColumn, NotificationType, MibIdentifier, IpAddress, TimeTicks, Counter64, Unsigned32, ModuleIdentity, Gauge32, snmpModules, iso, ObjectIdentity, Bits, Counter32, ) = mibBuilder.importSymbols("SNMPv2-SMI", "Integer32", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "NotificationType", "MibIdentifier", "IpAddress", "TimeTicks", "Counter64", "Unsigned32", "ModuleIdentity", "Gauge32", "snmpModules", "iso", "ObjectIdentity", "Bits", "Counter32") ( StorageType, DisplayString, RowStatus, TextualConvention, ) = mibBuilder.importSymbols("SNMPv2-TC", "StorageType", "DisplayString", "RowStatus", "TextualConvention") snmpNotificationMIB = ModuleIdentity((1, 3, 6, 1, 6, 3, 13)).setRevisions(("2002-10-14 00:00", "1998-08-04 00:00", "1997-07-14 00:00",)) if mibBuilder.loadTexts: snmpNotificationMIB.setLastUpdated('200210140000Z') if mibBuilder.loadTexts: snmpNotificationMIB.setOrganization('IETF SNMPv3 Working Group') if mibBuilder.loadTexts: snmpNotificationMIB.setContactInfo('WG-email: snmpv3@lists.tislabs.com\n Subscribe: majordomo@lists.tislabs.com\n In message body: subscribe snmpv3\n\n Co-Chair: Russ Mundy\n Network Associates Laboratories\n Postal: 15204 Omega Drive, Suite 300\n Rockville, MD 20850-4601\n USA\n EMail: mundy@tislabs.com\n Phone: +1 301-947-7107\n\n Co-Chair: David Harrington\n Enterasys Networks\n Postal: 35 Industrial Way\n P. O. Box 5004\n Rochester, New Hampshire 03866-5005\n USA\n EMail: dbh@enterasys.com\n Phone: +1 603-337-2614\n\n Co-editor: David B. Levi\n Nortel Networks\n Postal: 3505 Kesterwood Drive\n Knoxville, Tennessee 37918\n EMail: dlevi@nortelnetworks.com\n Phone: +1 865 686 0432\n\n Co-editor: Paul Meyer\n Secure Computing Corporation\n Postal: 2675 Long Lake Road\n Roseville, Minnesota 55113\n EMail: paul_meyer@securecomputing.com\n Phone: +1 651 628 1592\n\n Co-editor: Bob Stewart\n Retired') if mibBuilder.loadTexts: snmpNotificationMIB.setDescription('This MIB module defines MIB objects which provide\n mechanisms to remotely configure the parameters\n used by an SNMP entity for the generation of\n notifications.\n\n Copyright (C) The Internet Society (2002). This\n version of this MIB module is part of RFC 3413;\n see the RFC itself for full legal notices.\n ') snmpNotifyObjects = MibIdentifier((1, 3, 6, 1, 6, 3, 13, 1)) snmpNotifyConformance = MibIdentifier((1, 3, 6, 1, 6, 3, 13, 3)) snmpNotifyTable = MibTable((1, 3, 6, 1, 6, 3, 13, 1, 1), ) if mibBuilder.loadTexts: snmpNotifyTable.setDescription('This table is used to select management targets which should\n receive notifications, as well as the type of notification\n which should be sent to each selected management target.') snmpNotifyEntry = MibTableRow((1, 3, 6, 1, 6, 3, 13, 1, 1, 1), ).setIndexNames((1, "SNMP-NOTIFICATION-MIB", "snmpNotifyName")) if mibBuilder.loadTexts: snmpNotifyEntry.setDescription('An entry in this table selects a set of management targets\n which should receive notifications, as well as the type of\n\n notification which should be sent to each selected\n management target.\n\n Entries in the snmpNotifyTable are created and\n deleted using the snmpNotifyRowStatus object.') snmpNotifyName = MibTableColumn((1, 3, 6, 1, 6, 3, 13, 1, 1, 1, 1), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(1,32))) if mibBuilder.loadTexts: snmpNotifyName.setDescription('The locally arbitrary, but unique identifier associated\n with this snmpNotifyEntry.') snmpNotifyTag = MibTableColumn((1, 3, 6, 1, 6, 3, 13, 1, 1, 1, 2), SnmpTagValue()).setMaxAccess("readcreate") if mibBuilder.loadTexts: snmpNotifyTag.setDescription('This object contains a single tag value which is used\n to select entries in the snmpTargetAddrTable. Any entry\n in the snmpTargetAddrTable which contains a tag value\n which is equal to the value of an instance of this\n object is selected. If this object contains a value\n of zero length, no entries are selected.') snmpNotifyType = MibTableColumn((1, 3, 6, 1, 6, 3, 13, 1, 1, 1, 3), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2,)).clone(namedValues=NamedValues(("trap", 1), ("inform", 2),)).clone('trap')).setMaxAccess("readcreate") if mibBuilder.loadTexts: snmpNotifyType.setDescription('This object determines the type of notification to\n\n be generated for entries in the snmpTargetAddrTable\n selected by the corresponding instance of\n snmpNotifyTag. This value is only used when\n generating notifications, and is ignored when\n using the snmpTargetAddrTable for other purposes.\n\n If the value of this object is trap(1), then any\n messages generated for selected rows will contain\n Unconfirmed-Class PDUs.\n\n If the value of this object is inform(2), then any\n messages generated for selected rows will contain\n Confirmed-Class PDUs.\n\n Note that if an SNMP entity only supports\n generation of Unconfirmed-Class PDUs (and not\n Confirmed-Class PDUs), then this object may be\n read-only.') snmpNotifyStorageType = MibTableColumn((1, 3, 6, 1, 6, 3, 13, 1, 1, 1, 4), StorageType().clone('nonVolatile')).setMaxAccess("readcreate") if mibBuilder.loadTexts: snmpNotifyStorageType.setDescription("The storage type for this conceptual row.\n Conceptual rows having the value 'permanent' need not\n allow write-access to any columnar objects in the row.") snmpNotifyRowStatus = MibTableColumn((1, 3, 6, 1, 6, 3, 13, 1, 1, 1, 5), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: snmpNotifyRowStatus.setDescription('The status of this conceptual row.\n\n To create a row in this table, a manager must\n set this object to either createAndGo(4) or\n createAndWait(5).') snmpNotifyFilterProfileTable = MibTable((1, 3, 6, 1, 6, 3, 13, 1, 2), ) if mibBuilder.loadTexts: snmpNotifyFilterProfileTable.setDescription('This table is used to associate a notification filter\n profile with a particular set of target parameters.') snmpNotifyFilterProfileEntry = MibTableRow((1, 3, 6, 1, 6, 3, 13, 1, 2, 1), ).setIndexNames((1, "SNMP-TARGET-MIB", "snmpTargetParamsName")) if mibBuilder.loadTexts: snmpNotifyFilterProfileEntry.setDescription('An entry in this table indicates the name of the filter\n profile to be used when generating notifications using\n the corresponding entry in the snmpTargetParamsTable.\n\n Entries in the snmpNotifyFilterProfileTable are created\n and deleted using the snmpNotifyFilterProfileRowStatus\n object.') snmpNotifyFilterProfileName = MibTableColumn((1, 3, 6, 1, 6, 3, 13, 1, 2, 1, 1), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(1,32))).setMaxAccess("readcreate") if mibBuilder.loadTexts: snmpNotifyFilterProfileName.setDescription('The name of the filter profile to be used when generating\n notifications using the corresponding entry in the\n snmpTargetAddrTable.') snmpNotifyFilterProfileStorType = MibTableColumn((1, 3, 6, 1, 6, 3, 13, 1, 2, 1, 2), StorageType().clone('nonVolatile')).setMaxAccess("readcreate") if mibBuilder.loadTexts: snmpNotifyFilterProfileStorType.setDescription("The storage type for this conceptual row.\n Conceptual rows having the value 'permanent' need not\n allow write-access to any columnar objects in the row.") snmpNotifyFilterProfileRowStatus = MibTableColumn((1, 3, 6, 1, 6, 3, 13, 1, 2, 1, 3), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: snmpNotifyFilterProfileRowStatus.setDescription("The status of this conceptual row.\n\n To create a row in this table, a manager must\n set this object to either createAndGo(4) or\n createAndWait(5).\n\n Until instances of all corresponding columns are\n appropriately configured, the value of the\n corresponding instance of the\n snmpNotifyFilterProfileRowStatus column is 'notReady'.\n\n In particular, a newly created row cannot be made\n active until the corresponding instance of\n snmpNotifyFilterProfileName has been set.") snmpNotifyFilterTable = MibTable((1, 3, 6, 1, 6, 3, 13, 1, 3), ) if mibBuilder.loadTexts: snmpNotifyFilterTable.setDescription('The table of filter profiles. Filter profiles are used\n to determine whether particular management targets should\n receive particular notifications.\n\n When a notification is generated, it must be compared\n with the filters associated with each management target\n which is configured to receive notifications, in order to\n determine whether it may be sent to each such management\n target.\n\n A more complete discussion of notification filtering\n can be found in section 6. of [SNMP-APPL].') snmpNotifyFilterEntry = MibTableRow((1, 3, 6, 1, 6, 3, 13, 1, 3, 1), ).setIndexNames((0, "SNMP-NOTIFICATION-MIB", "snmpNotifyFilterProfileName"), (1, "SNMP-NOTIFICATION-MIB", "snmpNotifyFilterSubtree")) if mibBuilder.loadTexts: snmpNotifyFilterEntry.setDescription('An element of a filter profile.\n\n Entries in the snmpNotifyFilterTable are created and\n deleted using the snmpNotifyFilterRowStatus object.') snmpNotifyFilterSubtree = MibTableColumn((1, 3, 6, 1, 6, 3, 13, 1, 3, 1, 1), ObjectIdentifier()) if mibBuilder.loadTexts: snmpNotifyFilterSubtree.setDescription('The MIB subtree which, when combined with the corresponding\n instance of snmpNotifyFilterMask, defines a family of\n subtrees which are included in or excluded from the\n filter profile.') snmpNotifyFilterMask = MibTableColumn((1, 3, 6, 1, 6, 3, 13, 1, 3, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0,16)).clone(hexValue="")).setMaxAccess("readcreate") if mibBuilder.loadTexts: snmpNotifyFilterMask.setDescription("The bit mask which, in combination with the corresponding\n instance of snmpNotifyFilterSubtree, defines a family of\n subtrees which are included in or excluded from the\n filter profile.\n\n Each bit of this bit mask corresponds to a\n sub-identifier of snmpNotifyFilterSubtree, with the\n most significant bit of the i-th octet of this octet\n string value (extended if necessary, see below)\n corresponding to the (8*i - 7)-th sub-identifier, and\n the least significant bit of the i-th octet of this\n octet string corresponding to the (8*i)-th\n sub-identifier, where i is in the range 1 through 16.\n\n Each bit of this bit mask specifies whether or not\n the corresponding sub-identifiers must match when\n determining if an OBJECT IDENTIFIER matches this\n family of filter subtrees; a '1' indicates that an\n exact match must occur; a '0' indicates 'wild card',\n i.e., any sub-identifier value matches.\n\n Thus, the OBJECT IDENTIFIER X of an object instance\n is contained in a family of filter subtrees if, for\n each sub-identifier of the value of\n snmpNotifyFilterSubtree, either:\n\n the i-th bit of snmpNotifyFilterMask is 0, or\n\n the i-th sub-identifier of X is equal to the i-th\n sub-identifier of the value of\n snmpNotifyFilterSubtree.\n\n If the value of this bit mask is M bits long and\n there are more than M sub-identifiers in the\n corresponding instance of snmpNotifyFilterSubtree,\n then the bit mask is extended with 1's to be the\n required length.\n\n Note that when the value of this object is the\n zero-length string, this extension rule results in\n a mask of all-1's being used (i.e., no 'wild card'),\n and the family of filter subtrees is the one\n subtree uniquely identified by the corresponding\n instance of snmpNotifyFilterSubtree.") snmpNotifyFilterType = MibTableColumn((1, 3, 6, 1, 6, 3, 13, 1, 3, 1, 3), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2,)).clone(namedValues=NamedValues(("included", 1), ("excluded", 2),)).clone('included')).setMaxAccess("readcreate") if mibBuilder.loadTexts: snmpNotifyFilterType.setDescription('This object indicates whether the family of filter subtrees\n defined by this entry are included in or excluded from a\n filter. A more detailed discussion of the use of this\n object can be found in section 6. of [SNMP-APPL].') snmpNotifyFilterStorageType = MibTableColumn((1, 3, 6, 1, 6, 3, 13, 1, 3, 1, 4), StorageType().clone('nonVolatile')).setMaxAccess("readcreate") if mibBuilder.loadTexts: snmpNotifyFilterStorageType.setDescription("The storage type for this conceptual row.\n Conceptual rows having the value 'permanent' need not\n\n allow write-access to any columnar objects in the row.") snmpNotifyFilterRowStatus = MibTableColumn((1, 3, 6, 1, 6, 3, 13, 1, 3, 1, 5), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: snmpNotifyFilterRowStatus.setDescription('The status of this conceptual row.\n\n To create a row in this table, a manager must\n set this object to either createAndGo(4) or\n createAndWait(5).') snmpNotifyCompliances = MibIdentifier((1, 3, 6, 1, 6, 3, 13, 3, 1)) snmpNotifyGroups = MibIdentifier((1, 3, 6, 1, 6, 3, 13, 3, 2)) snmpNotifyBasicCompliance = ModuleCompliance((1, 3, 6, 1, 6, 3, 13, 3, 1, 1)).setObjects(*(("SNMP-TARGET-MIB", "snmpTargetBasicGroup"), ("SNMP-NOTIFICATION-MIB", "snmpNotifyGroup"),)) if mibBuilder.loadTexts: snmpNotifyBasicCompliance.setDescription('The compliance statement for minimal SNMP entities which\n implement only SNMP Unconfirmed-Class notifications and\n read-create operations on only the snmpTargetAddrTable.') snmpNotifyBasicFiltersCompliance = ModuleCompliance((1, 3, 6, 1, 6, 3, 13, 3, 1, 2)).setObjects(*(("SNMP-TARGET-MIB", "snmpTargetBasicGroup"), ("SNMP-NOTIFICATION-MIB", "snmpNotifyGroup"), ("SNMP-NOTIFICATION-MIB", "snmpNotifyFilterGroup"),)) if mibBuilder.loadTexts: snmpNotifyBasicFiltersCompliance.setDescription('The compliance statement for SNMP entities which implement\n SNMP Unconfirmed-Class notifications with filtering, and\n read-create operations on all related tables.') snmpNotifyFullCompliance = ModuleCompliance((1, 3, 6, 1, 6, 3, 13, 3, 1, 3)).setObjects(*(("SNMP-TARGET-MIB", "snmpTargetBasicGroup"), ("SNMP-TARGET-MIB", "snmpTargetResponseGroup"), ("SNMP-NOTIFICATION-MIB", "snmpNotifyGroup"), ("SNMP-NOTIFICATION-MIB", "snmpNotifyFilterGroup"),)) if mibBuilder.loadTexts: snmpNotifyFullCompliance.setDescription('The compliance statement for SNMP entities which either\n implement only SNMP Confirmed-Class notifications, or both\n SNMP Unconfirmed-Class and Confirmed-Class notifications,\n plus filtering and read-create operations on all related\n tables.') snmpNotifyGroup = ObjectGroup((1, 3, 6, 1, 6, 3, 13, 3, 2, 1)).setObjects(*(("SNMP-NOTIFICATION-MIB", "snmpNotifyTag"), ("SNMP-NOTIFICATION-MIB", "snmpNotifyType"), ("SNMP-NOTIFICATION-MIB", "snmpNotifyStorageType"), ("SNMP-NOTIFICATION-MIB", "snmpNotifyRowStatus"),)) if mibBuilder.loadTexts: snmpNotifyGroup.setDescription('A collection of objects for selecting which management\n targets are used for generating notifications, and the\n type of notification to be generated for each selected\n management target.') snmpNotifyFilterGroup = ObjectGroup((1, 3, 6, 1, 6, 3, 13, 3, 2, 2)).setObjects(*(("SNMP-NOTIFICATION-MIB", "snmpNotifyFilterProfileName"), ("SNMP-NOTIFICATION-MIB", "snmpNotifyFilterProfileStorType"), ("SNMP-NOTIFICATION-MIB", "snmpNotifyFilterProfileRowStatus"), ("SNMP-NOTIFICATION-MIB", "snmpNotifyFilterMask"), ("SNMP-NOTIFICATION-MIB", "snmpNotifyFilterType"), ("SNMP-NOTIFICATION-MIB", "snmpNotifyFilterStorageType"), ("SNMP-NOTIFICATION-MIB", "snmpNotifyFilterRowStatus"),)) if mibBuilder.loadTexts: snmpNotifyFilterGroup.setDescription('A collection of objects providing remote configuration\n of notification filters.') mibBuilder.exportSymbols("SNMP-NOTIFICATION-MIB", snmpNotifyBasicCompliance=snmpNotifyBasicCompliance, snmpNotifyEntry=snmpNotifyEntry, snmpNotifyFilterType=snmpNotifyFilterType, snmpNotifyConformance=snmpNotifyConformance, snmpNotifyFilterGroup=snmpNotifyFilterGroup, snmpNotifyFilterTable=snmpNotifyFilterTable, PYSNMP_MODULE_ID=snmpNotificationMIB, snmpNotifyFilterMask=snmpNotifyFilterMask, snmpNotifyFullCompliance=snmpNotifyFullCompliance, snmpNotifyFilterProfileEntry=snmpNotifyFilterProfileEntry, snmpNotifyFilterProfileRowStatus=snmpNotifyFilterProfileRowStatus, snmpNotifyFilterProfileStorType=snmpNotifyFilterProfileStorType, snmpNotifyFilterRowStatus=snmpNotifyFilterRowStatus, snmpNotifyBasicFiltersCompliance=snmpNotifyBasicFiltersCompliance, snmpNotifyFilterProfileTable=snmpNotifyFilterProfileTable, snmpNotifyType=snmpNotifyType, snmpNotifyTag=snmpNotifyTag, snmpNotifyName=snmpNotifyName, snmpNotifyObjects=snmpNotifyObjects, snmpNotifyGroup=snmpNotifyGroup, snmpNotifyGroups=snmpNotifyGroups, snmpNotifyRowStatus=snmpNotifyRowStatus, snmpNotifyFilterProfileName=snmpNotifyFilterProfileName, snmpNotificationMIB=snmpNotificationMIB, snmpNotifyFilterSubtree=snmpNotifyFilterSubtree, snmpNotifyStorageType=snmpNotifyStorageType, snmpNotifyCompliances=snmpNotifyCompliances, snmpNotifyFilterStorageType=snmpNotifyFilterStorageType, snmpNotifyFilterEntry=snmpNotifyFilterEntry, snmpNotifyTable=snmpNotifyTable)
(integer, object_identifier, octet_string) = mibBuilder.importSymbols('ASN1', 'Integer', 'ObjectIdentifier', 'OctetString') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (constraints_union, single_value_constraint, constraints_intersection, value_size_constraint, value_range_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsUnion', 'SingleValueConstraint', 'ConstraintsIntersection', 'ValueSizeConstraint', 'ValueRangeConstraint') (snmp_admin_string,) = mibBuilder.importSymbols('SNMP-FRAMEWORK-MIB', 'SnmpAdminString') (snmp_target_params_name, snmp_tag_value) = mibBuilder.importSymbols('SNMP-TARGET-MIB', 'snmpTargetParamsName', 'SnmpTagValue') (notification_group, module_compliance, object_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance', 'ObjectGroup') (integer32, mib_scalar, mib_table, mib_table_row, mib_table_column, notification_type, mib_identifier, ip_address, time_ticks, counter64, unsigned32, module_identity, gauge32, snmp_modules, iso, object_identity, bits, counter32) = mibBuilder.importSymbols('SNMPv2-SMI', 'Integer32', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'NotificationType', 'MibIdentifier', 'IpAddress', 'TimeTicks', 'Counter64', 'Unsigned32', 'ModuleIdentity', 'Gauge32', 'snmpModules', 'iso', 'ObjectIdentity', 'Bits', 'Counter32') (storage_type, display_string, row_status, textual_convention) = mibBuilder.importSymbols('SNMPv2-TC', 'StorageType', 'DisplayString', 'RowStatus', 'TextualConvention') snmp_notification_mib = module_identity((1, 3, 6, 1, 6, 3, 13)).setRevisions(('2002-10-14 00:00', '1998-08-04 00:00', '1997-07-14 00:00')) if mibBuilder.loadTexts: snmpNotificationMIB.setLastUpdated('200210140000Z') if mibBuilder.loadTexts: snmpNotificationMIB.setOrganization('IETF SNMPv3 Working Group') if mibBuilder.loadTexts: snmpNotificationMIB.setContactInfo('WG-email: snmpv3@lists.tislabs.com\n Subscribe: majordomo@lists.tislabs.com\n In message body: subscribe snmpv3\n\n Co-Chair: Russ Mundy\n Network Associates Laboratories\n Postal: 15204 Omega Drive, Suite 300\n Rockville, MD 20850-4601\n USA\n EMail: mundy@tislabs.com\n Phone: +1 301-947-7107\n\n Co-Chair: David Harrington\n Enterasys Networks\n Postal: 35 Industrial Way\n P. O. Box 5004\n Rochester, New Hampshire 03866-5005\n USA\n EMail: dbh@enterasys.com\n Phone: +1 603-337-2614\n\n Co-editor: David B. Levi\n Nortel Networks\n Postal: 3505 Kesterwood Drive\n Knoxville, Tennessee 37918\n EMail: dlevi@nortelnetworks.com\n Phone: +1 865 686 0432\n\n Co-editor: Paul Meyer\n Secure Computing Corporation\n Postal: 2675 Long Lake Road\n Roseville, Minnesota 55113\n EMail: paul_meyer@securecomputing.com\n Phone: +1 651 628 1592\n\n Co-editor: Bob Stewart\n Retired') if mibBuilder.loadTexts: snmpNotificationMIB.setDescription('This MIB module defines MIB objects which provide\n mechanisms to remotely configure the parameters\n used by an SNMP entity for the generation of\n notifications.\n\n Copyright (C) The Internet Society (2002). This\n version of this MIB module is part of RFC 3413;\n see the RFC itself for full legal notices.\n ') snmp_notify_objects = mib_identifier((1, 3, 6, 1, 6, 3, 13, 1)) snmp_notify_conformance = mib_identifier((1, 3, 6, 1, 6, 3, 13, 3)) snmp_notify_table = mib_table((1, 3, 6, 1, 6, 3, 13, 1, 1)) if mibBuilder.loadTexts: snmpNotifyTable.setDescription('This table is used to select management targets which should\n receive notifications, as well as the type of notification\n which should be sent to each selected management target.') snmp_notify_entry = mib_table_row((1, 3, 6, 1, 6, 3, 13, 1, 1, 1)).setIndexNames((1, 'SNMP-NOTIFICATION-MIB', 'snmpNotifyName')) if mibBuilder.loadTexts: snmpNotifyEntry.setDescription('An entry in this table selects a set of management targets\n which should receive notifications, as well as the type of\n\n notification which should be sent to each selected\n management target.\n\n Entries in the snmpNotifyTable are created and\n deleted using the snmpNotifyRowStatus object.') snmp_notify_name = mib_table_column((1, 3, 6, 1, 6, 3, 13, 1, 1, 1, 1), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(1, 32))) if mibBuilder.loadTexts: snmpNotifyName.setDescription('The locally arbitrary, but unique identifier associated\n with this snmpNotifyEntry.') snmp_notify_tag = mib_table_column((1, 3, 6, 1, 6, 3, 13, 1, 1, 1, 2), snmp_tag_value()).setMaxAccess('readcreate') if mibBuilder.loadTexts: snmpNotifyTag.setDescription('This object contains a single tag value which is used\n to select entries in the snmpTargetAddrTable. Any entry\n in the snmpTargetAddrTable which contains a tag value\n which is equal to the value of an instance of this\n object is selected. If this object contains a value\n of zero length, no entries are selected.') snmp_notify_type = mib_table_column((1, 3, 6, 1, 6, 3, 13, 1, 1, 1, 3), integer32().subtype(subtypeSpec=single_value_constraint(1, 2)).clone(namedValues=named_values(('trap', 1), ('inform', 2))).clone('trap')).setMaxAccess('readcreate') if mibBuilder.loadTexts: snmpNotifyType.setDescription('This object determines the type of notification to\n\n be generated for entries in the snmpTargetAddrTable\n selected by the corresponding instance of\n snmpNotifyTag. This value is only used when\n generating notifications, and is ignored when\n using the snmpTargetAddrTable for other purposes.\n\n If the value of this object is trap(1), then any\n messages generated for selected rows will contain\n Unconfirmed-Class PDUs.\n\n If the value of this object is inform(2), then any\n messages generated for selected rows will contain\n Confirmed-Class PDUs.\n\n Note that if an SNMP entity only supports\n generation of Unconfirmed-Class PDUs (and not\n Confirmed-Class PDUs), then this object may be\n read-only.') snmp_notify_storage_type = mib_table_column((1, 3, 6, 1, 6, 3, 13, 1, 1, 1, 4), storage_type().clone('nonVolatile')).setMaxAccess('readcreate') if mibBuilder.loadTexts: snmpNotifyStorageType.setDescription("The storage type for this conceptual row.\n Conceptual rows having the value 'permanent' need not\n allow write-access to any columnar objects in the row.") snmp_notify_row_status = mib_table_column((1, 3, 6, 1, 6, 3, 13, 1, 1, 1, 5), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: snmpNotifyRowStatus.setDescription('The status of this conceptual row.\n\n To create a row in this table, a manager must\n set this object to either createAndGo(4) or\n createAndWait(5).') snmp_notify_filter_profile_table = mib_table((1, 3, 6, 1, 6, 3, 13, 1, 2)) if mibBuilder.loadTexts: snmpNotifyFilterProfileTable.setDescription('This table is used to associate a notification filter\n profile with a particular set of target parameters.') snmp_notify_filter_profile_entry = mib_table_row((1, 3, 6, 1, 6, 3, 13, 1, 2, 1)).setIndexNames((1, 'SNMP-TARGET-MIB', 'snmpTargetParamsName')) if mibBuilder.loadTexts: snmpNotifyFilterProfileEntry.setDescription('An entry in this table indicates the name of the filter\n profile to be used when generating notifications using\n the corresponding entry in the snmpTargetParamsTable.\n\n Entries in the snmpNotifyFilterProfileTable are created\n and deleted using the snmpNotifyFilterProfileRowStatus\n object.') snmp_notify_filter_profile_name = mib_table_column((1, 3, 6, 1, 6, 3, 13, 1, 2, 1, 1), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate') if mibBuilder.loadTexts: snmpNotifyFilterProfileName.setDescription('The name of the filter profile to be used when generating\n notifications using the corresponding entry in the\n snmpTargetAddrTable.') snmp_notify_filter_profile_stor_type = mib_table_column((1, 3, 6, 1, 6, 3, 13, 1, 2, 1, 2), storage_type().clone('nonVolatile')).setMaxAccess('readcreate') if mibBuilder.loadTexts: snmpNotifyFilterProfileStorType.setDescription("The storage type for this conceptual row.\n Conceptual rows having the value 'permanent' need not\n allow write-access to any columnar objects in the row.") snmp_notify_filter_profile_row_status = mib_table_column((1, 3, 6, 1, 6, 3, 13, 1, 2, 1, 3), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: snmpNotifyFilterProfileRowStatus.setDescription("The status of this conceptual row.\n\n To create a row in this table, a manager must\n set this object to either createAndGo(4) or\n createAndWait(5).\n\n Until instances of all corresponding columns are\n appropriately configured, the value of the\n corresponding instance of the\n snmpNotifyFilterProfileRowStatus column is 'notReady'.\n\n In particular, a newly created row cannot be made\n active until the corresponding instance of\n snmpNotifyFilterProfileName has been set.") snmp_notify_filter_table = mib_table((1, 3, 6, 1, 6, 3, 13, 1, 3)) if mibBuilder.loadTexts: snmpNotifyFilterTable.setDescription('The table of filter profiles. Filter profiles are used\n to determine whether particular management targets should\n receive particular notifications.\n\n When a notification is generated, it must be compared\n with the filters associated with each management target\n which is configured to receive notifications, in order to\n determine whether it may be sent to each such management\n target.\n\n A more complete discussion of notification filtering\n can be found in section 6. of [SNMP-APPL].') snmp_notify_filter_entry = mib_table_row((1, 3, 6, 1, 6, 3, 13, 1, 3, 1)).setIndexNames((0, 'SNMP-NOTIFICATION-MIB', 'snmpNotifyFilterProfileName'), (1, 'SNMP-NOTIFICATION-MIB', 'snmpNotifyFilterSubtree')) if mibBuilder.loadTexts: snmpNotifyFilterEntry.setDescription('An element of a filter profile.\n\n Entries in the snmpNotifyFilterTable are created and\n deleted using the snmpNotifyFilterRowStatus object.') snmp_notify_filter_subtree = mib_table_column((1, 3, 6, 1, 6, 3, 13, 1, 3, 1, 1), object_identifier()) if mibBuilder.loadTexts: snmpNotifyFilterSubtree.setDescription('The MIB subtree which, when combined with the corresponding\n instance of snmpNotifyFilterMask, defines a family of\n subtrees which are included in or excluded from the\n filter profile.') snmp_notify_filter_mask = mib_table_column((1, 3, 6, 1, 6, 3, 13, 1, 3, 1, 2), octet_string().subtype(subtypeSpec=value_size_constraint(0, 16)).clone(hexValue='')).setMaxAccess('readcreate') if mibBuilder.loadTexts: snmpNotifyFilterMask.setDescription("The bit mask which, in combination with the corresponding\n instance of snmpNotifyFilterSubtree, defines a family of\n subtrees which are included in or excluded from the\n filter profile.\n\n Each bit of this bit mask corresponds to a\n sub-identifier of snmpNotifyFilterSubtree, with the\n most significant bit of the i-th octet of this octet\n string value (extended if necessary, see below)\n corresponding to the (8*i - 7)-th sub-identifier, and\n the least significant bit of the i-th octet of this\n octet string corresponding to the (8*i)-th\n sub-identifier, where i is in the range 1 through 16.\n\n Each bit of this bit mask specifies whether or not\n the corresponding sub-identifiers must match when\n determining if an OBJECT IDENTIFIER matches this\n family of filter subtrees; a '1' indicates that an\n exact match must occur; a '0' indicates 'wild card',\n i.e., any sub-identifier value matches.\n\n Thus, the OBJECT IDENTIFIER X of an object instance\n is contained in a family of filter subtrees if, for\n each sub-identifier of the value of\n snmpNotifyFilterSubtree, either:\n\n the i-th bit of snmpNotifyFilterMask is 0, or\n\n the i-th sub-identifier of X is equal to the i-th\n sub-identifier of the value of\n snmpNotifyFilterSubtree.\n\n If the value of this bit mask is M bits long and\n there are more than M sub-identifiers in the\n corresponding instance of snmpNotifyFilterSubtree,\n then the bit mask is extended with 1's to be the\n required length.\n\n Note that when the value of this object is the\n zero-length string, this extension rule results in\n a mask of all-1's being used (i.e., no 'wild card'),\n and the family of filter subtrees is the one\n subtree uniquely identified by the corresponding\n instance of snmpNotifyFilterSubtree.") snmp_notify_filter_type = mib_table_column((1, 3, 6, 1, 6, 3, 13, 1, 3, 1, 3), integer32().subtype(subtypeSpec=single_value_constraint(1, 2)).clone(namedValues=named_values(('included', 1), ('excluded', 2))).clone('included')).setMaxAccess('readcreate') if mibBuilder.loadTexts: snmpNotifyFilterType.setDescription('This object indicates whether the family of filter subtrees\n defined by this entry are included in or excluded from a\n filter. A more detailed discussion of the use of this\n object can be found in section 6. of [SNMP-APPL].') snmp_notify_filter_storage_type = mib_table_column((1, 3, 6, 1, 6, 3, 13, 1, 3, 1, 4), storage_type().clone('nonVolatile')).setMaxAccess('readcreate') if mibBuilder.loadTexts: snmpNotifyFilterStorageType.setDescription("The storage type for this conceptual row.\n Conceptual rows having the value 'permanent' need not\n\n allow write-access to any columnar objects in the row.") snmp_notify_filter_row_status = mib_table_column((1, 3, 6, 1, 6, 3, 13, 1, 3, 1, 5), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: snmpNotifyFilterRowStatus.setDescription('The status of this conceptual row.\n\n To create a row in this table, a manager must\n set this object to either createAndGo(4) or\n createAndWait(5).') snmp_notify_compliances = mib_identifier((1, 3, 6, 1, 6, 3, 13, 3, 1)) snmp_notify_groups = mib_identifier((1, 3, 6, 1, 6, 3, 13, 3, 2)) snmp_notify_basic_compliance = module_compliance((1, 3, 6, 1, 6, 3, 13, 3, 1, 1)).setObjects(*(('SNMP-TARGET-MIB', 'snmpTargetBasicGroup'), ('SNMP-NOTIFICATION-MIB', 'snmpNotifyGroup'))) if mibBuilder.loadTexts: snmpNotifyBasicCompliance.setDescription('The compliance statement for minimal SNMP entities which\n implement only SNMP Unconfirmed-Class notifications and\n read-create operations on only the snmpTargetAddrTable.') snmp_notify_basic_filters_compliance = module_compliance((1, 3, 6, 1, 6, 3, 13, 3, 1, 2)).setObjects(*(('SNMP-TARGET-MIB', 'snmpTargetBasicGroup'), ('SNMP-NOTIFICATION-MIB', 'snmpNotifyGroup'), ('SNMP-NOTIFICATION-MIB', 'snmpNotifyFilterGroup'))) if mibBuilder.loadTexts: snmpNotifyBasicFiltersCompliance.setDescription('The compliance statement for SNMP entities which implement\n SNMP Unconfirmed-Class notifications with filtering, and\n read-create operations on all related tables.') snmp_notify_full_compliance = module_compliance((1, 3, 6, 1, 6, 3, 13, 3, 1, 3)).setObjects(*(('SNMP-TARGET-MIB', 'snmpTargetBasicGroup'), ('SNMP-TARGET-MIB', 'snmpTargetResponseGroup'), ('SNMP-NOTIFICATION-MIB', 'snmpNotifyGroup'), ('SNMP-NOTIFICATION-MIB', 'snmpNotifyFilterGroup'))) if mibBuilder.loadTexts: snmpNotifyFullCompliance.setDescription('The compliance statement for SNMP entities which either\n implement only SNMP Confirmed-Class notifications, or both\n SNMP Unconfirmed-Class and Confirmed-Class notifications,\n plus filtering and read-create operations on all related\n tables.') snmp_notify_group = object_group((1, 3, 6, 1, 6, 3, 13, 3, 2, 1)).setObjects(*(('SNMP-NOTIFICATION-MIB', 'snmpNotifyTag'), ('SNMP-NOTIFICATION-MIB', 'snmpNotifyType'), ('SNMP-NOTIFICATION-MIB', 'snmpNotifyStorageType'), ('SNMP-NOTIFICATION-MIB', 'snmpNotifyRowStatus'))) if mibBuilder.loadTexts: snmpNotifyGroup.setDescription('A collection of objects for selecting which management\n targets are used for generating notifications, and the\n type of notification to be generated for each selected\n management target.') snmp_notify_filter_group = object_group((1, 3, 6, 1, 6, 3, 13, 3, 2, 2)).setObjects(*(('SNMP-NOTIFICATION-MIB', 'snmpNotifyFilterProfileName'), ('SNMP-NOTIFICATION-MIB', 'snmpNotifyFilterProfileStorType'), ('SNMP-NOTIFICATION-MIB', 'snmpNotifyFilterProfileRowStatus'), ('SNMP-NOTIFICATION-MIB', 'snmpNotifyFilterMask'), ('SNMP-NOTIFICATION-MIB', 'snmpNotifyFilterType'), ('SNMP-NOTIFICATION-MIB', 'snmpNotifyFilterStorageType'), ('SNMP-NOTIFICATION-MIB', 'snmpNotifyFilterRowStatus'))) if mibBuilder.loadTexts: snmpNotifyFilterGroup.setDescription('A collection of objects providing remote configuration\n of notification filters.') mibBuilder.exportSymbols('SNMP-NOTIFICATION-MIB', snmpNotifyBasicCompliance=snmpNotifyBasicCompliance, snmpNotifyEntry=snmpNotifyEntry, snmpNotifyFilterType=snmpNotifyFilterType, snmpNotifyConformance=snmpNotifyConformance, snmpNotifyFilterGroup=snmpNotifyFilterGroup, snmpNotifyFilterTable=snmpNotifyFilterTable, PYSNMP_MODULE_ID=snmpNotificationMIB, snmpNotifyFilterMask=snmpNotifyFilterMask, snmpNotifyFullCompliance=snmpNotifyFullCompliance, snmpNotifyFilterProfileEntry=snmpNotifyFilterProfileEntry, snmpNotifyFilterProfileRowStatus=snmpNotifyFilterProfileRowStatus, snmpNotifyFilterProfileStorType=snmpNotifyFilterProfileStorType, snmpNotifyFilterRowStatus=snmpNotifyFilterRowStatus, snmpNotifyBasicFiltersCompliance=snmpNotifyBasicFiltersCompliance, snmpNotifyFilterProfileTable=snmpNotifyFilterProfileTable, snmpNotifyType=snmpNotifyType, snmpNotifyTag=snmpNotifyTag, snmpNotifyName=snmpNotifyName, snmpNotifyObjects=snmpNotifyObjects, snmpNotifyGroup=snmpNotifyGroup, snmpNotifyGroups=snmpNotifyGroups, snmpNotifyRowStatus=snmpNotifyRowStatus, snmpNotifyFilterProfileName=snmpNotifyFilterProfileName, snmpNotificationMIB=snmpNotificationMIB, snmpNotifyFilterSubtree=snmpNotifyFilterSubtree, snmpNotifyStorageType=snmpNotifyStorageType, snmpNotifyCompliances=snmpNotifyCompliances, snmpNotifyFilterStorageType=snmpNotifyFilterStorageType, snmpNotifyFilterEntry=snmpNotifyFilterEntry, snmpNotifyTable=snmpNotifyTable)
n = int(input()) w = [list(map(lambda x: int(x)-1, input().split())) for _ in range(n)] syussya = [0] * (n*2) for s, _ in w: syussya[s] += 1 for i in range(1, n*2): syussya[i] += syussya[i-1] for s, t in w: print(syussya[t] - syussya[s])
n = int(input()) w = [list(map(lambda x: int(x) - 1, input().split())) for _ in range(n)] syussya = [0] * (n * 2) for (s, _) in w: syussya[s] += 1 for i in range(1, n * 2): syussya[i] += syussya[i - 1] for (s, t) in w: print(syussya[t] - syussya[s])
USERS = {'editor':'editor', 'viewer':'viewer'} GROUPS = {'editor':['group:editors'], 'viewer':['group:viewers']} def groupfinder(userid, request): if userid in USERS: return GROUPS.get(userid,[])
users = {'editor': 'editor', 'viewer': 'viewer'} groups = {'editor': ['group:editors'], 'viewer': ['group:viewers']} def groupfinder(userid, request): if userid in USERS: return GROUPS.get(userid, [])
# Autogenerated by devscripts/update-version.py __version__ = '2021.12.01' RELEASE_GIT_HEAD = '91f071af6'
__version__ = '2021.12.01' release_git_head = '91f071af6'
# ------------------------------------------------------------------------------ # Access to the CodeHawk Binary Analyzer Analysis Results # Author: Henny Sipma # ------------------------------------------------------------------------------ # The MIT License (MIT) # # Copyright (c) 2016-2020 Kestrel Technology LLC # # 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. # ------------------------------------------------------------------------------ class StringXRefs(object): def __init__(self,stringsxrefs,xnode): self.stringsxrefs = stringsxrefs self.xnode = xnode self.strval = self.stringsxrefs.bdictionary.read_xml_string(self.xnode) self.addr = self.xnode.get('a') self.xrefs = [] # (faddr,iaddr) list self._initialize() def _initialize(self): for x in self.xnode.findall('xref'): self.xrefs.append((x.get('f'),x.get('ci'))) class StringsXRefs(object): def __init__(self,app,xnode): self.app = app # AppAccess self.bdictionary = self.app.bdictionary self.xnode = xnode self.strings = {} # hex-address -> StringXRefs self._initialize() def iter_strings(self,f): for a in sorted(self.strings): f(a,self.strings[a]) def has_string(self,addr): return addr in self.strings def get_string(self,addr): if self.has_string(addr): return self.strings[addr].strval def get_xrefs(self): result = [] for sxref in self.strings: result.extend(self.strings[sxref].xrefs) return result def get_function_xref_strings(self): # returns faddr -> strval -> count result = {} for sxref in self.strings: xref = self.strings[sxref] strval = xref.strval for (faddr,iaddr) in xref.xrefs: result.setdefault(faddr,{}) result[faddr].setdefault(strval,0) result[faddr][strval] += 1 return result def _initialize(self): for x in self.xnode.findall('string-xref'): xrefs = StringXRefs(self,x) self.strings[xrefs.addr] = xrefs
class Stringxrefs(object): def __init__(self, stringsxrefs, xnode): self.stringsxrefs = stringsxrefs self.xnode = xnode self.strval = self.stringsxrefs.bdictionary.read_xml_string(self.xnode) self.addr = self.xnode.get('a') self.xrefs = [] self._initialize() def _initialize(self): for x in self.xnode.findall('xref'): self.xrefs.append((x.get('f'), x.get('ci'))) class Stringsxrefs(object): def __init__(self, app, xnode): self.app = app self.bdictionary = self.app.bdictionary self.xnode = xnode self.strings = {} self._initialize() def iter_strings(self, f): for a in sorted(self.strings): f(a, self.strings[a]) def has_string(self, addr): return addr in self.strings def get_string(self, addr): if self.has_string(addr): return self.strings[addr].strval def get_xrefs(self): result = [] for sxref in self.strings: result.extend(self.strings[sxref].xrefs) return result def get_function_xref_strings(self): result = {} for sxref in self.strings: xref = self.strings[sxref] strval = xref.strval for (faddr, iaddr) in xref.xrefs: result.setdefault(faddr, {}) result[faddr].setdefault(strval, 0) result[faddr][strval] += 1 return result def _initialize(self): for x in self.xnode.findall('string-xref'): xrefs = string_x_refs(self, x) self.strings[xrefs.addr] = xrefs
#encoding:utf-8 subreddit = 'Windows10' t_channel = '@r_Windows10' def send_post(submission, r2t): return r2t.send_simple(submission)
subreddit = 'Windows10' t_channel = '@r_Windows10' def send_post(submission, r2t): return r2t.send_simple(submission)
s, f, l = input('String='), input('First Letter='), input('Second Letter=') for i in range(1): f_in, l_in = s.rindex(f), s.index(l) if f_in == -1 or l_in == -1 or f_in > l_in: print(False) else: print(True)
(s, f, l) = (input('String='), input('First Letter='), input('Second Letter=')) for i in range(1): (f_in, l_in) = (s.rindex(f), s.index(l)) if f_in == -1 or l_in == -1 or f_in > l_in: print(False) else: print(True)
class Solution: def romanToInt(self, s: str) -> int: return self.get_roman(self.roman_numerals(), s) @staticmethod def roman_numerals(): numerals = { 'I': 1, 'V': 5, 'X': 10, 'L': 50, 'C': 100, 'D': 500, 'M': 1000, } return numerals @staticmethod def get_roman(numerals, s): temp = None result = 0 for i in s: if temp and numerals[i] > temp: result -= temp * 2 else: temp = numerals[i] result += numerals[i] return result
class Solution: def roman_to_int(self, s: str) -> int: return self.get_roman(self.roman_numerals(), s) @staticmethod def roman_numerals(): numerals = {'I': 1, 'V': 5, 'X': 10, 'L': 50, 'C': 100, 'D': 500, 'M': 1000} return numerals @staticmethod def get_roman(numerals, s): temp = None result = 0 for i in s: if temp and numerals[i] > temp: result -= temp * 2 else: temp = numerals[i] result += numerals[i] return result
# https://www.hackerrank.com/challenges/py-set-mutations/problem s = [set(map(int, input().split())) for _ in range(2)][1] # 16 # len(s) # 1 2 3 4 5 6 7 8 9 10 11 12 13 14 24 52 methods1 = { "update": s.update, "difference_update": s.difference_update, "intersection_update": s.intersection_update, "symmetric_difference_update": s.symmetric_difference_update, } def methods2(m, s, sub_s): if m == "update": s |= sub_s elif m == "difference_update": s -= sub_s elif m == "intersection_update": s &= sub_s elif m == "symmetric_difference_update": s ^= sub_s for _ in range(int(input())): # 4 m, sub_s = input().split()[0], set(map(int, input().split())) # intersection_update 10 # 2 3 5 6 8 9 1 4 7 11 # update 2 # 55 66 # symmetric_difference_update 5 # 22 7 35 62 58 # difference_update 7 # 11 22 35 55 58 62 66 methods1[m](sub_s) # type: ignore # methods2(m, s, sub_s) print(sum(s)) # 38
s = [set(map(int, input().split())) for _ in range(2)][1] methods1 = {'update': s.update, 'difference_update': s.difference_update, 'intersection_update': s.intersection_update, 'symmetric_difference_update': s.symmetric_difference_update} def methods2(m, s, sub_s): if m == 'update': s |= sub_s elif m == 'difference_update': s -= sub_s elif m == 'intersection_update': s &= sub_s elif m == 'symmetric_difference_update': s ^= sub_s for _ in range(int(input())): (m, sub_s) = (input().split()[0], set(map(int, input().split()))) methods1[m](sub_s) print(sum(s))
#!/usr/local/bin/python3.7 #!/usr/bin/env python3 #!/usr/bin/python3 for i1 in range(32, 127): c1 = chr(i1) print(("%d %s" % (i1, c1)))
for i1 in range(32, 127): c1 = chr(i1) print('%d %s' % (i1, c1))
# terrascript/resource/grafana.py __all__ = []
__all__ = []
## Number Zoo Patrol ## 6 kyu ## https://www.codewars.com//kata/5276c18121e20900c0000235 def find_missing_number(numbers): numbers = set(numbers) if len(numbers) == 0: return 1 for i in range(1,max(numbers)+2): if i not in numbers: return i
def find_missing_number(numbers): numbers = set(numbers) if len(numbers) == 0: return 1 for i in range(1, max(numbers) + 2): if i not in numbers: return i
# datasetPreprocess.py # Preprocessing should should have a fit and a transform step def convert_numpy(df): return df.to_numpy() def drop_columns(df, ids): return df.drop(ids, axis = 1) def recode(df): df["Bound"] = 2*df["Bound"] - 1 return df def squeeze(array): return array.squeeze()
def convert_numpy(df): return df.to_numpy() def drop_columns(df, ids): return df.drop(ids, axis=1) def recode(df): df['Bound'] = 2 * df['Bound'] - 1 return df def squeeze(array): return array.squeeze()
# bergWeight.by # A program that asks user for the weight of a single Berg Bar and the total number of # bars made that month as inputs. # Outputs the total weight of pounds and ounces of all Berg Bar for the month # Name: Ben Goldstone # Date 9/8/2020 weightOfSingleBar = float(input("What was the weight of a single Berg Bar? ")) totalNumberOfBars = int(input("How many bars were produced? ")) totalWeight = weightOfSingleBar * totalNumberOfBars #total weight in oz lbs = int(totalWeight // 16) #Converts oz to lbs oz = totalWeight % 16 #Takes remainder of oz and keeps them in oz OZ_TO_GRAMS = 28.34952 #1 oz = 28.34952 grams barInGrams = weightOfSingleBar*OZ_TO_GRAMS OZ_TO_KILOGRAMS = 0.02834952 #1 oz = 0.02834952 kilograms barInKilograms = totalWeight*OZ_TO_KILOGRAMS #prints output print("-" * 50) print(f"Single Berg Bar Weight: {weightOfSingleBar} oz ({barInGrams:.2f} grams)") print(f"Total Number of Berg Bars: {totalNumberOfBars:,} bars") print(f"Total weight: {lbs:,} lbs {oz:.2f} oz ({barInKilograms:.2f} kg)")
weight_of_single_bar = float(input('What was the weight of a single Berg Bar? ')) total_number_of_bars = int(input('How many bars were produced? ')) total_weight = weightOfSingleBar * totalNumberOfBars lbs = int(totalWeight // 16) oz = totalWeight % 16 oz_to_grams = 28.34952 bar_in_grams = weightOfSingleBar * OZ_TO_GRAMS oz_to_kilograms = 0.02834952 bar_in_kilograms = totalWeight * OZ_TO_KILOGRAMS print('-' * 50) print(f'Single Berg Bar Weight: {weightOfSingleBar} oz ({barInGrams:.2f} grams)') print(f'Total Number of Berg Bars: {totalNumberOfBars:,} bars') print(f'Total weight: {lbs:,} lbs {oz:.2f} oz ({barInKilograms:.2f} kg)')
account_error = {"status": "error", "message": "username or password error!"}, 400 teacher_not_found = {"status": "error", "message": "teacher not found!"}, 400 topic_not_found = {"status": "error", "message": "topic not found!"}, 400 file_not_found = {"status": "error", "message": "file not found!"}, 400 upload_error = {"status": "error", "message": "??"}, 400 not_allow_error = {"status": "error", "message": "method not allow"}, 403
account_error = ({'status': 'error', 'message': 'username or password error!'}, 400) teacher_not_found = ({'status': 'error', 'message': 'teacher not found!'}, 400) topic_not_found = ({'status': 'error', 'message': 'topic not found!'}, 400) file_not_found = ({'status': 'error', 'message': 'file not found!'}, 400) upload_error = ({'status': 'error', 'message': '??'}, 400) not_allow_error = ({'status': 'error', 'message': 'method not allow'}, 403)
class Solution: # @return a string def countAndSay(self, n): pre = "1" for i in range(n-1): pre = self.f(pre) return pre def f(self, s): ans = "" pre = s[0] cur = 1 for c in s[1:]: if c == pre: cur = cur + 1 else: ans = ans + str(cur) + pre cur = 1 pre = c if cur > 0: ans = ans + str(cur) + pre return ans
class Solution: def count_and_say(self, n): pre = '1' for i in range(n - 1): pre = self.f(pre) return pre def f(self, s): ans = '' pre = s[0] cur = 1 for c in s[1:]: if c == pre: cur = cur + 1 else: ans = ans + str(cur) + pre cur = 1 pre = c if cur > 0: ans = ans + str(cur) + pre return ans
class Solution: def minWindow(self, s: str, t: str) -> str: if t == "": return "" count,window = {},{} res = [-1,-1] ;reslen = float("inf") for c in t : count[c] = 1 + count.get(c,0) have,need = 0, len(count) l = 0 for r in range(len(s)): c = s[r] window[c] = 1 + window.get(c,0) if c in count and window[c] == count[c]: have +=1 while have == need: if (r-l+1) <reslen: res = [l,r] reslen = (r-l+1) window[s[l]] -= 1 if s[l] in count and window[s[l]] < count[s[l]]: have -=1 l+=1 l,r = res return s[l:r+1] if reslen != float("inf") else ""
class Solution: def min_window(self, s: str, t: str) -> str: if t == '': return '' (count, window) = ({}, {}) res = [-1, -1] reslen = float('inf') for c in t: count[c] = 1 + count.get(c, 0) (have, need) = (0, len(count)) l = 0 for r in range(len(s)): c = s[r] window[c] = 1 + window.get(c, 0) if c in count and window[c] == count[c]: have += 1 while have == need: if r - l + 1 < reslen: res = [l, r] reslen = r - l + 1 window[s[l]] -= 1 if s[l] in count and window[s[l]] < count[s[l]]: have -= 1 l += 1 (l, r) = res return s[l:r + 1] if reslen != float('inf') else ''
def find_product(lst): b = 1 ans = [] for i, v in enumerate(lst): tmp = 1 for j in lst[i+1:]: tmp *= j ans.append(tmp * b) b *= v print(ans) return ans assert find_product([1,2,3,4]) == [24,12,8,6] assert find_product([4,2,1,5, 0]) == [0,0,0,0,40]
def find_product(lst): b = 1 ans = [] for (i, v) in enumerate(lst): tmp = 1 for j in lst[i + 1:]: tmp *= j ans.append(tmp * b) b *= v print(ans) return ans assert find_product([1, 2, 3, 4]) == [24, 12, 8, 6] assert find_product([4, 2, 1, 5, 0]) == [0, 0, 0, 0, 40]
CONFIG = dict({ 'demo_battery': [ { 'protocol': 'UDP', 'setup': 'single', 'mode': 'simple', 'size': '1MB', 'test_count': 1 } ], 'full_battery': [ { 'protocol': 'UDP', 'setup': 'single', 'mode': 'simple', 'size': '1MB', 'test_count': 3 }, { 'protocol': 'UDP', 'setup': 'single', 'mode': 'simple', 'size': '10MB', 'test_count': 3 }, { 'protocol': 'UDP', 'setup': 'multi', 'mode': 'simple', 'size': '1MB', 'test_count': 3 }, { 'protocol': 'UDP', 'setup': 'multi', 'mode': 'simple', 'size': '10MB', 'test_count': 3 }, { 'protocol': 'TCP', 'setup': 'single', 'mode': 'simple', 'size': '1MB', 'test_count': 3 }, { 'protocol': 'TCP', 'setup': 'single', 'mode': 'simple', 'size': '10MB', 'test_count': 3 }, { 'protocol': 'TCP', 'setup': 'multi', 'mode': 'simple', 'size': '1MB', 'test_count': 3 }, { 'protocol': 'TCP', 'setup': 'multi', 'mode': 'simple', 'size': '10MB', 'test_count': 3 }, ] })
config = dict({'demo_battery': [{'protocol': 'UDP', 'setup': 'single', 'mode': 'simple', 'size': '1MB', 'test_count': 1}], 'full_battery': [{'protocol': 'UDP', 'setup': 'single', 'mode': 'simple', 'size': '1MB', 'test_count': 3}, {'protocol': 'UDP', 'setup': 'single', 'mode': 'simple', 'size': '10MB', 'test_count': 3}, {'protocol': 'UDP', 'setup': 'multi', 'mode': 'simple', 'size': '1MB', 'test_count': 3}, {'protocol': 'UDP', 'setup': 'multi', 'mode': 'simple', 'size': '10MB', 'test_count': 3}, {'protocol': 'TCP', 'setup': 'single', 'mode': 'simple', 'size': '1MB', 'test_count': 3}, {'protocol': 'TCP', 'setup': 'single', 'mode': 'simple', 'size': '10MB', 'test_count': 3}, {'protocol': 'TCP', 'setup': 'multi', 'mode': 'simple', 'size': '1MB', 'test_count': 3}, {'protocol': 'TCP', 'setup': 'multi', 'mode': 'simple', 'size': '10MB', 'test_count': 3}]})
expected_output = { 'key_chain': { 'ISIS-HELLO-CORE': { 'keys': { '1': { 'accept_lifetime': '00:01:00 january 01 2013 infinite', 'key_string': 'password 020F175218', 'cryptographic_algorithm': 'HMAC-MD5'}}, 'accept_tolerance': 'infinite'}}}
expected_output = {'key_chain': {'ISIS-HELLO-CORE': {'keys': {'1': {'accept_lifetime': '00:01:00 january 01 2013 infinite', 'key_string': 'password 020F175218', 'cryptographic_algorithm': 'HMAC-MD5'}}, 'accept_tolerance': 'infinite'}}}
x, y, w, h = map(int, input().split()) answer = min(x, y, w-x, h-y) print(answer)
(x, y, w, h) = map(int, input().split()) answer = min(x, y, w - x, h - y) print(answer)
def part1(pairs): depth = 0 h_pos = 0 for cmd, val in pairs: val = int(val) if cmd == "forward": h_pos += val elif cmd == "up": depth -= val elif cmd == "down": depth += val else: raise Exception return h_pos * depth def part2(pairs): h_pos = 0 depth = 0 aim = 0 for cmd, val in pairs: val = int(val) if cmd == "forward": depth += aim * val h_pos += val elif cmd == "up": aim -= val elif cmd == "down": aim += val else: raise Exception return h_pos * depth def test_day2_sample(): with open("/Users/sep/CLionProjects/aoc-2021/src/test_files/day2_sample.txt") as f: cmd_pairs = [s.rstrip("\n").split(" ") for s in f.readlines()] assert part1(cmd_pairs) == 150 def test_day2_submission(): with open( "/Users/sep/CLionProjects/aoc-2021/src/test_files/day2_submission.txt" ) as f: cmd_pairs = [s.rstrip("\n").split(" ") for s in f.readlines()] assert part1(cmd_pairs) == 1746616 def test_day1_part2_sample(): with open("/Users/sep/CLionProjects/aoc-2021/src/test_files/day2_sample.txt") as f: cmd_pairs = [s.rstrip("\n").split(" ") for s in f.readlines()] assert part2(cmd_pairs) == 900 def test_day1_part2_submission(): with open( "/Users/sep/CLionProjects/aoc-2021/src/test_files/day2_submission.txt" ) as f: cmd_pairs = [s.rstrip("\n").split(" ") for s in f.readlines()] assert part2(cmd_pairs) == 1741971043
def part1(pairs): depth = 0 h_pos = 0 for (cmd, val) in pairs: val = int(val) if cmd == 'forward': h_pos += val elif cmd == 'up': depth -= val elif cmd == 'down': depth += val else: raise Exception return h_pos * depth def part2(pairs): h_pos = 0 depth = 0 aim = 0 for (cmd, val) in pairs: val = int(val) if cmd == 'forward': depth += aim * val h_pos += val elif cmd == 'up': aim -= val elif cmd == 'down': aim += val else: raise Exception return h_pos * depth def test_day2_sample(): with open('/Users/sep/CLionProjects/aoc-2021/src/test_files/day2_sample.txt') as f: cmd_pairs = [s.rstrip('\n').split(' ') for s in f.readlines()] assert part1(cmd_pairs) == 150 def test_day2_submission(): with open('/Users/sep/CLionProjects/aoc-2021/src/test_files/day2_submission.txt') as f: cmd_pairs = [s.rstrip('\n').split(' ') for s in f.readlines()] assert part1(cmd_pairs) == 1746616 def test_day1_part2_sample(): with open('/Users/sep/CLionProjects/aoc-2021/src/test_files/day2_sample.txt') as f: cmd_pairs = [s.rstrip('\n').split(' ') for s in f.readlines()] assert part2(cmd_pairs) == 900 def test_day1_part2_submission(): with open('/Users/sep/CLionProjects/aoc-2021/src/test_files/day2_submission.txt') as f: cmd_pairs = [s.rstrip('\n').split(' ') for s in f.readlines()] assert part2(cmd_pairs) == 1741971043
userName = input('Ingresar usuario ') password = int(input('Ingresa pass: ')) if (userName == 'pablo') and (password == 123456): print('Bienvenido') else: print('Acceso denegado')
user_name = input('Ingresar usuario ') password = int(input('Ingresa pass: ')) if userName == 'pablo' and password == 123456: print('Bienvenido') else: print('Acceso denegado')
# # PySNMP MIB module CISCO-MOBILE-IP-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/CISCO-MOBILE-IP-MIB # Produced by pysmi-0.3.4 at Wed May 1 12:07:47 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # Integer, ObjectIdentifier, OctetString = mibBuilder.importSymbols("ASN1", "Integer", "ObjectIdentifier", "OctetString") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ValueRangeConstraint, ValueSizeConstraint, ConstraintsUnion, SingleValueConstraint, ConstraintsIntersection = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueRangeConstraint", "ValueSizeConstraint", "ConstraintsUnion", "SingleValueConstraint", "ConstraintsIntersection") ciscoMgmt, = mibBuilder.importSymbols("CISCO-SMI", "ciscoMgmt") CounterBasedGauge64, = mibBuilder.importSymbols("HCNUM-TC", "CounterBasedGauge64") InterfaceIndexOrZero, ifIndex, InterfaceIndex = mibBuilder.importSymbols("IF-MIB", "InterfaceIndexOrZero", "ifIndex", "InterfaceIndex") InetAddressType, InetAddressPrefixLength, InetAddress = mibBuilder.importSymbols("INET-ADDRESS-MIB", "InetAddressType", "InetAddressPrefixLength", "InetAddress") faCOAEntry, mnRegAgentAddress, mnRegCOA, haMobilityBindingEntry, mnState, mnRegistrationEntry, RegistrationFlags, mnHAEntry = mibBuilder.importSymbols("MIP-MIB", "faCOAEntry", "mnRegAgentAddress", "mnRegCOA", "haMobilityBindingEntry", "mnState", "mnRegistrationEntry", "RegistrationFlags", "mnHAEntry") ZeroBasedCounter32, = mibBuilder.importSymbols("RMON2-MIB", "ZeroBasedCounter32") SnmpAdminString, = mibBuilder.importSymbols("SNMP-FRAMEWORK-MIB", "SnmpAdminString") ObjectGroup, ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ObjectGroup", "ModuleCompliance", "NotificationGroup") TimeTicks, Gauge32, Counter64, ObjectIdentity, MibIdentifier, MibScalar, MibTable, MibTableRow, MibTableColumn, ModuleIdentity, Counter32, NotificationType, iso, Unsigned32, Bits, IpAddress, Integer32 = mibBuilder.importSymbols("SNMPv2-SMI", "TimeTicks", "Gauge32", "Counter64", "ObjectIdentity", "MibIdentifier", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "ModuleIdentity", "Counter32", "NotificationType", "iso", "Unsigned32", "Bits", "IpAddress", "Integer32") TextualConvention, MacAddress, TimeStamp, DateAndTime, RowStatus, DisplayString, TimeInterval, TruthValue = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "MacAddress", "TimeStamp", "DateAndTime", "RowStatus", "DisplayString", "TimeInterval", "TruthValue") ciscoMobileIpMIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 9, 9, 174)) ciscoMobileIpMIB.setRevisions(('2009-06-26 00:00', '2009-01-22 00:00', '2008-12-11 00:00', '2005-05-31 00:00', '2004-05-28 00:00', '2004-01-23 00:00', '2003-11-27 00:00', '2003-09-05 00:00', '2003-06-30 00:00', '2003-01-23 00:00', '2002-11-18 00:00', '2002-05-17 00:00', '2001-07-06 00:00', '2001-01-25 00:00',)) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): if mibBuilder.loadTexts: ciscoMobileIpMIB.setRevisionsDescriptions(('Added cmiHaRegTunnelStatsTable The following objects has been added to cmiHaReg. [1] cmiHaRegIntervalSize [2] cmiHaRegIntervalMaxActiveBindings [3] cmiHaRegInterval3gpp2MaxActiveBindings [4] cmiHaRegIntervalWimaxMaxActiveBindings The following object groups has been added to ciscoMobileIpGroups. [1] ciscoMobileIpHaRegIntervalStatsGroup [2] ciscoMobileIpHaRegTunnelStatsGroup The MODULE-COMPLIANCE ciscoMobileIpComplianceRev1 has been deprecated by ciscoMobileIpComplianceRev2.', 'The following objects have been added [1] cmiHaMaximumBindings [2] cmiHaSystemVersion The following notifications have been added [1] cmiHaMaxBindingsNotif The Object cmiTrapControl has been modified to include a new bit for cmiHaMaxBindingsNotif. The following object-groups have been added [1] ciscoMobileIpHaRegGroupV1 [2] ciscoMobileIpMrNotificationGroupV3 [3] ciscoMobileIpHaSystemGroupV1 The compliance statement ciscoMobileIpComplianceV12R11 has been deprecated by ciscoMobileIpComplianceRev1.', 'Added a new object cmiHaRegMobilityBindingMacAddress to cmiHaRegMobilityBindingTable. Added a new object group ciscoMobileIpHaRegGroupV12R03r2Sup2 and a compliance group ciscoMobileIpComplianceV12R11 which deprecates ciscoMobileIpComplianceV12R10.', 'Added mobile node access interface attribute objects and multi-path specific objects. Following object groups have been created for the objects added for multi-path: ciscoMobileIpHaRegGroupV12R03r2Sup1 ciscoMobileIpHaMobNetGroupSup1 ciscoMobileIpMrSystemGroupV3Sup1', 'Added Mobile router roaming interface objects - cmiMrIfRoamStatus, cmiMrIfRegisteredCoAType, cmiMrIfRegisteredCoA, cmiMrIfRegisteredMaAddrType and cmiMrIfRegisteredMaAddr.', 'Added trap cmiHaMnRegReqFailed', 'Added objects cmiFaTotalRegRequests, miFaTotalRegReplies, cmiFaMnFaAuthFailures, cmiFaMnAAAAuthFailures, cmiHaMnHaAuthFailures, and cmiHaMnAAAAuthFailures.', 'Added object cmiMrIfCCoaEnable', 'Added objects cmiMrIfCCoaRegistration, cmiMrIfCCoaOnly and cmiMrCollocatedTunnel', '1. Duplicated maAdvConfigTable from MIP-MIB with the index changed to IfIndex instead of ip address. 2. Deprecated cmiSecKey object and added cmSecKey2 as the range needs to be extended. It should accept strings of length 1 to 16. 3. Added hmacMD5 type in cmiSecAlgorithmType', 'Added objects for Reverse tunneling, Challenge, VSEs and Mobile Router features.', 'Add HA/FA initial registration,re-registration, de-registration counters for more granularity.', 'Add cmiFaRegVisitorTable, cmiHaRegCounterTable, cmiHaRegMobilityBindingTable, cmiSecAssocTable, and cmiSecViolationTable. Add counters for home agent redundancy feature. Add performance counters for registration function of the mobility agents.', 'Initial version of this MIB module.',)) if mibBuilder.loadTexts: ciscoMobileIpMIB.setLastUpdated('200906260000Z') if mibBuilder.loadTexts: ciscoMobileIpMIB.setOrganization('Cisco Systems, Inc.') if mibBuilder.loadTexts: ciscoMobileIpMIB.setContactInfo('Cisco Systems Customer Service Postal: 170 W. Tasman Drive San Jose, CA 95134 USA Tel: +1 800 553-NETS E-mail: cs-mobileip@cisco.com') if mibBuilder.loadTexts: ciscoMobileIpMIB.setDescription("An extension to the IETF MIB module defined in RFC-2006 for managing Mobile IP implementations. Mobile IP introduces the following new functional entities: Mobile Node(MN) A host or router that changes its point of attachment from one network or subnetwork to another. A mobile node may change its location without changing its IP address; it may continue to communicate with other Internet nodes at any location using its (constant) IP address, assuming link-layer connectivity to a point of attachment is available. Home Agent(HA) A router on a mobile node's home network which tunnels datagrams for delivery to the mobile node when it is away from home, and maintains current location information for the mobile node. Foreign Agent(FA) A router on a mobile node's visited network which provides routing services to the mobile node while registered. The foreign agent detunnels and delivers datagrams to the mobile node that were tunneled by the mobile node's home agent. For datagrams sent by a mobile node, the foreign agent may serve as a default router for registered mobile nodes. Mobile Router(MR) A mobile node that is a router. It provides for the mobility for one or more networks moving together. The nodes connected to the network server by the mobile router may themselves be fixed nodes, mobile nodes or routers. Mobile Network Network that moves with the mobile router. Following is the terminology associated with Mobile IP protocol: Agent Advertisement An advertisement message constructed by attaching a special Extension to a router advertisement message. Care-of Address (CoA) The termination point of a tunnel toward a mobile node, for datagrams forwarded to the mobile node while it is away from home. The protocol can use two different types of care-of address: a 'foreign agent care-of address' is an address of a foreign agent with which the mobile node is registered, and a 'co-located care-of address' (CCoA) is an externally obtained local address which the mobile node has associated with one of its own network interfaces. Correspondent Node A peer with which a mobile node is communicating. A correspondent node may be either mobile or stationary. Foreign Network Any network other than the mobile node's Home Network. Home Address An IP address that is assigned for an extended period of time to a mobile node. It remains unchanged regardless of where the node is attached to the Internet. Home Network A network, possibly virtual, having a network prefix matching that of a mobile node's home address. Note that standard IP routing mechanisms will deliver datagrams destined to a mobile node's Home Address to the mobile node's Home Network. Mobility Agent Either a home agent or a foreign agent. Mobility Binding The association of a home address with a care-of address, along with the remaining lifetime of that association. Mobility Security Association A collection of security contexts, between a pair of nodes, which may be applied to Mobile IP protocol messages exchanged between them. Each context indicates an authentication algorithm and mode, a secret (a shared key, or appropriate public/private key pair), and a style of replay protection in use. Node A host or a router. Nonce A randomly chosen value, different from previous choices, inserted in a message to protect against replays. Security Parameter Index (SPI) An index identifying a security context between a pair of nodes among the contexts available in the Mobility Security Association. SPI values 0 through 255 are reserved and MUST NOT be used in any Mobility Security Association. Tunnel The path followed by a datagram while it is encapsulated. The model is that, while it is encapsulated, a datagram is routed to a knowledgeable decapsulating agent, which decapsulates the datagram and then correctly delivers it to its ultimate destination. Visited Network A network other than a mobile node's Home Network, to which the mobile node is currently connected. Visitor List The list of mobile nodes visiting a foreign agent. Keyed Hashing for Message Authentication (HMAC) A mechanism for message authentication using cryptographic hash functions. HMAC can be used with any iterative cryptographic hash function, e.g., MD5, SHA-1, in combination with a secret shared key. The following support services are defined for Mobile IP: Agent Discovery Home agents and foreign agents may advertise their availability on each link for which they provide service. A newly arrived mobile node can send a solicitation on the link to learn if any prospective agents are present. Registration When the mobile node is away from home, it registers its care-of address with its home agent. Depending on its method of attachment, the mobile node will register either directly with its home agent, or through a foreign agent which forwards the registration to the home agent. Following is the terminology associated with the home agent redundancy feature: Peer Home Agent Active home agent and standby home agent are peers to each other. Binding Update A binding update contains the registration request information. The home agent sends the update to its peer after accepting a registration. Binding Information Binding information contains the entries in the mobility binding table. The home agent sends a binding information request to its peer to retrieve all mobility bindings for a specified home agent address. 3GPP2 3rd Generation Partnership Project 2. This is the standardization group for CDMA2000, the set of 3G standards based on earlier 2G CDMA technology. WiMAX Worldwide Interoperability for Microwave Access, Inc. (group promoting IEEE 802.16 wireless broadband standard) MIP Mobile IP This MIB is organized as described below: The IETF Mobile IP MIB module [RFC-2006] has six main groups. Three of them represent the Mobile IP entities i.e. 'MipFA': foreign agent, 'MipHA': home agent and 'MipMN': mobile node. Each of these groups have been further subdivided into different subgroups. Each of these subgroups is a collection of objects related to a particular function, performed by the entity represented by its main group e.g. 'faRegistration' is a subgroup under group 'MipFA' which has collection of objects for registration function within a foreign agent. This MIB also follows the same hierarchical structure to maintain the modularity with respect to Mobile IP.") ciscoMobileIpMIBObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1)) cmiFa = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1)) cmiHa = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2)) cmiSecurity = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3)) cmiMa = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4)) cmiMn = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5)) cmiTrapObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 6)) cmiFaReg = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1)) cmiFaAdvertisement = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 2)) cmiFaSystem = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 3)) cmiHaReg = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1)) cmiHaRedun = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2)) cmiHaMobNet = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 3)) cmiHaSystem = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 4)) cmiMaReg = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 1)) cmiMaAdvertisement = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 2)) cmiMnDiscovery = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 1)) cmiMnRecentAdvReceived = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 1, 1)) cmiMnRegistration = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 2)) cmiMrSystem = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3)) cmiMrDiscovery = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 4)) cmiMrRegistration = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 5)) class CmiRegistrationFlags(TextualConvention, Bits): description = 'This data type is used to define the registration flags for Mobile IP registration extension: reverseTunnel -- Request to support reverse tunneling. gre -- Request to use GRE minEnc -- Request to use minimal encapsulation decapsulationByMN -- Decapsulation by mobile node broadcastDatagram -- Request to receive broadcasts simultaneousBindings -- Request to retain prior binding(s)' status = 'current' namedValues = NamedValues(("reverseTunnel", 0), ("gre", 1), ("minEnc", 2), ("decapsulationbyMN", 3), ("broadcastDatagram", 4), ("simultaneousBindings", 5)) class CmiEntityIdentifierType(TextualConvention, Integer32): description = 'A value that represents a type of Mobile IP entity identifier. other(1) Indicates identifier which is not in one of the formats defined below. ipaddress(2) IP address as defined by InetAddressIPv4 textual convention in INET-ADDRESS-MIB. nai(3) A network access identifier as defined by the CmiEntityIdentifier textual convention.' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3)) namedValues = NamedValues(("other", 1), ("ipaddress", 2), ("nai", 3)) class CmiEntityIdentifier(TextualConvention, OctetString): description = 'Represents the generic identifier for Mobile IP entities. A CmiEntityIdentifier value is always interpreted within the context of a CmiEntityIdentifierType value. Foreign agents and Home agents are identified by the IP addresses. Mobile nodes can be identified in more than one way e.g. IP addresses, network access identifiers (NAI). If mobile node is identified by something other than IP address say by NAI and it gets IP address dynamically from the home agent then value of object of this type should be same as NAI. This is because then IP address is not tied with mobile node and it can change across registrations over period of time.' status = 'current' subtypeSpec = OctetString.subtypeSpec + ValueSizeConstraint(1, 255) class CmiSpi(TextualConvention, Unsigned32): reference = 'RFC-2002 - IP Mobility Support, section 3.5.1' description = 'An index identifying a security context between a pair of nodes among the contexts available in the Mobility Security Association. SPI values 0 through 255 are reserved and MUST NOT be used in any Mobility Security Association.' status = 'current' subtypeSpec = Unsigned32.subtypeSpec + ValueRangeConstraint(256, 4294967295) class CmiMultiPathMetricType(TextualConvention, Integer32): description = 'An enumerated value that represents a metric type that is used for calculating the metric for routes when multiple routes are created. hopcount(1) Hop count Routes would be inserted with metric as 1 - hop count. bandwidth(2) bandwidth Routes would be inserted with metric using the roaming interface bandwidth.' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2)) namedValues = NamedValues(("hopcount", 1), ("bandwidth", 2)) class CmiTunnelType(TextualConvention, Integer32): description = "This textual convention lists the tunneling protocols in use between a HA and CoA. The semantics are as follows. 'ipinip' - This indicates that IP-in-IP protocol is in use for tunnel encapsulation. 'gre' - This indicates that GRE protocol is in use for tunnel encapsulation." status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2)) namedValues = NamedValues(("ipinip", 1), ("gre", 2)) cmiFaRegTotalVisitors = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 1), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaRegTotalVisitors.setReference('RFC-2006 - Mobile IP MIB Definition using SMIv2') if mibBuilder.loadTexts: cmiFaRegTotalVisitors.setStatus('current') if mibBuilder.loadTexts: cmiFaRegTotalVisitors.setDescription("The current number of entries in faVisitorTable. faVisitorTable contains the foreign agent's visitor list. The foreign agent updates this table in response to registration events from mobile nodes.") cmiFaRegVisitorTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 2), ) if mibBuilder.loadTexts: cmiFaRegVisitorTable.setStatus('current') if mibBuilder.loadTexts: cmiFaRegVisitorTable.setDescription("A table containing the foreign agent's visitor list. The foreign agent updates this table in response to registration events from mobile nodes. This table provides the same information as faVisitorTable of MIP-MIB. The difference is that indices of the table are changed so that visitors which are not identified by the IP address will also be included in the table.") cmiFaRegVisitorEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 2, 1), ).setIndexNames((0, "CISCO-MOBILE-IP-MIB", "cmiFaRegVisitorIdentifierType"), (0, "CISCO-MOBILE-IP-MIB", "cmiFaRegVisitorIdentifier")) if mibBuilder.loadTexts: cmiFaRegVisitorEntry.setStatus('current') if mibBuilder.loadTexts: cmiFaRegVisitorEntry.setDescription('Information for one visitor regarding registration.') cmiFaRegVisitorIdentifierType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 2, 1, 1), CmiEntityIdentifierType()) if mibBuilder.loadTexts: cmiFaRegVisitorIdentifierType.setStatus('current') if mibBuilder.loadTexts: cmiFaRegVisitorIdentifierType.setDescription("The type of the visitor's identifier.") cmiFaRegVisitorIdentifier = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 2, 1, 2), CmiEntityIdentifier()) if mibBuilder.loadTexts: cmiFaRegVisitorIdentifier.setStatus('current') if mibBuilder.loadTexts: cmiFaRegVisitorIdentifier.setDescription('The identifier associated with the visitor.') cmiFaRegVisitorHomeAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 2, 1, 3), IpAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaRegVisitorHomeAddress.setStatus('current') if mibBuilder.loadTexts: cmiFaRegVisitorHomeAddress.setDescription('Home (IP) address of visiting mobile node.') cmiFaRegVisitorHomeAgentAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 2, 1, 4), IpAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaRegVisitorHomeAgentAddress.setStatus('current') if mibBuilder.loadTexts: cmiFaRegVisitorHomeAgentAddress.setDescription('Home agent IP address for that visiting mobile node.') cmiFaRegVisitorTimeGranted = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 2, 1, 5), TimeInterval()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaRegVisitorTimeGranted.setStatus('current') if mibBuilder.loadTexts: cmiFaRegVisitorTimeGranted.setDescription('The lifetime granted to the mobile node for this registration. Only valid if faVisitorRegIsAccepted is true(1).') cmiFaRegVisitorTimeRemaining = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 2, 1, 6), TimeInterval()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaRegVisitorTimeRemaining.setStatus('current') if mibBuilder.loadTexts: cmiFaRegVisitorTimeRemaining.setDescription('The time remaining until the registration is expired. It has the same initial value as cmiFaRegVisitorTimeGranted, and is counted down by the foreign agent.') cmiFaRegVisitorRegFlags = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 2, 1, 7), RegistrationFlags()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaRegVisitorRegFlags.setStatus('deprecated') if mibBuilder.loadTexts: cmiFaRegVisitorRegFlags.setDescription('Registration flags sent by the mobile node.') cmiFaRegVisitorRegIDLow = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 2, 1, 8), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaRegVisitorRegIDLow.setStatus('current') if mibBuilder.loadTexts: cmiFaRegVisitorRegIDLow.setDescription('Low 32 bits of Identification used in that registration by the mobile node.') cmiFaRegVisitorRegIDHigh = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 2, 1, 9), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaRegVisitorRegIDHigh.setStatus('current') if mibBuilder.loadTexts: cmiFaRegVisitorRegIDHigh.setDescription('High 32 bits of Identification used in that registration by the mobile node.') cmiFaRegVisitorRegIsAccepted = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 2, 1, 10), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaRegVisitorRegIsAccepted.setStatus('current') if mibBuilder.loadTexts: cmiFaRegVisitorRegIsAccepted.setDescription('Whether the registration has been accepted or not. If it is false(2), this registration is still pending for reply.') cmiFaRegVisitorRegFlagsRev1 = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 2, 1, 11), CmiRegistrationFlags()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaRegVisitorRegFlagsRev1.setStatus('current') if mibBuilder.loadTexts: cmiFaRegVisitorRegFlagsRev1.setDescription('Registration flags sent by the mobile node.') cmiFaRegVisitorChallengeValue = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 2, 1, 12), OctetString().subtype(subtypeSpec=ValueSizeConstraint(256, 256)).setFixedLength(256)).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaRegVisitorChallengeValue.setReference('RFC3012 - Mobile IPv4 Challenge/Response Extensions') if mibBuilder.loadTexts: cmiFaRegVisitorChallengeValue.setStatus('current') if mibBuilder.loadTexts: cmiFaRegVisitorChallengeValue.setDescription('Challenge value forwarded to MN in the previous Registration reply, which can be used by MN in the next Registration request') cmiFaInitRegRequestsReceived = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaInitRegRequestsReceived.setStatus('current') if mibBuilder.loadTexts: cmiFaInitRegRequestsReceived.setDescription('Total number of initial Registration Requests received by the foreign agent.') cmiFaInitRegRequestsRelayed = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaInitRegRequestsRelayed.setStatus('current') if mibBuilder.loadTexts: cmiFaInitRegRequestsRelayed.setDescription('Total number of initial Registration Requests relayed by the foreign agent to the home agent.') cmiFaInitRegRequestsDenied = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaInitRegRequestsDenied.setStatus('current') if mibBuilder.loadTexts: cmiFaInitRegRequestsDenied.setDescription('Total number of initial Registration Requests denied by the foreign agent. The reasons for which FA denies a request include: 1. FA CHAP authentication failures. 2. HA is not reachable. 3. No HA address set in the packet.') cmiFaInitRegRequestsDiscarded = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 6), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaInitRegRequestsDiscarded.setStatus('current') if mibBuilder.loadTexts: cmiFaInitRegRequestsDiscarded.setDescription('Total number of initial Registration Requests discarded by the foreign agent. The reasons for which FA discards a request include: 1. ip mobile foreign-service is not enabled on the interface on which the request is received. 2. NAI length exceeds the length of the packet. 3. There are no active COAs.') cmiFaInitRegRepliesValidFromHA = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 7), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaInitRegRepliesValidFromHA.setStatus('current') if mibBuilder.loadTexts: cmiFaInitRegRepliesValidFromHA.setDescription('Total number of initial valid Registration Replies from the home agent to foreign agent.') cmiFaInitRegRepliesValidRelayMN = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaInitRegRepliesValidRelayMN.setStatus('current') if mibBuilder.loadTexts: cmiFaInitRegRepliesValidRelayMN.setDescription('Total number of initial Registration Replies relayed to MN by the foreign agent.') cmiFaReRegRequestsReceived = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaReRegRequestsReceived.setStatus('current') if mibBuilder.loadTexts: cmiFaReRegRequestsReceived.setDescription('Total number of Re-Registration Requests received by the foreign agent from mobile nodes.') cmiFaReRegRequestsRelayed = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaReRegRequestsRelayed.setStatus('current') if mibBuilder.loadTexts: cmiFaReRegRequestsRelayed.setDescription('Total number of Re-Registration Requests relayed to MN by the foreign agent.') cmiFaReRegRequestsDenied = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 11), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaReRegRequestsDenied.setStatus('current') if mibBuilder.loadTexts: cmiFaReRegRequestsDenied.setDescription('Total number of Re-Registration Requests denied by the foreign agent. Refer cmiFaInitRegRequestsDenied for the reasons for which FA denies a request.') cmiFaReRegRequestsDiscarded = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 12), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaReRegRequestsDiscarded.setStatus('current') if mibBuilder.loadTexts: cmiFaReRegRequestsDiscarded.setDescription('Total number of Re-Registration Requests discarded by the foreign agent. Refer cmiFaInitRegRequestsDiscarded for the reasons for which FA discards a request.') cmiFaReRegRepliesValidFromHA = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 13), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaReRegRepliesValidFromHA.setStatus('current') if mibBuilder.loadTexts: cmiFaReRegRepliesValidFromHA.setDescription('Total number of valid Re-Registration Replies from home agent.') cmiFaReRegRepliesValidRelayToMN = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 14), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaReRegRepliesValidRelayToMN.setStatus('current') if mibBuilder.loadTexts: cmiFaReRegRepliesValidRelayToMN.setDescription('Total number of valid Re-Registration Replies relayed to MN by the foreign agent.') cmiFaDeRegRequestsReceived = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 15), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaDeRegRequestsReceived.setStatus('current') if mibBuilder.loadTexts: cmiFaDeRegRequestsReceived.setDescription('Total number of De-Registration Requests received by the foreign agent.') cmiFaDeRegRequestsRelayed = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 16), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaDeRegRequestsRelayed.setStatus('current') if mibBuilder.loadTexts: cmiFaDeRegRequestsRelayed.setDescription('Total number of De-Registration Requests relayed to home agent by the foreign agent.') cmiFaDeRegRequestsDenied = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 17), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaDeRegRequestsDenied.setStatus('current') if mibBuilder.loadTexts: cmiFaDeRegRequestsDenied.setDescription('Total number of De-Registration Requests denied by the foreign agent. Refer cmiFaInitRegRequestsDenied for the reasons for which FA denies a request.') cmiFaDeRegRequestsDiscarded = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 18), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaDeRegRequestsDiscarded.setStatus('current') if mibBuilder.loadTexts: cmiFaDeRegRequestsDiscarded.setDescription('Total number of De-Registration Requests discarded by the foreign agent. Refer cmiFaInitRegRequestsDiscarded for the reasons for which FA discards a request.') cmiFaDeRegRepliesValidFromHA = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 19), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaDeRegRepliesValidFromHA.setStatus('current') if mibBuilder.loadTexts: cmiFaDeRegRepliesValidFromHA.setDescription('Total number of valid De-Registration Replies received from the home agent by the foreign agent.') cmiFaDeRegRepliesValidRelayToMN = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 20), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaDeRegRepliesValidRelayToMN.setStatus('current') if mibBuilder.loadTexts: cmiFaDeRegRepliesValidRelayToMN.setDescription('Total number of De-Registration Replies relayed to the MN by the foreign agent.') cmiFaReverseTunnelUnavailable = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 21), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaReverseTunnelUnavailable.setReference('RFC3024 - Reverse Tunneling for Mobile IP') if mibBuilder.loadTexts: cmiFaReverseTunnelUnavailable.setStatus('current') if mibBuilder.loadTexts: cmiFaReverseTunnelUnavailable.setDescription('Total number of Registration Requests denied by foreign agent -- requested reverse tunnel unavailable (Code 74).') cmiFaReverseTunnelBitNotSet = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 22), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaReverseTunnelBitNotSet.setReference('RFC3024 - Reverse Tunneling for Mobile IP') if mibBuilder.loadTexts: cmiFaReverseTunnelBitNotSet.setStatus('current') if mibBuilder.loadTexts: cmiFaReverseTunnelBitNotSet.setDescription("Total number of Registration Requests denied by foreign agent -- reverse tunnel is mandatory and 'T' bit not set (Code 75).") cmiFaMnTooDistant = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 23), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaMnTooDistant.setReference('RFC3024 - Reverse Tunneling for Mobile IP') if mibBuilder.loadTexts: cmiFaMnTooDistant.setStatus('current') if mibBuilder.loadTexts: cmiFaMnTooDistant.setDescription('Total number of Registration Requests denied by foreign agent -- mobile node too distant (Code 76).') cmiFaDeliveryStyleUnsupported = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 24), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaDeliveryStyleUnsupported.setReference('RFC3024 - Reverse Tunneling for Mobile IP') if mibBuilder.loadTexts: cmiFaDeliveryStyleUnsupported.setStatus('current') if mibBuilder.loadTexts: cmiFaDeliveryStyleUnsupported.setDescription('Total number of Registration Requests denied by foreign agent -- delivery style not supported (Code 79).') cmiFaUnknownChallenge = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 25), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaUnknownChallenge.setReference('RFC3012 - Mobile IPv4 Challenge/Response Extensions') if mibBuilder.loadTexts: cmiFaUnknownChallenge.setStatus('current') if mibBuilder.loadTexts: cmiFaUnknownChallenge.setDescription('Total number of Registration Requests denied by foreign agent -- challenge was unknown (code 104).') cmiFaMissingChallenge = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 26), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaMissingChallenge.setReference('RFC3012 - Mobile IPv4 Challenge/Response Extensions') if mibBuilder.loadTexts: cmiFaMissingChallenge.setStatus('current') if mibBuilder.loadTexts: cmiFaMissingChallenge.setDescription('Total number of Registration Requests denied by foreign agent -- challenge was missing (code 105).') cmiFaStaleChallenge = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 27), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaStaleChallenge.setReference('RFC3012 - Mobile IPv4 Challenge/Response Extensions') if mibBuilder.loadTexts: cmiFaStaleChallenge.setStatus('current') if mibBuilder.loadTexts: cmiFaStaleChallenge.setDescription('Total number of Registration Requests denied by foreign agent -- challenge was stale (code 106).') cmiFaCvsesFromMnRejected = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 28), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaCvsesFromMnRejected.setReference('RFC3025 - Mobile IP Vendor/Organization-Specific Extensions') if mibBuilder.loadTexts: cmiFaCvsesFromMnRejected.setStatus('current') if mibBuilder.loadTexts: cmiFaCvsesFromMnRejected.setDescription('Total number of Registration Requests denied by foreign agent -- Unsupported Vendor-ID or unable to interpret Vendor-CVSE-Type in the CVSE sent by the mobile node to the foreign agent (code 100).') cmiFaCvsesFromHaRejected = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 29), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaCvsesFromHaRejected.setReference('RFC3025 - Mobile IP Vendor/Organization-Specific Extensions') if mibBuilder.loadTexts: cmiFaCvsesFromHaRejected.setStatus('current') if mibBuilder.loadTexts: cmiFaCvsesFromHaRejected.setDescription('Total number of Registration Replies denied by foreign agent -- Unsupported Vendor-ID or unable to interpret Vendor-CVSE-Type in the CVSE sent by the home agent to the foreign agent (code 101).') cmiFaNvsesFromMnNeglected = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 30), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaNvsesFromMnNeglected.setReference('RFC3025 - Mobile IP Vendor/Organization-Specific Extensions') if mibBuilder.loadTexts: cmiFaNvsesFromMnNeglected.setStatus('current') if mibBuilder.loadTexts: cmiFaNvsesFromMnNeglected.setDescription('Total number of Registration Requests, which has an NVSE extension with - unsupported Vendor-ID or unable to interpret Vendor-NVSE-Type in the NVSE sent by the mobile node to the foreign agent.') cmiFaNvsesFromHaNeglected = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 31), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaNvsesFromHaNeglected.setReference('RFC3025 - Mobile IP Vendor/Organization-Specific Extensions') if mibBuilder.loadTexts: cmiFaNvsesFromHaNeglected.setStatus('current') if mibBuilder.loadTexts: cmiFaNvsesFromHaNeglected.setDescription('Total number of Registration Requests, which has an NVSE extension with - unsupported Vendor-ID or unable to interpret Vendor-NVSE-Type in the NVSE sent by the home agent to the foreign agent.') cmiFaTotalRegRequests = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 32), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaTotalRegRequests.setStatus('current') if mibBuilder.loadTexts: cmiFaTotalRegRequests.setDescription('Total number of Registration Requests received from the MN by the foreign agent.') cmiFaTotalRegReplies = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 33), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaTotalRegReplies.setStatus('current') if mibBuilder.loadTexts: cmiFaTotalRegReplies.setDescription('Total number of Registration Replies received from the MA by the foreign agent.') cmiFaMnFaAuthFailures = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 34), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaMnFaAuthFailures.setStatus('current') if mibBuilder.loadTexts: cmiFaMnFaAuthFailures.setDescription('Total number of Registration Requests denied due to MN and foreign agent auth extension failures.') cmiFaMnAAAAuthFailures = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 35), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaMnAAAAuthFailures.setStatus('current') if mibBuilder.loadTexts: cmiFaMnAAAAuthFailures.setDescription('Total number of Registration Requests denied due to MN-AAA auth extension failures.') cmiFaAdvertConfTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 2, 1), ) if mibBuilder.loadTexts: cmiFaAdvertConfTable.setStatus('current') if mibBuilder.loadTexts: cmiFaAdvertConfTable.setDescription('A table containing additional configurable advertisement parameters beyond that provided by maAdvertConfTable for all advertisement interfaces in the foreign agent.') cmiFaAdvertConfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 2, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex")) if mibBuilder.loadTexts: cmiFaAdvertConfEntry.setStatus('current') if mibBuilder.loadTexts: cmiFaAdvertConfEntry.setDescription('Additional advertisement parameters beyond that provided by maAdvertConfEntry for one advertisement interface.') cmiFaAdvertIsBusy = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 2, 1, 1, 1), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaAdvertIsBusy.setStatus('current') if mibBuilder.loadTexts: cmiFaAdvertIsBusy.setDescription("This object indicates if the foreign agent is busy. If the value of this object is true(1), agent advertisements sent by the agent on this interface will have the 'B' bit set to 1.") cmiFaAdvertRegRequired = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 2, 1, 1, 2), TruthValue().clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: cmiFaAdvertRegRequired.setStatus('current') if mibBuilder.loadTexts: cmiFaAdvertRegRequired.setDescription("This object specifies if foreign agent registration is required on this interface. If the value of this object is true(1), agent advertisements sent on this interface will have the 'R' bit set to 1.") cmiFaAdvertChallengeWindow = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 2, 1, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 10)).clone(2)).setMaxAccess("readwrite") if mibBuilder.loadTexts: cmiFaAdvertChallengeWindow.setReference('RFC3012 - Mobile IPv4 Challenge/Response Extensions') if mibBuilder.loadTexts: cmiFaAdvertChallengeWindow.setStatus('current') if mibBuilder.loadTexts: cmiFaAdvertChallengeWindow.setDescription('Specifies the number of last challenge values which can be used by mobile node in the registration request sent to the foreign agent on this interface.') cmiFaAdvertChallengeTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 2, 2), ) if mibBuilder.loadTexts: cmiFaAdvertChallengeTable.setReference('RFC3012 - Mobile IPv4 Challenge/Response Extensions') if mibBuilder.loadTexts: cmiFaAdvertChallengeTable.setStatus('current') if mibBuilder.loadTexts: cmiFaAdvertChallengeTable.setDescription("A table containing challenge values in the challenge window. Foreign agent needs to implement maAdvertisement Group (MIP-MIB), that group's maAdvConfigTable and cmiFaAdvertChallengeWindow should be greater than 0.") cmiFaAdvertChallengeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 2, 2, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "CISCO-MOBILE-IP-MIB", "cmiFaAdvertChallengeIndex")) if mibBuilder.loadTexts: cmiFaAdvertChallengeEntry.setStatus('current') if mibBuilder.loadTexts: cmiFaAdvertChallengeEntry.setDescription('Challenge values in challenge window specific to an interface. This entry is created whenever the foreign agent sends an agent advertisement with challenge on the interface.') cmiFaAdvertChallengeIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 2, 2, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 10))) if mibBuilder.loadTexts: cmiFaAdvertChallengeIndex.setStatus('current') if mibBuilder.loadTexts: cmiFaAdvertChallengeIndex.setDescription('The index of challenge table on an interface') cmiFaAdvertChallengeValue = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 2, 2, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(256, 256)).setFixedLength(256)).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaAdvertChallengeValue.setStatus('current') if mibBuilder.loadTexts: cmiFaAdvertChallengeValue.setDescription('Challenge value in the challenge window of the interface.') cmiFaRevTunnelSupported = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 3, 1), TruthValue().clone('true')).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaRevTunnelSupported.setReference('RFC3024 - Reverse Tunneling for Mobile IP') if mibBuilder.loadTexts: cmiFaRevTunnelSupported.setStatus('current') if mibBuilder.loadTexts: cmiFaRevTunnelSupported.setDescription('Indicates whether Reverse tunnel is supported or not.') cmiFaChallengeSupported = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 3, 2), TruthValue().clone('true')).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaChallengeSupported.setReference('RFC3012 - Mobile IPv4 Challenge/Response Extensions') if mibBuilder.loadTexts: cmiFaChallengeSupported.setStatus('current') if mibBuilder.loadTexts: cmiFaChallengeSupported.setDescription('Indicates whether Foreign Agent Challenge is supported or not.') cmiFaEncapDeliveryStyleSupported = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 3, 3), TruthValue().clone('false')).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaEncapDeliveryStyleSupported.setReference('RFC3024 - Reverse Tunneling for Mobile IP') if mibBuilder.loadTexts: cmiFaEncapDeliveryStyleSupported.setStatus('current') if mibBuilder.loadTexts: cmiFaEncapDeliveryStyleSupported.setDescription('Indicates whether Encap delivery style is supported or not.') cmiFaInterfaceTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 3, 4), ) if mibBuilder.loadTexts: cmiFaInterfaceTable.setStatus('current') if mibBuilder.loadTexts: cmiFaInterfaceTable.setDescription('A table containing interface specific parameters related to the foreign agent service on a FA.') cmiFaInterfaceEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 3, 4, 1), ).setIndexNames((0, "IF-MIB", "ifIndex")) if mibBuilder.loadTexts: cmiFaInterfaceEntry.setStatus('current') if mibBuilder.loadTexts: cmiFaInterfaceEntry.setDescription('Parameters associated with a particular foreign agent interface. Interfaces on which foreign agent service has been enabled will have a corresponding entry.') cmiFaReverseTunnelEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 3, 4, 1, 1), TruthValue().clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: cmiFaReverseTunnelEnable.setStatus('current') if mibBuilder.loadTexts: cmiFaReverseTunnelEnable.setDescription('This object specifies whether reverse tunnel capability is enabled on the interface or not.') cmiFaChallengeEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 3, 4, 1, 2), TruthValue().clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: cmiFaChallengeEnable.setReference('RFC3012 - Mobile IPv4 Challenge/Response Extensions') if mibBuilder.loadTexts: cmiFaChallengeEnable.setStatus('current') if mibBuilder.loadTexts: cmiFaChallengeEnable.setDescription('This object specifies whether FA Challenge capability is enabled on the interface or not.') cmiFaAdvertChallengeChapSPI = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 3, 4, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 4294967295)).clone(2)).setMaxAccess("readwrite") if mibBuilder.loadTexts: cmiFaAdvertChallengeChapSPI.setReference('RFC3012 - Mobile IPv4 Challenge/Response Extensions') if mibBuilder.loadTexts: cmiFaAdvertChallengeChapSPI.setStatus('current') if mibBuilder.loadTexts: cmiFaAdvertChallengeChapSPI.setDescription('Specifies the CHAP_SPI number for FA challenge authentication.') cmiFaCoaTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 3, 5), ) if mibBuilder.loadTexts: cmiFaCoaTable.setStatus('current') if mibBuilder.loadTexts: cmiFaCoaTable.setDescription('A table containing additional parameters for all care-of-addresses in the foreign agent beyond that provided by MIP MIB faCOATable.') cmiFaCoaEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 3, 5, 1), ) faCOAEntry.registerAugmentions(("CISCO-MOBILE-IP-MIB", "cmiFaCoaEntry")) cmiFaCoaEntry.setIndexNames(*faCOAEntry.getIndexNames()) if mibBuilder.loadTexts: cmiFaCoaEntry.setStatus('current') if mibBuilder.loadTexts: cmiFaCoaEntry.setDescription('Additional information about a particular entry on the faCOATable beyond that provided by MIP MIB faCOAEntry.') cmiFaCoaInterfaceOnly = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 3, 5, 1, 1), TruthValue().clone('false')).setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiFaCoaInterfaceOnly.setStatus('current') if mibBuilder.loadTexts: cmiFaCoaInterfaceOnly.setDescription('Specifies whether the FA interface associated with this CoA should advertise only this CoA or not. If it is true, all the other configured care-of-addresses will not be advertised.') cmiFaCoaTransmitOnly = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 3, 5, 1, 2), TruthValue().clone('false')).setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiFaCoaTransmitOnly.setStatus('current') if mibBuilder.loadTexts: cmiFaCoaTransmitOnly.setDescription('Specifies whether the FA interface associated with this CoA is a transmit-only (uplink) interface or not. If it is true, the FA treats all registration requests received (on any interface) for this CoA as having arrived on the care-of interface. This object can be set to true only for serial care-of-interfaces.') cmiFaCoaRegAsymLink = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 3, 5, 1, 3), ZeroBasedCounter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiFaCoaRegAsymLink.setStatus('current') if mibBuilder.loadTexts: cmiFaCoaRegAsymLink.setDescription('The number of registration requests which were received for this CoA on other interfaces (asymmetric links) and have been treated as received on this CoA interface. The count will thus be zero if the CoA interface is not set as transmit-only.') cmiHaRegTotalMobilityBindings = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 1), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegTotalMobilityBindings.setReference('RFC-2006 - Mobile IP MIB Definition using SMIv2') if mibBuilder.loadTexts: cmiHaRegTotalMobilityBindings.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTotalMobilityBindings.setDescription("The current number of entries in haMobilityBindingTable. haMobilityBindingTable contains the home agent's mobility binding list. The home agent updates this table in response to registration events from mobile nodes.") cmiHaRegMobilityBindingTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 2), ) if mibBuilder.loadTexts: cmiHaRegMobilityBindingTable.setStatus('current') if mibBuilder.loadTexts: cmiHaRegMobilityBindingTable.setDescription('The home agent updates this table in response to registration events from mobile nodes.') cmiHaRegMobilityBindingEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 2, 1), ) haMobilityBindingEntry.registerAugmentions(("CISCO-MOBILE-IP-MIB", "cmiHaRegMobilityBindingEntry")) cmiHaRegMobilityBindingEntry.setIndexNames(*haMobilityBindingEntry.getIndexNames()) if mibBuilder.loadTexts: cmiHaRegMobilityBindingEntry.setStatus('current') if mibBuilder.loadTexts: cmiHaRegMobilityBindingEntry.setDescription('Additional information about a particular entry on the mobility binding list beyond that provided by MIP MIB haMobilityBindingEntry.') cmiHaRegMnIdentifierType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 2, 1, 1), CmiEntityIdentifierType()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegMnIdentifierType.setStatus('current') if mibBuilder.loadTexts: cmiHaRegMnIdentifierType.setDescription("The type of the mobile node's identifier.") cmiHaRegMnIdentifier = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 2, 1, 2), CmiEntityIdentifier()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegMnIdentifier.setStatus('current') if mibBuilder.loadTexts: cmiHaRegMnIdentifier.setDescription('The identifier associated with the mobile node.') cmiHaRegMobilityBindingRegFlags = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 2, 1, 3), CmiRegistrationFlags()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegMobilityBindingRegFlags.setStatus('current') if mibBuilder.loadTexts: cmiHaRegMobilityBindingRegFlags.setDescription('Registration flags sent by mobile node.') cmiHaRegMnIfDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 2, 1, 4), SnmpAdminString()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegMnIfDescription.setStatus('current') if mibBuilder.loadTexts: cmiHaRegMnIfDescription.setDescription('Description of the access type for the roaming interface of the registering mobile node or router.') cmiHaRegMnIfBandwidth = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 2, 1, 5), Unsigned32()).setUnits('kilobits/second').setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegMnIfBandwidth.setStatus('current') if mibBuilder.loadTexts: cmiHaRegMnIfBandwidth.setDescription('Bandwidth of the roaming interface through which mobile node or router is registered.') cmiHaRegMnIfID = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 2, 1, 6), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegMnIfID.setStatus('current') if mibBuilder.loadTexts: cmiHaRegMnIfID.setDescription('A unique number identifying the roaming interface through which mobile node or router is registered. This is also used as an unique identifier for the tunnel from home agent to the mobile router.') cmiHaRegMnIfPathMetricType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 2, 1, 7), CmiMultiPathMetricType()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegMnIfPathMetricType.setStatus('current') if mibBuilder.loadTexts: cmiHaRegMnIfPathMetricType.setDescription('Specifies the metric to use when multiple path is enabled.') cmiHaRegMobilityBindingMacAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 2, 1, 8), MacAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegMobilityBindingMacAddress.setStatus('current') if mibBuilder.loadTexts: cmiHaRegMobilityBindingMacAddress.setDescription('This object represents the MAC address of Mobile Node.') cmiHaRegCounterTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 3), ) if mibBuilder.loadTexts: cmiHaRegCounterTable.setStatus('current') if mibBuilder.loadTexts: cmiHaRegCounterTable.setDescription('A table containing registration statistics for all mobile nodes authorized to use this home agent. This table provides the same information as haCounterTable of MIP MIB. The only difference is that indices of table are changed so that mobile nodes which are not identified by the IP address will also be included in the table.') cmiHaRegCounterEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 3, 1), ).setIndexNames((0, "CISCO-MOBILE-IP-MIB", "cmiHaRegMnIdType"), (0, "CISCO-MOBILE-IP-MIB", "cmiHaRegMnId")) if mibBuilder.loadTexts: cmiHaRegCounterEntry.setStatus('current') if mibBuilder.loadTexts: cmiHaRegCounterEntry.setDescription('Registration statistics for a single mobile node.') cmiHaRegMnIdType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 3, 1, 1), CmiEntityIdentifierType()) if mibBuilder.loadTexts: cmiHaRegMnIdType.setStatus('current') if mibBuilder.loadTexts: cmiHaRegMnIdType.setDescription("The type of the mobile node's identifier.") cmiHaRegMnId = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 3, 1, 2), CmiEntityIdentifier()) if mibBuilder.loadTexts: cmiHaRegMnId.setStatus('current') if mibBuilder.loadTexts: cmiHaRegMnId.setDescription('The identifier associated with the mobile node.') cmiHaRegServAcceptedRequests = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 3, 1, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegServAcceptedRequests.setReference('RFC-2002 - IP Mobility Support, section 3.4') if mibBuilder.loadTexts: cmiHaRegServAcceptedRequests.setStatus('current') if mibBuilder.loadTexts: cmiHaRegServAcceptedRequests.setDescription('Total number of service requests for the mobile node accepted by the home agent (Code 0 + Code 1).') cmiHaRegServDeniedRequests = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 3, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegServDeniedRequests.setReference('RFC-2002 - IP Mobility Support, section 3.4') if mibBuilder.loadTexts: cmiHaRegServDeniedRequests.setStatus('current') if mibBuilder.loadTexts: cmiHaRegServDeniedRequests.setDescription('Total number of service requests for the mobile node denied by the home agent (sum of all registrations denied with Code 128 through Code 159).') cmiHaRegOverallServTime = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 3, 1, 5), TimeInterval()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegOverallServTime.setStatus('current') if mibBuilder.loadTexts: cmiHaRegOverallServTime.setDescription('Overall service time that has accumulated for the mobile node since the home agent last rebooted.') cmiHaRegRecentServAcceptedTime = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 3, 1, 6), TimeStamp()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegRecentServAcceptedTime.setReference('RFC-2002 - IP Mobility Support, section 3') if mibBuilder.loadTexts: cmiHaRegRecentServAcceptedTime.setStatus('current') if mibBuilder.loadTexts: cmiHaRegRecentServAcceptedTime.setDescription('The time at which the most recent Registration Request was accepted by the home agent for this mobile node.') cmiHaRegRecentServDeniedTime = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 3, 1, 7), TimeStamp()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegRecentServDeniedTime.setReference('RFC-2002 - IP Mobility Support, section 3') if mibBuilder.loadTexts: cmiHaRegRecentServDeniedTime.setStatus('current') if mibBuilder.loadTexts: cmiHaRegRecentServDeniedTime.setDescription('The time at which the most recent Registration Request was denied by the home agent for this mobile node.') cmiHaRegRecentServDeniedCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 3, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(128, 129, 130, 131, 132, 133, 134, 135, 136, 137, 138, 139))).clone(namedValues=NamedValues(("reasonUnspecified", 128), ("admProhibited", 129), ("insufficientResource", 130), ("mnAuthenticationFailure", 131), ("faAuthenticationFailure", 132), ("idMismatch", 133), ("poorlyFormedRequest", 134), ("tooManyBindings", 135), ("unknownHA", 136), ("reverseTunnelUnavailable", 137), ("reverseTunnelBitNotSet", 138), ("encapsulationUnavailable", 139)))).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegRecentServDeniedCode.setReference('RFC-2002 - IP Mobility Support, section 3.4') if mibBuilder.loadTexts: cmiHaRegRecentServDeniedCode.setStatus('current') if mibBuilder.loadTexts: cmiHaRegRecentServDeniedCode.setDescription('The Code indicating the reason why the most recent Registration Request for this mobile node was rejected by the home agent.') cmiHaRegTotalProcLocRegs = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegTotalProcLocRegs.setReference('RFC-2002 - IP Mobility Support, section 3') if mibBuilder.loadTexts: cmiHaRegTotalProcLocRegs.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTotalProcLocRegs.setDescription('The total number of Registration Requests processed by the home agent. It includes only those Registration Requests which were authenticated locally by the home agent.') cmiHaRegMaxProcLocInMinRegs = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegMaxProcLocInMinRegs.setReference('RFC-2002 - IP Mobility Support, section 3') if mibBuilder.loadTexts: cmiHaRegMaxProcLocInMinRegs.setStatus('current') if mibBuilder.loadTexts: cmiHaRegMaxProcLocInMinRegs.setDescription('The maximum number of Registration Requests processed in a minute by the home agent. It includes only those Registration Requests which were authenticated locally by the home agent.') cmiHaRegDateMaxRegsProcLoc = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 6), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegDateMaxRegsProcLoc.setReference('RFC-2002 - IP Mobility Support, section 3') if mibBuilder.loadTexts: cmiHaRegDateMaxRegsProcLoc.setStatus('current') if mibBuilder.loadTexts: cmiHaRegDateMaxRegsProcLoc.setDescription('The time at which number of Registration Requests processed in a minute by the home agent were maximum. It includes only those Registration Requests which were authenticated locally by the home agent.') cmiHaRegProcLocInLastMinRegs = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 7), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegProcLocInLastMinRegs.setReference('RFC-2002 - IP Mobility Support, section 3') if mibBuilder.loadTexts: cmiHaRegProcLocInLastMinRegs.setStatus('current') if mibBuilder.loadTexts: cmiHaRegProcLocInLastMinRegs.setDescription('The number of Registration Requests processed in the last minute by the home agent. It includes only those Registration Requests which were authenticated locally by the home agent.') cmiHaRegTotalProcByAAARegs = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegTotalProcByAAARegs.setReference('RFC-2002 - IP Mobility Support, section 3') if mibBuilder.loadTexts: cmiHaRegTotalProcByAAARegs.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTotalProcByAAARegs.setDescription('The total number of Registration Requests processed by the home agent. It includes only those Registration Requests which were authenticated by the AAA server.') cmiHaRegMaxProcByAAAInMinRegs = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegMaxProcByAAAInMinRegs.setReference('RFC-2002 - IP Mobility Support, section 3') if mibBuilder.loadTexts: cmiHaRegMaxProcByAAAInMinRegs.setStatus('current') if mibBuilder.loadTexts: cmiHaRegMaxProcByAAAInMinRegs.setDescription('The maximum number of Registration Requests processed in a minute by the home agent. It includes only those Registration Requests which were authenticated by the AAA server.') cmiHaRegDateMaxRegsProcByAAA = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 10), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegDateMaxRegsProcByAAA.setReference('RFC-2002 - IP Mobility Support, section 3') if mibBuilder.loadTexts: cmiHaRegDateMaxRegsProcByAAA.setStatus('current') if mibBuilder.loadTexts: cmiHaRegDateMaxRegsProcByAAA.setDescription('The time at which number of Registration Requests processed in a minute by the home agent were maximum. It includes only those Registration Requests which were authenticated by the AAA server.') cmiHaRegProcAAAInLastByMinRegs = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 11), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegProcAAAInLastByMinRegs.setReference('RFC-2002 - IP Mobility Support, section 3') if mibBuilder.loadTexts: cmiHaRegProcAAAInLastByMinRegs.setStatus('current') if mibBuilder.loadTexts: cmiHaRegProcAAAInLastByMinRegs.setDescription('The number of Registration Requests processed in the last minute by the home agent. It includes only those Registration Requests which were authenticated by the AAA server.') cmiHaRegAvgTimeRegsProcByAAA = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 12), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setUnits('milli seconds').setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegAvgTimeRegsProcByAAA.setReference('RFC-2002 - IP Mobility Support, section 3') if mibBuilder.loadTexts: cmiHaRegAvgTimeRegsProcByAAA.setStatus('current') if mibBuilder.loadTexts: cmiHaRegAvgTimeRegsProcByAAA.setDescription('The average time taken by the home agent to process a Registration Request. It is calculated based on only those Registration Requests which were authenticated by the AAA server.') cmiHaRegMaxTimeRegsProcByAAA = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setUnits('milli seconds').setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegMaxTimeRegsProcByAAA.setReference('RFC-2002 - IP Mobility Support, section 3') if mibBuilder.loadTexts: cmiHaRegMaxTimeRegsProcByAAA.setStatus('current') if mibBuilder.loadTexts: cmiHaRegMaxTimeRegsProcByAAA.setDescription('The maximum time taken by the home agent to process a Registration Request. It considers only those Registration Requests which were authenticated by the AAA server.') cmiHaRegRequestsReceived = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 14), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegRequestsReceived.setStatus('current') if mibBuilder.loadTexts: cmiHaRegRequestsReceived.setDescription('Total number of Registration Requests received by the home agent. This include initial registration requests, re-registration requests and de-registration requests.') cmiHaRegRequestsDenied = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 15), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegRequestsDenied.setStatus('current') if mibBuilder.loadTexts: cmiHaRegRequestsDenied.setDescription("Total number of Registration Requests denied by the home agent. The reasons for which HA denies a request include: 1. Can't allocate IP address for MN. 2. Request parsing failed. 3. NAI length exceeds the packet length.") cmiHaRegRequestsDiscarded = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 16), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegRequestsDiscarded.setStatus('current') if mibBuilder.loadTexts: cmiHaRegRequestsDiscarded.setDescription('Total number of Registration Requests discarded by the home agent. The reasons for which HA discards a request include: 1. ip mobile home-agent service is not enabled. 2. HA-CHAP authentication failed. 3. MN Security Association retrieval failed.') cmiHaEncapUnavailable = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 17), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaEncapUnavailable.setStatus('current') if mibBuilder.loadTexts: cmiHaEncapUnavailable.setDescription('Total number of Registration Requests denied by the home agent due to an unsupported encapsulation.') cmiHaNAICheckFailures = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 18), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaNAICheckFailures.setStatus('current') if mibBuilder.loadTexts: cmiHaNAICheckFailures.setDescription('Total number of Registration Requests denied by the home agent due to an NAI check failures.') cmiHaInitRegRequestsReceived = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 19), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaInitRegRequestsReceived.setStatus('current') if mibBuilder.loadTexts: cmiHaInitRegRequestsReceived.setDescription('Total number of initial Registration Requests received by the home agent.') cmiHaInitRegRequestsAccepted = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 20), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaInitRegRequestsAccepted.setStatus('current') if mibBuilder.loadTexts: cmiHaInitRegRequestsAccepted.setDescription('Total number of initial Registration Requests accepted by the home agent.') cmiHaInitRegRequestsDenied = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 21), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaInitRegRequestsDenied.setStatus('current') if mibBuilder.loadTexts: cmiHaInitRegRequestsDenied.setDescription('Total number of initial Registration Requests denied by the home agent. Refer cmiHaRegRequestsReceived for the reasons for which HA denies a request.') cmiHaInitRegRequestsDiscarded = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 22), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaInitRegRequestsDiscarded.setStatus('current') if mibBuilder.loadTexts: cmiHaInitRegRequestsDiscarded.setDescription('Total number of initial Registration Requests discarded by the home agent. Refer cmiHaRegRequestsDiscarded for the reasons for which HA discards a request.') cmiHaReRegRequestsReceived = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 23), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaReRegRequestsReceived.setStatus('current') if mibBuilder.loadTexts: cmiHaReRegRequestsReceived.setDescription('Total number of Re-Registration Requests received by the home agent.') cmiHaReRegRequestsAccepted = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 24), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaReRegRequestsAccepted.setStatus('current') if mibBuilder.loadTexts: cmiHaReRegRequestsAccepted.setDescription('Total number of Re-Registration Requests accepted by the home agent.') cmiHaReRegRequestsDenied = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 25), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaReRegRequestsDenied.setStatus('current') if mibBuilder.loadTexts: cmiHaReRegRequestsDenied.setDescription('Total number of Re-Registration Requests denied by the home agent. Refer cmiHaRegRequestsReceived for the reasons for which HA denies a request.') cmiHaReRegRequestsDiscarded = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 26), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaReRegRequestsDiscarded.setStatus('current') if mibBuilder.loadTexts: cmiHaReRegRequestsDiscarded.setDescription('Total number of Re-Registration Requests discarded by the home agent. Refer cmiHaRegRequestsDiscarded for the reasons for which HA discards a request.') cmiHaDeRegRequestsReceived = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 27), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaDeRegRequestsReceived.setStatus('current') if mibBuilder.loadTexts: cmiHaDeRegRequestsReceived.setDescription('Total number of De-Registration Requests received by the home agent.') cmiHaDeRegRequestsAccepted = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 28), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaDeRegRequestsAccepted.setStatus('current') if mibBuilder.loadTexts: cmiHaDeRegRequestsAccepted.setDescription('Total number of De-Registration Requests accepted by the home agent.') cmiHaDeRegRequestsDenied = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 29), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaDeRegRequestsDenied.setStatus('current') if mibBuilder.loadTexts: cmiHaDeRegRequestsDenied.setDescription('Total number of De-Registration Requests denied by the home agent. Refer cmiHaRegRequestsReceived for the reasons for which HA denies a request.') cmiHaDeRegRequestsDiscarded = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 30), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaDeRegRequestsDiscarded.setStatus('current') if mibBuilder.loadTexts: cmiHaDeRegRequestsDiscarded.setDescription('Total number of De-Registration Requests discarded by the home agent. Refer cmiHaRegRequestsDiscarded for the reasons for which HA discards a request.') cmiHaReverseTunnelUnavailable = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 31), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaReverseTunnelUnavailable.setReference('RFC3024 - Reverse Tunneling for Mobile IP') if mibBuilder.loadTexts: cmiHaReverseTunnelUnavailable.setStatus('current') if mibBuilder.loadTexts: cmiHaReverseTunnelUnavailable.setDescription('Total number of Registration Requests denied by the home agent -- requested reverse tunnel unavailable (Code 137).') cmiHaReverseTunnelBitNotSet = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 32), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaReverseTunnelBitNotSet.setReference('RFC3024 - Reverse Tunneling for Mobile IP') if mibBuilder.loadTexts: cmiHaReverseTunnelBitNotSet.setStatus('current') if mibBuilder.loadTexts: cmiHaReverseTunnelBitNotSet.setDescription("Total number of Registration Requests denied by the home agent -- reverse tunnel is mandatory and 'T' bit not set (Code 138).") cmiHaEncapsulationUnavailable = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 33), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaEncapsulationUnavailable.setReference('RFC3024 - Reverse Tunneling for Mobile IP') if mibBuilder.loadTexts: cmiHaEncapsulationUnavailable.setStatus('current') if mibBuilder.loadTexts: cmiHaEncapsulationUnavailable.setDescription('Total number of Registration Requests denied by the home agent -- requested encapsulation unavailable (Code 72).') cmiHaCvsesFromMnRejected = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 34), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaCvsesFromMnRejected.setReference('RFC3025 - Mobile IP Vendor/Organization-Specific Extensions') if mibBuilder.loadTexts: cmiHaCvsesFromMnRejected.setStatus('current') if mibBuilder.loadTexts: cmiHaCvsesFromMnRejected.setDescription('Total number of Registration Requests denied by the home agent -- Unsupported Vendor-ID or unable to interpret Vendor-CVSE-Type in the CVSE sent by the mobile node to the home agent (code 140).') cmiHaCvsesFromFaRejected = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 35), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaCvsesFromFaRejected.setReference('RFC3025 - Mobile IP Vendor/Organization-Specific Extensions') if mibBuilder.loadTexts: cmiHaCvsesFromFaRejected.setStatus('current') if mibBuilder.loadTexts: cmiHaCvsesFromFaRejected.setDescription('Total number of Registration Requests denied by the home agent -- Unsupported Vendor-ID or unable to interpret Vendor-CVSE-Type in the CVSE sent by the foreign agent to the home agent (code 141).') cmiHaNvsesFromMnNeglected = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 36), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaNvsesFromMnNeglected.setReference('RFC3025 - Mobile IP Vendor/Organization-Specific Extensions') if mibBuilder.loadTexts: cmiHaNvsesFromMnNeglected.setStatus('current') if mibBuilder.loadTexts: cmiHaNvsesFromMnNeglected.setDescription('Total number of Registration Requests, which has an NVSE extension with - unsupported Vendor-ID or unable to interpret Vendor-NVSE-Type in the NVSE sent by the mobile node to the home agent.') cmiHaNvsesFromFaNeglected = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 37), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaNvsesFromFaNeglected.setReference('RFC3025 - Mobile IP Vendor/Organization-Specific Extensions') if mibBuilder.loadTexts: cmiHaNvsesFromFaNeglected.setStatus('current') if mibBuilder.loadTexts: cmiHaNvsesFromFaNeglected.setDescription('Total number of Registration Requests, which has an NVSE extension with - unsupported Vendor-ID or unable to interpret Vendor-NVSE-Type in the NVSE sent by the foreign agent to the home agent.') cmiHaMnHaAuthFailures = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 38), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaMnHaAuthFailures.setStatus('current') if mibBuilder.loadTexts: cmiHaMnHaAuthFailures.setDescription('Total number of Registration Requests denied due to MN and home agent auth extension failures.') cmiHaMnAAAAuthFailures = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 39), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaMnAAAAuthFailures.setStatus('current') if mibBuilder.loadTexts: cmiHaMnAAAAuthFailures.setDescription('Total number of Registration Requests denied due to MN-AAA auth extension failures.') cmiHaMaximumBindings = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 40), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 500000)).clone(235000)).setMaxAccess("readwrite") if mibBuilder.loadTexts: cmiHaMaximumBindings.setStatus('current') if mibBuilder.loadTexts: cmiHaMaximumBindings.setDescription('This object represents the maximum number of registrations allowed by the home agent.') cmiHaRegIntervalSize = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 41), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(15, 300)).clone(30)).setUnits('minutes').setMaxAccess("readwrite") if mibBuilder.loadTexts: cmiHaRegIntervalSize.setStatus('current') if mibBuilder.loadTexts: cmiHaRegIntervalSize.setDescription('This object represents the interval for which cmiHaRegIntervalMaxActiveBindings, cmiHaRegInterval3gpp2MaxActiveBindings, cmiHaRegIntervalWimaxMaxActiveBindings are calculated.') cmiHaRegIntervalMaxActiveBindings = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 42), Gauge32()).setUnits('MIP call per interval').setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegIntervalMaxActiveBindings.setStatus('current') if mibBuilder.loadTexts: cmiHaRegIntervalMaxActiveBindings.setDescription('This object represents the maximum number of active bindings present at any time during the elapsed time interval configured through cmiHaRegIntervalSize. When the time interval is modified through cmiHaRegIntervalSize, a value of zero will be populated till one complete new interval is elapsed.') cmiHaRegInterval3gpp2MaxActiveBindings = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 43), Gauge32()).setUnits('MIP call per interval').setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegInterval3gpp2MaxActiveBindings.setStatus('current') if mibBuilder.loadTexts: cmiHaRegInterval3gpp2MaxActiveBindings.setDescription('This object represents the maximum number of active 3GPP2 bindings present at any time during the elapsed time interval configured through cmiHaRegIntervalSize. When the time interval is modified through cmiHaRegIntervalSize, a value of zero will be populated till one complete new interval is elapsed.') cmiHaRegIntervalWimaxMaxActiveBindings = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 44), Gauge32()).setUnits('MIP call per interval').setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegIntervalWimaxMaxActiveBindings.setStatus('current') if mibBuilder.loadTexts: cmiHaRegIntervalWimaxMaxActiveBindings.setDescription('This object represents the maximum number of active WIMAX bindings present at any time during the elapsed time interval configured through cmiHaRegIntervalSize. When the time interval is modified through cmiHaRegIntervalSize, a value of zero will be populated till one complete new interval is elapsed.') cmiHaRegTunnelStatsTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 45), ) if mibBuilder.loadTexts: cmiHaRegTunnelStatsTable.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTunnelStatsTable.setDescription('This table provides the statistics about the active tunnels between HA and CoA. A row is added to this table when a new tunnel is created between HA and CoA. A row is deleted in this table when an existing tunnel between HA and CoA is deleted.') cmiHaRegTunnelStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 45, 1), ).setIndexNames((0, "CISCO-MOBILE-IP-MIB", "cmiHaRegTunnelStatsSrcAddrType"), (0, "CISCO-MOBILE-IP-MIB", "cmiHaRegTunnelStatsSrcAddr"), (0, "CISCO-MOBILE-IP-MIB", "cmiHaRegTunnelStatsDestAddrType"), (0, "CISCO-MOBILE-IP-MIB", "cmiHaRegTunnelStatsDestAddr")) if mibBuilder.loadTexts: cmiHaRegTunnelStatsEntry.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTunnelStatsEntry.setDescription('Each entry represents a conceptual row in cmiHaRegTunnelStatsTable and corresponds to the statistics for a single active tunnel between HA and CoA.') cmiHaRegTunnelStatsSrcAddrType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 45, 1, 1), InetAddressType()) if mibBuilder.loadTexts: cmiHaRegTunnelStatsSrcAddrType.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTunnelStatsSrcAddrType.setDescription('This object represents the type of the address stored in cmiHaRegTunnelStatsSrcAddr.') cmiHaRegTunnelStatsSrcAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 45, 1, 2), InetAddress()) if mibBuilder.loadTexts: cmiHaRegTunnelStatsSrcAddr.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTunnelStatsSrcAddr.setDescription('This object represents the source address of the tunnel.') cmiHaRegTunnelStatsDestAddrType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 45, 1, 3), InetAddressType()) if mibBuilder.loadTexts: cmiHaRegTunnelStatsDestAddrType.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTunnelStatsDestAddrType.setDescription('This object represents the type of the address stored in cmiHaRegTunnelStatsDestAddr.') cmiHaRegTunnelStatsDestAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 45, 1, 4), InetAddress()) if mibBuilder.loadTexts: cmiHaRegTunnelStatsDestAddr.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTunnelStatsDestAddr.setDescription('This object represents the destination address of the tunnel.') cmiHaRegTunnelStatsTunnelType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 45, 1, 5), CmiTunnelType()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegTunnelStatsTunnelType.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTunnelStatsTunnelType.setDescription('This object represents the tunneling protocol in use between the HA and CoA.') cmiHaRegTunnelStatsNumUsers = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 45, 1, 6), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegTunnelStatsNumUsers.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTunnelStatsNumUsers.setDescription('This object represents the number of users on the tunnel.') cmiHaRegTunnelStatsDataRateInt = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 45, 1, 7), Unsigned32()).setUnits('seconds').setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegTunnelStatsDataRateInt.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTunnelStatsDataRateInt.setDescription('This object represents the interval for which cmiHaRegTunnelStatsInBitRate, cmiHaRegTunnelStatsInPktRate, cmiHaRegTunnelStatsOutBitRate and cmiHaRegTunnelStatsOutPktRate are calculated.') cmiHaRegTunnelStatsInBitRate = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 45, 1, 8), CounterBasedGauge64()).setUnits('bits per second').setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegTunnelStatsInBitRate.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTunnelStatsInBitRate.setDescription('This object represents the number of bits received at the tunnel per second in the interval represented by cmiHaRegTunnelStatsDataRateInt.') cmiHaRegTunnelStatsInPktRate = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 45, 1, 9), CounterBasedGauge64()).setUnits('packets per second').setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegTunnelStatsInPktRate.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTunnelStatsInPktRate.setDescription('This object represents the number of packets received at the tunnel per second in the interval represented by cmiHaRegTunnelStatsDataRateInt.') cmiHaRegTunnelStatsInBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 45, 1, 10), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegTunnelStatsInBytes.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTunnelStatsInBytes.setDescription('This object represents the total number of bytes received at the tunnel.') cmiHaRegTunnelStatsInPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 45, 1, 11), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegTunnelStatsInPkts.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTunnelStatsInPkts.setDescription('This object represents the total number of packets received at the tunnel.') cmiHaRegTunnelStatsOutBitRate = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 45, 1, 12), CounterBasedGauge64()).setUnits('bits per second').setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegTunnelStatsOutBitRate.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTunnelStatsOutBitRate.setDescription('This object represents the number of bits transmitted from the tunnel per second in the interval represented by cmiHaRegTunnelStatsDataRateInt.') cmiHaRegTunnelStatsOutPktRate = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 45, 1, 13), CounterBasedGauge64()).setUnits('packets per second').setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegTunnelStatsOutPktRate.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTunnelStatsOutPktRate.setDescription('This object represents the number of packets transmitted from the tunnel per second in the interval represented by cmiHaRegTunnelStatsDataRateInt.') cmiHaRegTunnelStatsOutBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 45, 1, 14), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegTunnelStatsOutBytes.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTunnelStatsOutBytes.setDescription('This object represents the total number of bytes transmitted from the tunnel.') cmiHaRegTunnelStatsOutPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 45, 1, 15), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRegTunnelStatsOutPkts.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTunnelStatsOutPkts.setDescription('This object represents the total number of packets transmitted from the tunnel.') cmiHaRedunSentBUs = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 1), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRedunSentBUs.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunSentBUs.setDescription('Total number of binding updates sent by the home agent.') cmiHaRedunFailedBUs = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 2), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRedunFailedBUs.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunFailedBUs.setDescription('Total number of binding updates sent by the home agent for which no acknowledgement is received from the standby home agent.') cmiHaRedunReceivedBUAcks = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRedunReceivedBUAcks.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunReceivedBUAcks.setDescription('Total number of acknowledgements received in response to binding updates sent by the home agent.') cmiHaRedunTotalSentBUs = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRedunTotalSentBUs.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunTotalSentBUs.setDescription('Total number of binding updates sent by the home agent including retransmissions of same binding update.') cmiHaRedunReceivedBUs = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRedunReceivedBUs.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunReceivedBUs.setDescription('Total number of binding updates received by the home agent.') cmiHaRedunSentBUAcks = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 6), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRedunSentBUAcks.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunSentBUAcks.setDescription('Total number of acknowledgements sent in response to binding updates received by the home agent.') cmiHaRedunSentBIReqs = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 7), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRedunSentBIReqs.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunSentBIReqs.setDescription('Total number of binding information requests sent by the home agent.') cmiHaRedunFailedBIReqs = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRedunFailedBIReqs.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunFailedBIReqs.setDescription('Total number of binding information requests sent by the home agent for which no reply is received from the active home agent.') cmiHaRedunTotalSentBIReqs = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRedunTotalSentBIReqs.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunTotalSentBIReqs.setDescription('Total number of binding information requests sent by the home agent including retransmissions of the same request.') cmiHaRedunReceivedBIReps = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRedunReceivedBIReps.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunReceivedBIReps.setDescription('Total number of binding information replies received by the home agent.') cmiHaRedunDroppedBIReps = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 11), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRedunDroppedBIReps.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunDroppedBIReps.setDescription('Total number of binding information replies dropped since there is no corresponding binding information request sent by the home agent.') cmiHaRedunSentBIAcks = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 12), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRedunSentBIAcks.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunSentBIAcks.setDescription('Total number of acknowledgements sent in response to binding information replies received by the home agent.') cmiHaRedunReceivedBIReqs = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 13), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRedunReceivedBIReqs.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunReceivedBIReqs.setDescription('Total number of binding information requests received by the home agent.') cmiHaRedunSentBIReps = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 14), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRedunSentBIReps.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunSentBIReps.setDescription('Total number of binding information replies sent by the home agent.') cmiHaRedunFailedBIReps = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 15), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRedunFailedBIReps.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunFailedBIReps.setDescription('Total number of binding information replies sent by by the home agent for which no acknowledgement is received from the standby home agent.') cmiHaRedunTotalSentBIReps = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 16), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRedunTotalSentBIReps.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunTotalSentBIReps.setDescription('Total number of binding information replies sent by the home agent including retransmissions of the same reply.') cmiHaRedunReceivedBIAcks = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 17), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRedunReceivedBIAcks.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunReceivedBIAcks.setDescription('Total number of acknowledgements received in response to binding information replies sent by the home agent.') cmiHaRedunDroppedBIAcks = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 18), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRedunDroppedBIAcks.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunDroppedBIAcks.setDescription('Total number of acknowledgements dropped by the home agent since there are no corresponding binding information replies sent by it.') cmiHaRedunSecViolations = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 19), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaRedunSecViolations.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunSecViolations.setDescription('Total number of security violations in the home agent caused by processing of the packets received from the peer home agent. Security violations can occur due to the following reasons. - the authenticator value in the packet is invalid. - value stored in the identification field of the packet is invalid.') cmiHaMrTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 3, 1), ) if mibBuilder.loadTexts: cmiHaMrTable.setStatus('current') if mibBuilder.loadTexts: cmiHaMrTable.setDescription('A table containing details about all mobile routers associated with the Home Agent.') cmiHaMrEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 3, 1, 1), ).setIndexNames((0, "CISCO-MOBILE-IP-MIB", "cmiHaMrAddrType"), (0, "CISCO-MOBILE-IP-MIB", "cmiHaMrAddr")) if mibBuilder.loadTexts: cmiHaMrEntry.setStatus('current') if mibBuilder.loadTexts: cmiHaMrEntry.setDescription('Information related to a single mobile router associated with the Home Agent.') cmiHaMrAddrType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 3, 1, 1, 1), InetAddressType()) if mibBuilder.loadTexts: cmiHaMrAddrType.setStatus('current') if mibBuilder.loadTexts: cmiHaMrAddrType.setDescription('Represents the type of IP address stored in cmiHaMrAddr. Only IPv4 address type is supported.') cmiHaMrAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 3, 1, 1, 2), InetAddress().subtype(subtypeSpec=ConstraintsUnion(ValueSizeConstraint(4, 4), ValueSizeConstraint(16, 16), ))) if mibBuilder.loadTexts: cmiHaMrAddr.setStatus('current') if mibBuilder.loadTexts: cmiHaMrAddr.setDescription('IP address of a mobile router providing mobility to one or more networks. Only IPv4 addresses are supported.') cmiHaMrDynamic = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 3, 1, 1, 3), TruthValue().clone('false')).setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiHaMrDynamic.setStatus('current') if mibBuilder.loadTexts: cmiHaMrDynamic.setDescription('Specifies whether the mobile router is capable of registering networks dynamically or not.') cmiHaMrStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 3, 1, 1, 4), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiHaMrStatus.setStatus('current') if mibBuilder.loadTexts: cmiHaMrStatus.setDescription('The row status for the MR entry.') cmiHaMrMultiPath = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 3, 1, 1, 5), TruthValue().clone('false')).setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiHaMrMultiPath.setStatus('current') if mibBuilder.loadTexts: cmiHaMrMultiPath.setDescription('Specifies whether multiple path is enabled on this mobile router or not.') cmiHaMrMultiPathMetricType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 3, 1, 1, 6), CmiMultiPathMetricType().clone('bandwidth')).setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiHaMrMultiPathMetricType.setStatus('current') if mibBuilder.loadTexts: cmiHaMrMultiPathMetricType.setDescription('Specifies the metric to use when multiple path is enabled.') cmiHaMobNetTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 3, 2), ) if mibBuilder.loadTexts: cmiHaMobNetTable.setStatus('current') if mibBuilder.loadTexts: cmiHaMobNetTable.setDescription('A table containing information about all the mobile networks associated with a Home Agent.') cmiHaMobNetEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 3, 2, 1), ).setIndexNames((0, "CISCO-MOBILE-IP-MIB", "cmiHaMrAddrType"), (0, "CISCO-MOBILE-IP-MIB", "cmiHaMrAddr"), (0, "CISCO-MOBILE-IP-MIB", "cmiHaMobNetAddressType"), (0, "CISCO-MOBILE-IP-MIB", "cmiHaMobNetAddress"), (0, "CISCO-MOBILE-IP-MIB", "cmiHaMobNetPfxLen")) if mibBuilder.loadTexts: cmiHaMobNetEntry.setStatus('current') if mibBuilder.loadTexts: cmiHaMobNetEntry.setDescription('Information of a single mobile network associated with a Home Agent.') cmiHaMobNetAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 3, 2, 1, 1), InetAddressType()) if mibBuilder.loadTexts: cmiHaMobNetAddressType.setStatus('current') if mibBuilder.loadTexts: cmiHaMobNetAddressType.setDescription('Represents the type of IP address stored in cmiHaMobNetAddress. Only IPv4 address type is supported.') cmiHaMobNetAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 3, 2, 1, 2), InetAddress().subtype(subtypeSpec=ConstraintsUnion(ValueSizeConstraint(4, 4), ValueSizeConstraint(16, 16), ))) if mibBuilder.loadTexts: cmiHaMobNetAddress.setStatus('current') if mibBuilder.loadTexts: cmiHaMobNetAddress.setDescription('IP address of the mobile network. Only IPv4 addresses are supported.') cmiHaMobNetPfxLen = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 3, 2, 1, 3), InetAddressPrefixLength()) if mibBuilder.loadTexts: cmiHaMobNetPfxLen.setStatus('current') if mibBuilder.loadTexts: cmiHaMobNetPfxLen.setDescription('Prefix length associated with the mobile network ip address.') cmiHaMobNetDynamic = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 3, 2, 1, 4), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaMobNetDynamic.setStatus('current') if mibBuilder.loadTexts: cmiHaMobNetDynamic.setDescription('Indicates whether the mobile network has been registered dynamically or not.') cmiHaMobNetStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 3, 2, 1, 5), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiHaMobNetStatus.setStatus('current') if mibBuilder.loadTexts: cmiHaMobNetStatus.setDescription('The row status for the mobile network entry.') cmiSecAssocsCount = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 1), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiSecAssocsCount.setStatus('current') if mibBuilder.loadTexts: cmiSecAssocsCount.setDescription('Total number of mobility security associations known to the entity i.e. the number of entries in the cmiSecAssocTable.') cmiSecAssocTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 2), ) if mibBuilder.loadTexts: cmiSecAssocTable.setStatus('current') if mibBuilder.loadTexts: cmiSecAssocTable.setDescription('A table containing Mobility Security Associations. This table provides the same information as mipSecAssocTable of MIP MIB. The differences are: - indices of the table are changed so that mobile nodes which are not identified by the IP address will also be included in the table. - rowStatus object is added to the table.') cmiSecAssocEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 2, 1), ).setIndexNames((0, "CISCO-MOBILE-IP-MIB", "cmiSecPeerIdentifierType"), (0, "CISCO-MOBILE-IP-MIB", "cmiSecPeerIdentifier"), (0, "CISCO-MOBILE-IP-MIB", "cmiSecSPI")) if mibBuilder.loadTexts: cmiSecAssocEntry.setStatus('current') if mibBuilder.loadTexts: cmiSecAssocEntry.setDescription('One particular Mobility Security Association.') cmiSecPeerIdentifierType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 2, 1, 1), CmiEntityIdentifierType()) if mibBuilder.loadTexts: cmiSecPeerIdentifierType.setStatus('current') if mibBuilder.loadTexts: cmiSecPeerIdentifierType.setDescription("The type of the peer entity's identifier.") cmiSecPeerIdentifier = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 2, 1, 2), CmiEntityIdentifier()) if mibBuilder.loadTexts: cmiSecPeerIdentifier.setStatus('current') if mibBuilder.loadTexts: cmiSecPeerIdentifier.setDescription('The identifier of the peer entity with which this node shares the mobility security association.') cmiSecSPI = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 2, 1, 3), CmiSpi()) if mibBuilder.loadTexts: cmiSecSPI.setStatus('current') if mibBuilder.loadTexts: cmiSecSPI.setDescription('The SPI is the 4-byte index within the Mobility Security Association which selects the specific security parameters to be used to authenticate the peer, i.e. the rest of the variables in this cmiSecAssocEntry.') cmiSecAlgorithmType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("other", 1), ("md5", 2), ("hmacMD5", 3))).clone('md5')).setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiSecAlgorithmType.setReference('RFC-2002 - IP Mobility Support, section 3.5.1') if mibBuilder.loadTexts: cmiSecAlgorithmType.setStatus('current') if mibBuilder.loadTexts: cmiSecAlgorithmType.setDescription('Type of authentication algorithm. other(1) Any other authentication algorithm not specified here. md5(2) MD5 message-digest algorithm. hmacMD5(3) HMAC MD5 message-digest algorithm.') cmiSecAlgorithmMode = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 2, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("other", 1), ("prefixSuffix", 2))).clone('prefixSuffix')).setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiSecAlgorithmMode.setReference('RFC-2002 - IP Mobility Support, section 3.5.1') if mibBuilder.loadTexts: cmiSecAlgorithmMode.setStatus('current') if mibBuilder.loadTexts: cmiSecAlgorithmMode.setDescription('Security mode used by this algorithm. other(1) Any other mode not specified here. prefixSuffix(2) In this mode, data over which authenticator value needs to be calculated is preceded and followed by the 128 bit shared secret key.') cmiSecKey = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 2, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(16, 16)).setFixedLength(16)).setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiSecKey.setStatus('deprecated') if mibBuilder.loadTexts: cmiSecKey.setDescription('The shared secret key for the security associations. Reading this object will always return zero length value.') cmiSecReplayMethod = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 2, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("other", 1), ("timestamps", 2), ("nonces", 3))).clone('timestamps')).setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiSecReplayMethod.setReference('RFC-2002 - IP Mobility Support, section 5.6') if mibBuilder.loadTexts: cmiSecReplayMethod.setStatus('current') if mibBuilder.loadTexts: cmiSecReplayMethod.setDescription('The replay-protection method supported for this SPI within this Mobility Security Association. other(1) Any other replay protection method not specified here. timestamps(2) Timestamp based replay protection method. nonces(3) Nonce based replay protection method.') cmiSecStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 2, 1, 8), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiSecStatus.setStatus('current') if mibBuilder.loadTexts: cmiSecStatus.setDescription('The row status for this table.') cmiSecKey2 = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 2, 1, 9), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 16))).setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiSecKey2.setStatus('current') if mibBuilder.loadTexts: cmiSecKey2.setDescription('The shared secret key for the security associations. Reading this object will always return zero length value. If the value is given in hex, it should be 16 bytes in length. If it is in ascii, it can vary from 1 to 16 characters.') cmiHaSystemVersion = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 4, 1), SnmpAdminString()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiHaSystemVersion.setStatus('current') if mibBuilder.loadTexts: cmiHaSystemVersion.setDescription('MobileIP HA Release Version') cmiSecViolationTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 3), ) if mibBuilder.loadTexts: cmiSecViolationTable.setReference('RFC-2002 - IP Mobility Support, sections 3.6.2.1, 3.7.2.1 and 3.8.2.1') if mibBuilder.loadTexts: cmiSecViolationTable.setStatus('current') if mibBuilder.loadTexts: cmiSecViolationTable.setDescription('A table containing information about security violations. This table provides the same information as mipSecViolationTable of MIP MIB. The only difference is that indices of the table are changed so that mobile nodes which are not identified by the IP address will also be included in the table.') cmiSecViolationEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 3, 1), ).setIndexNames((0, "CISCO-MOBILE-IP-MIB", "cmiSecViolatorIdentifierType"), (0, "CISCO-MOBILE-IP-MIB", "cmiSecViolatorIdentifier")) if mibBuilder.loadTexts: cmiSecViolationEntry.setStatus('current') if mibBuilder.loadTexts: cmiSecViolationEntry.setDescription('Information about one particular security violation.') cmiSecViolatorIdentifierType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 3, 1, 1), CmiEntityIdentifierType()) if mibBuilder.loadTexts: cmiSecViolatorIdentifierType.setStatus('current') if mibBuilder.loadTexts: cmiSecViolatorIdentifierType.setDescription("The type of Violator's identifier.") cmiSecViolatorIdentifier = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 3, 1, 2), CmiEntityIdentifier()) if mibBuilder.loadTexts: cmiSecViolatorIdentifier.setStatus('current') if mibBuilder.loadTexts: cmiSecViolatorIdentifier.setDescription("Violator's identifier. The violator is not necessary in the cmiSecAssocTable.") cmiSecTotalViolations = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 3, 1, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiSecTotalViolations.setStatus('current') if mibBuilder.loadTexts: cmiSecTotalViolations.setDescription('Total number of security violations for this peer.') cmiSecRecentViolationSPI = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 3, 1, 4), CmiSpi()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiSecRecentViolationSPI.setStatus('current') if mibBuilder.loadTexts: cmiSecRecentViolationSPI.setDescription('SPI of the most recent security violation for this peer. If the security violation is due to an identification mismatch, then this is the SPI from the Mobile-Home Authentication Extension. If the security violation is due to an invalid authenticator, then this is the SPI from the offending authentication extension. In all other cases, it should be set to zero.') cmiSecRecentViolationTime = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 3, 1, 5), TimeStamp()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiSecRecentViolationTime.setStatus('current') if mibBuilder.loadTexts: cmiSecRecentViolationTime.setDescription('Time of the most recent security violation for this peer.') cmiSecRecentViolationIDLow = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 3, 1, 6), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiSecRecentViolationIDLow.setStatus('current') if mibBuilder.loadTexts: cmiSecRecentViolationIDLow.setDescription('Low-order 32 bits of identification used in request or reply of the most recent security violation for this peer.') cmiSecRecentViolationIDHigh = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 3, 1, 7), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiSecRecentViolationIDHigh.setStatus('current') if mibBuilder.loadTexts: cmiSecRecentViolationIDHigh.setDescription('High-order 32 bits of identification used in request or reply of the most recent security violation for this peer.') cmiSecRecentViolationReason = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 3, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("noMobilitySecurityAssociation", 1), ("badAuthenticator", 2), ("badIdentifier", 3), ("badSPI", 4), ("missingSecurityExtension", 5), ("other", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiSecRecentViolationReason.setReference('RFC-2002 - IP Mobility Support') if mibBuilder.loadTexts: cmiSecRecentViolationReason.setStatus('current') if mibBuilder.loadTexts: cmiSecRecentViolationReason.setDescription('Reason for the most recent security violation for this peer.') cmiMaRegMaxInMinuteRegs = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 1, 1), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMaRegMaxInMinuteRegs.setStatus('current') if mibBuilder.loadTexts: cmiMaRegMaxInMinuteRegs.setDescription('The maximum number of Registration Requests received in a minute by the mobility agent.') cmiMaRegDateMaxRegsReceived = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 1, 2), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMaRegDateMaxRegsReceived.setStatus('current') if mibBuilder.loadTexts: cmiMaRegDateMaxRegsReceived.setDescription('The time at which number of Registration Requests received in a minute by the mobility agent were maximum.') cmiMaRegInLastMinuteRegs = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 1, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMaRegInLastMinuteRegs.setStatus('current') if mibBuilder.loadTexts: cmiMaRegInLastMinuteRegs.setDescription('The number of Registration Requests received in the last minute by the mobility agent.') cmiMnAdvFlags = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 1, 1, 1), Bits().clone(namedValues=NamedValues(("gre", 0), ("minEnc", 1), ("foreignAgent", 2), ("homeAgent", 3), ("busy", 4), ("regRequired", 5), ("reverseTunnel", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMnAdvFlags.setStatus('current') if mibBuilder.loadTexts: cmiMnAdvFlags.setDescription('The flags are contained in the 7th byte in the extension of the most recently received mobility agent advertisement: gre -- Agent offers Generic Routing Encapsulation minEnc, -- Agent offers Minimal Encapsulation foreignAgent, -- Agent is a Foreign Agent homeAgent, -- Agent is a Home Agent busy, -- Foreign Agent is busy regRequired, -- FA registration is required reverseTunnel, -- Agent supports reverse tunneling.') cmiMnRegistrationTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 2, 1), ) if mibBuilder.loadTexts: cmiMnRegistrationTable.setStatus('current') if mibBuilder.loadTexts: cmiMnRegistrationTable.setDescription("A table containing information about the mobile node's attempted registration(s). The mobile node updates this table based upon Registration Requests sent and Registration Replies received in response to these requests. Certain variables within this table are also updated when Registration Requests are retransmitted.") cmiMnRegistrationEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 2, 1, 1), ) mnRegistrationEntry.registerAugmentions(("CISCO-MOBILE-IP-MIB", "cmiMnRegistrationEntry")) cmiMnRegistrationEntry.setIndexNames(*mnRegistrationEntry.getIndexNames()) if mibBuilder.loadTexts: cmiMnRegistrationEntry.setStatus('current') if mibBuilder.loadTexts: cmiMnRegistrationEntry.setDescription('Information about one registration attempt.') cmiMnRegFlags = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 2, 1, 1, 1), CmiRegistrationFlags()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMnRegFlags.setStatus('current') if mibBuilder.loadTexts: cmiMnRegFlags.setDescription('Registration flags sent by the mobile node. It is the second byte in the Mobile IP Registration Request message.') cmiMrReverseTunnel = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 1), TruthValue().clone('true')).setMaxAccess("readwrite") if mibBuilder.loadTexts: cmiMrReverseTunnel.setStatus('current') if mibBuilder.loadTexts: cmiMrReverseTunnel.setDescription('Specifies whether reverse tunneling is enabled on the mobile router or not.') cmiMrRedundancyGroup = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 2), SnmpAdminString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: cmiMrRedundancyGroup.setStatus('current') if mibBuilder.loadTexts: cmiMrRedundancyGroup.setDescription('Name of the redundancy group used to provide network availability for the mobile router.') cmiMrMobNetTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 3), ) if mibBuilder.loadTexts: cmiMrMobNetTable.setStatus('current') if mibBuilder.loadTexts: cmiMrMobNetTable.setDescription('A table containing information about all the networks for which mobility is provided by the mobile router.') cmiMrMobNetEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 3, 1), ).setIndexNames((0, "CISCO-MOBILE-IP-MIB", "cmiMrMobNetIfIndex")) if mibBuilder.loadTexts: cmiMrMobNetEntry.setStatus('current') if mibBuilder.loadTexts: cmiMrMobNetEntry.setDescription('Details of a single mobile network on mobile router.') cmiMrMobNetIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 3, 1, 1), InterfaceIndex()) if mibBuilder.loadTexts: cmiMrMobNetIfIndex.setStatus('current') if mibBuilder.loadTexts: cmiMrMobNetIfIndex.setDescription('The ifIndex value from Interfaces table of MIB II for the interface on the mobile router connected to the mobile network.') cmiMrMobNetAddrType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 3, 1, 2), InetAddressType()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrMobNetAddrType.setStatus('current') if mibBuilder.loadTexts: cmiMrMobNetAddrType.setDescription('Represents the type of IP address stored in cmiMrMobNetAddr.') cmiMrMobNetAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 3, 1, 3), InetAddress().subtype(subtypeSpec=ConstraintsUnion(ValueSizeConstraint(4, 4), ValueSizeConstraint(16, 16), ))).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrMobNetAddr.setStatus('current') if mibBuilder.loadTexts: cmiMrMobNetAddr.setDescription('IP address of the mobile network.') cmiMrMobNetPfxLen = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 3, 1, 4), InetAddressPrefixLength()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrMobNetPfxLen.setStatus('current') if mibBuilder.loadTexts: cmiMrMobNetPfxLen.setDescription('Prefix length associated with the mobile network ip address.') cmiMrMobNetStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 3, 1, 5), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiMrMobNetStatus.setStatus('current') if mibBuilder.loadTexts: cmiMrMobNetStatus.setDescription('The row status for the mobile network entry.') cmiMrHaTunnelIfIndex = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 4), InterfaceIndexOrZero()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrHaTunnelIfIndex.setStatus('current') if mibBuilder.loadTexts: cmiMrHaTunnelIfIndex.setDescription('The ifIndex value from Interfaces table of MIB II for the tunnel interface (to HA) of the mobile router.') cmiMrHATable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 5), ) if mibBuilder.loadTexts: cmiMrHATable.setStatus('current') if mibBuilder.loadTexts: cmiMrHATable.setDescription('A table containing additional parameters related to a home agent beyond that provided by MIP MIB mnHATable.') cmiMrHAEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 5, 1), ) mnHAEntry.registerAugmentions(("CISCO-MOBILE-IP-MIB", "cmiMrHAEntry")) cmiMrHAEntry.setIndexNames(*mnHAEntry.getIndexNames()) if mibBuilder.loadTexts: cmiMrHAEntry.setStatus('current') if mibBuilder.loadTexts: cmiMrHAEntry.setDescription('Additional information about a particular entry in the mnHATable beyond that provided by MIP MIB mnHAEntry.') cmiMrHAPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 5, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 255)).clone(100)).setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiMrHAPriority.setStatus('current') if mibBuilder.loadTexts: cmiMrHAPriority.setDescription('The priority for this home agent.') cmiMrHABest = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 5, 1, 2), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrHABest.setStatus('current') if mibBuilder.loadTexts: cmiMrHABest.setDescription('Indicates whether this home agent is the best (in terms of the priority or the configuration time, when multiple home agents have the same priority) or not. When it is true, the mobile router will try to register with this home agent first.') cmiMrIfTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6), ) if mibBuilder.loadTexts: cmiMrIfTable.setStatus('current') if mibBuilder.loadTexts: cmiMrIfTable.setDescription('A table containing roaming/solicitation parameters for all roaming interfaces on the mobile router.') cmiMrIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1), ).setIndexNames((0, "CISCO-MOBILE-IP-MIB", "cmiMrIfIndex")) if mibBuilder.loadTexts: cmiMrIfEntry.setStatus('current') if mibBuilder.loadTexts: cmiMrIfEntry.setDescription('Roaming/solicitation parameters for one interface.') cmiMrIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 1), InterfaceIndex()) if mibBuilder.loadTexts: cmiMrIfIndex.setStatus('current') if mibBuilder.loadTexts: cmiMrIfIndex.setDescription('The ifIndex value from Interfaces table of MIB II for an interface on the Mobile router.') cmiMRIfDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 2), SnmpAdminString()).setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiMRIfDescription.setStatus('current') if mibBuilder.loadTexts: cmiMRIfDescription.setDescription('Description of the access type for the mobile router interface.') cmiMrIfHoldDown = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 3600))).setUnits('seconds').setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiMrIfHoldDown.setStatus('current') if mibBuilder.loadTexts: cmiMrIfHoldDown.setDescription('Waiting time after which mobile router registers to agents heard on this interface.') cmiMrIfRoamPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 255)).clone(100)).setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiMrIfRoamPriority.setStatus('current') if mibBuilder.loadTexts: cmiMrIfRoamPriority.setDescription('The priority value used to select an interface among multiple interfaces to send registration request.') cmiMrIfSolicitPeriodic = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 5), TruthValue().clone('false')).setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiMrIfSolicitPeriodic.setStatus('current') if mibBuilder.loadTexts: cmiMrIfSolicitPeriodic.setDescription('Specifies whether periodic agent solicitation is enabled or not. If this object is set to true(1), the mobile router will send solicitations on this interface periodically according to other configured parameters.') cmiMrIfSolicitInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 6), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535)).clone(600)).setUnits('seconds').setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiMrIfSolicitInterval.setStatus('current') if mibBuilder.loadTexts: cmiMrIfSolicitInterval.setDescription('The time interval after which a solicitation has to be sent once an agent advertisement is heard on the interface.') cmiMrIfSolicitRetransInitial = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 7), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(10, 10000)).clone(1000)).setUnits('milliseconds').setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiMrIfSolicitRetransInitial.setStatus('current') if mibBuilder.loadTexts: cmiMrIfSolicitRetransInitial.setDescription('The wait period before first retransmission of a solicitation when no agent advertisement is heard.') cmiMrIfSolicitRetransMax = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 8), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(10, 10000)).clone(5000)).setUnits('milliseconds').setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiMrIfSolicitRetransMax.setStatus('current') if mibBuilder.loadTexts: cmiMrIfSolicitRetransMax.setDescription('This value specifies the maximum limit for the solicitation retransmission timeout. For each successive solicit message retransmission timeout period is twice the previous period.') cmiMrIfSolicitRetransLimit = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 9), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 10)).clone(3)).setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiMrIfSolicitRetransLimit.setStatus('current') if mibBuilder.loadTexts: cmiMrIfSolicitRetransLimit.setDescription('The maximum number of solicitation retransmissions allowed.') cmiMrIfSolicitRetransCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 10), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(10, 10000))).setUnits('milliseconds').setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrIfSolicitRetransCurrent.setStatus('current') if mibBuilder.loadTexts: cmiMrIfSolicitRetransCurrent.setDescription('Current retransmission interval.') cmiMrIfSolicitRetransRemaining = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 11), Gauge32()).setUnits('milliseconds').setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrIfSolicitRetransRemaining.setStatus('current') if mibBuilder.loadTexts: cmiMrIfSolicitRetransRemaining.setDescription('Time remaining before the current retransmission interval expires.') cmiMrIfSolicitRetransCount = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 12), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrIfSolicitRetransCount.setStatus('current') if mibBuilder.loadTexts: cmiMrIfSolicitRetransCount.setDescription('The number of retransmissions of the solicitation.') cmiMrIfCCoaAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 13), InetAddressType()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrIfCCoaAddressType.setStatus('current') if mibBuilder.loadTexts: cmiMrIfCCoaAddressType.setDescription('Represents the type of IP address stored in cmiMrIfCCoaAddress.') cmiMrIfCCoaAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 14), InetAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrIfCCoaAddress.setStatus('current') if mibBuilder.loadTexts: cmiMrIfCCoaAddress.setDescription('Interface address to be used as a collocated care-of IP address. Currently, the primary interface IP address is used as the CCoA.') cmiMrIfCCoaDefaultGwType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 15), InetAddressType()).setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiMrIfCCoaDefaultGwType.setStatus('current') if mibBuilder.loadTexts: cmiMrIfCCoaDefaultGwType.setDescription('Represents the type of IP address stored in cmiMrIfCCoaDefaultGw.') cmiMrIfCCoaDefaultGw = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 16), InetAddress().subtype(subtypeSpec=ConstraintsUnion(ValueSizeConstraint(4, 4), ValueSizeConstraint(16, 16), ))).setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiMrIfCCoaDefaultGw.setStatus('current') if mibBuilder.loadTexts: cmiMrIfCCoaDefaultGw.setDescription('Gateway IP address to be used with CCoA registrations on an interface other than serial interface with a static (fixed) IP address.') cmiMrIfCCoaRegRetry = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 17), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535)).clone(60)).setUnits('seconds').setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiMrIfCCoaRegRetry.setStatus('current') if mibBuilder.loadTexts: cmiMrIfCCoaRegRetry.setDescription('Time to wait between successive registration attempts after CCoA registration failure.') cmiMrIfCCoaRegRetryRemaining = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 18), Gauge32()).setUnits('seconds').setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrIfCCoaRegRetryRemaining.setStatus('current') if mibBuilder.loadTexts: cmiMrIfCCoaRegRetryRemaining.setDescription('Time remaining before the current CCoA registration retry interval expires.') cmiMrIfStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 19), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiMrIfStatus.setStatus('current') if mibBuilder.loadTexts: cmiMrIfStatus.setDescription('The row status for this table.') cmiMrIfCCoaRegistration = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 20), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrIfCCoaRegistration.setStatus('current') if mibBuilder.loadTexts: cmiMrIfCCoaRegistration.setDescription("This indicates the type of registraton mobile router will currently attempt on this interface. If cmiMrIfCCoaRegistration is false, the mobile router will attempt to register through a foreign agent. If cmiMrIfCCoaRegistration is true, the mobile router will attempt CCoA registration. cmiMrIfCCoaRegistration will be true when cmiMrIfCCoaOnly is set to true. cmiMrIfCCoaRegistration will also be true when cmiMrIfCCoaOnly is set to 'false' and foreign agent advertisements are not heard on the interface.") cmiMrIfCCoaOnly = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 21), TruthValue().clone('false')).setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiMrIfCCoaOnly.setStatus('current') if mibBuilder.loadTexts: cmiMrIfCCoaOnly.setDescription("This specifies whether 'ccoa-only' state is enabled or not on this mobile router interface. When this variable is set to true, mobile router will attempt to register directly using a CCoA and will not attempt foreign agent registrations even if foreign agent advertisements are heard on this interface. When set to false, the mobile router will attempt to register via a foreign agent whenever foreign agent advertisements are heard. When foreign agent advertisements are not heard, then the interface will attempt CCoA registration.") cmiMrIfCCoaEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 22), TruthValue().clone('false')).setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiMrIfCCoaEnable.setStatus('current') if mibBuilder.loadTexts: cmiMrIfCCoaEnable.setDescription('This enables CCoA registrations on the mobile router interface. When this object is set to false, the mobile router will attempt only foreign agent registrations on this interface. When this object is set to true, the interface is enabled for CCoA registration. Depending on the value of the cmiMrIfCCoaOnly object, the mobile router may register with a CCoA or with a foreign agent.') cmiMrIfRoamStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 23), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrIfRoamStatus.setStatus('current') if mibBuilder.loadTexts: cmiMrIfRoamStatus.setDescription('Indicates whether the mobile router is currently registered through this interface.') cmiMrIfRegisteredCoAType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 24), InetAddressType()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrIfRegisteredCoAType.setStatus('current') if mibBuilder.loadTexts: cmiMrIfRegisteredCoAType.setDescription('Represents the type of address stored in cmiMrIfRegisteredCoA.') cmiMrIfRegisteredCoA = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 25), InetAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrIfRegisteredCoA.setStatus('current') if mibBuilder.loadTexts: cmiMrIfRegisteredCoA.setDescription('Represents the care-of address registered by the mobile router through this interface. This will be zero when the mobile router is at home or not registered. If the registration is through a foreign agent, this contains the foreign agent care-of address. If the registration uses a collocated care-of address, this contains the collocated care-of address.') cmiMrIfRegisteredMaAddrType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 26), InetAddressType()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrIfRegisteredMaAddrType.setStatus('current') if mibBuilder.loadTexts: cmiMrIfRegisteredMaAddrType.setDescription('Represents the type of address stored in cmiMrIfRegisteredMaAddr.') cmiMrIfRegisteredMaAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 27), InetAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrIfRegisteredMaAddr.setStatus('current') if mibBuilder.loadTexts: cmiMrIfRegisteredMaAddr.setDescription('Represents the address of the mobility agent through which this mobile router interface is registered. It contains the home agent address if registered using a collocated care-of address. It contains the foreign agent address if registered through a foreign agent. It is zero when the mobile router is at home or not registered.') cmiMrIfHaTunnelIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 28), InterfaceIndexOrZero()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrIfHaTunnelIfIndex.setStatus('current') if mibBuilder.loadTexts: cmiMrIfHaTunnelIfIndex.setDescription('The ifIndex value from Interfaces table of MIB II for the tunnel interface (to home agent) of the mobile router through this roaming interface.') cmiMrIfID = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 29), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrIfID.setStatus('current') if mibBuilder.loadTexts: cmiMrIfID.setDescription('A unique number identifying the roaming interface. This is also used as an unique identifier for the tunnel between home agent and mobile router.') cmiMrBetterIfDetected = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 7), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrBetterIfDetected.setStatus('current') if mibBuilder.loadTexts: cmiMrBetterIfDetected.setDescription('Number of times that the mobile router has detected a better interface.') cmiMrTunnelPktsRcvd = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrTunnelPktsRcvd.setStatus('current') if mibBuilder.loadTexts: cmiMrTunnelPktsRcvd.setDescription('Number of packets received on the MR-HA tunnel.') cmiMrTunnelPktsSent = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrTunnelPktsSent.setStatus('current') if mibBuilder.loadTexts: cmiMrTunnelPktsSent.setDescription('Number of packets sent through the MR-HA tunnel.') cmiMrTunnelBytesRcvd = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrTunnelBytesRcvd.setStatus('current') if mibBuilder.loadTexts: cmiMrTunnelBytesRcvd.setDescription('Number of bytes received on the MR-HA tunnel.') cmiMrTunnelBytesSent = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 11), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrTunnelBytesSent.setStatus('current') if mibBuilder.loadTexts: cmiMrTunnelBytesSent.setDescription('Number of bytes sent through the MR-HA tunnel.') cmiMrRedStateActive = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 12), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrRedStateActive.setStatus('current') if mibBuilder.loadTexts: cmiMrRedStateActive.setDescription('Number of times the redundancy state of the mobile router changed to active.') cmiMrRedStatePassive = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 13), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrRedStatePassive.setStatus('current') if mibBuilder.loadTexts: cmiMrRedStatePassive.setDescription('Number of times the redundancy state of the mobile router changed to passive.') cmiMrCollocatedTunnel = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("single", 1), ("double", 2))).clone('single')).setMaxAccess("readwrite") if mibBuilder.loadTexts: cmiMrCollocatedTunnel.setStatus('current') if mibBuilder.loadTexts: cmiMrCollocatedTunnel.setDescription('This indicates whether a single tunnel or dual tunnels will be created between MR and HA when the mobile router registers with a CCoA.') cmiMrMultiPath = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 15), TruthValue().clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: cmiMrMultiPath.setStatus('current') if mibBuilder.loadTexts: cmiMrMultiPath.setDescription('Specifies whether multiple path is enabled on the mobile router or not.') cmiMrMultiPathMetricType = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 16), CmiMultiPathMetricType().clone('bandwidth')).setMaxAccess("readwrite") if mibBuilder.loadTexts: cmiMrMultiPathMetricType.setStatus('current') if mibBuilder.loadTexts: cmiMrMultiPathMetricType.setDescription('Specifies the metric to use when multiple path is enabled on the mobile router.') cmiMrMaAdvTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 4, 1), ) if mibBuilder.loadTexts: cmiMrMaAdvTable.setStatus('current') if mibBuilder.loadTexts: cmiMrMaAdvTable.setDescription('A table with information related to all the agent advertisements heard by the mobile router.') cmiMrMaAdvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 4, 1, 1), ).setIndexNames((0, "CISCO-MOBILE-IP-MIB", "cmiMrMaAddressType"), (0, "CISCO-MOBILE-IP-MIB", "cmiMrMaAddress")) if mibBuilder.loadTexts: cmiMrMaAdvEntry.setStatus('current') if mibBuilder.loadTexts: cmiMrMaAdvEntry.setDescription('Information related to a single agent advertisement.') cmiMrMaAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 4, 1, 1, 1), InetAddressType()) if mibBuilder.loadTexts: cmiMrMaAddressType.setStatus('current') if mibBuilder.loadTexts: cmiMrMaAddressType.setDescription('Represents the type of IP address stored in cmiMrMaAddress. Only IPv4 address type is supported.') cmiMrMaAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 4, 1, 1, 2), InetAddress().subtype(subtypeSpec=ConstraintsUnion(ValueSizeConstraint(4, 4), ValueSizeConstraint(16, 16), ))) if mibBuilder.loadTexts: cmiMrMaAddress.setStatus('current') if mibBuilder.loadTexts: cmiMrMaAddress.setDescription('IP address of the mobile agent from which the advertisement was received. Only IPv4 addresses are supported.') cmiMrMaIsHa = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 4, 1, 1, 3), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrMaIsHa.setStatus('current') if mibBuilder.loadTexts: cmiMrMaIsHa.setDescription("Indicates whether the mobile agent is a home agent for the mobile router or not. If true, it means that the agent is one of the mobile router's configured home agents.") cmiMrMaAdvRcvIf = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 4, 1, 1, 4), InterfaceIndex()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrMaAdvRcvIf.setStatus('current') if mibBuilder.loadTexts: cmiMrMaAdvRcvIf.setDescription('The ifIndex value from Interfaces table of MIB II for the interface of mobile router on which the advertisement from the mobile agent was received.') cmiMrMaIfMacAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 4, 1, 1, 5), MacAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrMaIfMacAddress.setStatus('current') if mibBuilder.loadTexts: cmiMrMaIfMacAddress.setDescription('Mobile agent advertising interface MAC address.') cmiMrMaAdvSequence = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 4, 1, 1, 6), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrMaAdvSequence.setStatus('current') if mibBuilder.loadTexts: cmiMrMaAdvSequence.setDescription('The sequence number of the most recently received agent advertisement. The sequence number ranges from 0 to 0xffff. After the sequence number attains the value 0xffff, it will roll over to 256.') cmiMrMaAdvFlags = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 4, 1, 1, 7), Bits().clone(namedValues=NamedValues(("reverseTunnel", 0), ("gre", 1), ("minEnc", 2), ("foreignAgent", 3), ("homeAgent", 4), ("busy", 5), ("regRequired", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrMaAdvFlags.setStatus('current') if mibBuilder.loadTexts: cmiMrMaAdvFlags.setDescription('The flags contained in the 7th byte in the extension of the most recently received mobility agent advertisement: reverseTunnel, -- Agent supports reverse tunneling gre, -- Agent offers Generic Routing Encapsulation minEnc, -- Agent offers Minimal Encapsulation foreignAgent, -- Agent is a Foreign Agent homeAgent, -- Agent is a Home Agent busy, -- Foreign Agent is busy regRequired -- FA registration is required.') cmiMrMaAdvMaxRegLifetime = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 4, 1, 1, 8), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setUnits('seconds').setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrMaAdvMaxRegLifetime.setStatus('current') if mibBuilder.loadTexts: cmiMrMaAdvMaxRegLifetime.setDescription('The longest registration lifetime in seconds that the agent is willing to accept in any registration request.') cmiMrMaAdvMaxLifetime = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 4, 1, 1, 9), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setUnits('seconds').setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrMaAdvMaxLifetime.setReference('AdvertisementLifeTime in RFC1256.') if mibBuilder.loadTexts: cmiMrMaAdvMaxLifetime.setStatus('current') if mibBuilder.loadTexts: cmiMrMaAdvMaxLifetime.setDescription('The maximum length of time that the Advertisement is considered valid in the absence of further Advertisements.') cmiMrMaAdvLifetimeRemaining = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 4, 1, 1, 10), Gauge32()).setUnits('seconds').setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrMaAdvLifetimeRemaining.setStatus('current') if mibBuilder.loadTexts: cmiMrMaAdvLifetimeRemaining.setDescription('The time remaining for the advertisement lifetime expiration.') cmiMrMaAdvTimeReceived = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 4, 1, 1, 11), TimeStamp()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrMaAdvTimeReceived.setStatus('current') if mibBuilder.loadTexts: cmiMrMaAdvTimeReceived.setDescription('The time at which the most recently received advertisement was received.') cmiMrMaAdvTimeFirstHeard = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 4, 1, 1, 12), TimeStamp()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrMaAdvTimeFirstHeard.setStatus('current') if mibBuilder.loadTexts: cmiMrMaAdvTimeFirstHeard.setDescription('The time at which the first Advertisement from the mobile agent was received.') cmiMrMaHoldDownRemaining = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 4, 1, 1, 13), Gauge32()).setUnits('seconds').setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrMaHoldDownRemaining.setStatus('current') if mibBuilder.loadTexts: cmiMrMaHoldDownRemaining.setDescription('The time remaining for the hold down period expiration.') cmiMrRegExtendExpire = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 5, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 3600))).setUnits('seconds').setMaxAccess("readwrite") if mibBuilder.loadTexts: cmiMrRegExtendExpire.setStatus('current') if mibBuilder.loadTexts: cmiMrRegExtendExpire.setDescription('Time in seconds before lifetime expiration to send registration request.') cmiMrRegExtendRetry = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 5, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 10))).setMaxAccess("readwrite") if mibBuilder.loadTexts: cmiMrRegExtendRetry.setStatus('current') if mibBuilder.loadTexts: cmiMrRegExtendRetry.setDescription('The number of retries to be sent.') cmiMrRegExtendInterval = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 5, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 3600))).setUnits('seconds').setMaxAccess("readwrite") if mibBuilder.loadTexts: cmiMrRegExtendInterval.setStatus('current') if mibBuilder.loadTexts: cmiMrRegExtendInterval.setDescription('Time after which the mobile router is to send another registration request when no reply is received.') cmiMrRegLifetime = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 5, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(3, 65535))).setUnits('seconds').setMaxAccess("readwrite") if mibBuilder.loadTexts: cmiMrRegLifetime.setStatus('current') if mibBuilder.loadTexts: cmiMrRegLifetime.setDescription('The requested lifetime in registration requests.') cmiMrRegRetransInitial = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 5, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(10, 10000))).setUnits('milli-seconds').setMaxAccess("readwrite") if mibBuilder.loadTexts: cmiMrRegRetransInitial.setStatus('current') if mibBuilder.loadTexts: cmiMrRegRetransInitial.setDescription('Time to wait before retransmission for the first time when no reply is received.') cmiMrRegRetransMax = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 5, 6), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(10, 10000))).setUnits('milli-seconds').setMaxAccess("readwrite") if mibBuilder.loadTexts: cmiMrRegRetransMax.setStatus('current') if mibBuilder.loadTexts: cmiMrRegRetransMax.setDescription('Maximum retransmission time allowed.') cmiMrRegRetransLimit = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 5, 7), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 10))).setMaxAccess("readwrite") if mibBuilder.loadTexts: cmiMrRegRetransLimit.setStatus('current') if mibBuilder.loadTexts: cmiMrRegRetransLimit.setDescription('The maximum number of retransmissions allowed.') cmiMrRegNewHa = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 5, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMrRegNewHa.setStatus('current') if mibBuilder.loadTexts: cmiMrRegNewHa.setDescription('The number of times MR registers with a different HA due to changes in HA / HA priority.') cmiTrapControl = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 6, 1), Bits().clone(namedValues=NamedValues(("cmiMrStateChangeTrap", 0), ("cmiMrCoaChangeTrap", 1), ("cmiMrNewMATrap", 2), ("cmiHaMnRegFailedTrap", 3), ("cmiHaMaxBindingsNotif", 4)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: cmiTrapControl.setStatus('current') if mibBuilder.loadTexts: cmiTrapControl.setDescription("An object to turn Mobile IP notification generation on and off. Setting a notification type's bit to 1 enables generation of notifications of that type, subject to further filtering resulting from entries in the snmpNotificationMIB. Setting the bit to 0 disables generation of notifications of that type.") cmiNtRegCOAType = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 6, 3), InetAddressType()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiNtRegCOAType.setStatus('current') if mibBuilder.loadTexts: cmiNtRegCOAType.setDescription('Represents the type of the address stored in cmiHaRegMnCOA.') cmiNtRegCOA = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 6, 4), InetAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiNtRegCOA.setStatus('current') if mibBuilder.loadTexts: cmiNtRegCOA.setDescription("The Mobile Node's Care-of address.") cmiNtRegHAAddrType = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 6, 5), InetAddressType()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiNtRegHAAddrType.setStatus('current') if mibBuilder.loadTexts: cmiNtRegHAAddrType.setDescription('Represents the type of the address stored in cmiHaRegMnHa.') cmiNtRegHomeAgent = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 6, 6), InetAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiNtRegHomeAgent.setStatus('current') if mibBuilder.loadTexts: cmiNtRegHomeAgent.setDescription("The Mobile Node's Home Agent address.") cmiNtRegHomeAddressType = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 6, 7), InetAddressType()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiNtRegHomeAddressType.setStatus('current') if mibBuilder.loadTexts: cmiNtRegHomeAddressType.setDescription('Represents the type of the address stored in cmiHaRegRecentHomeAddress.') cmiNtRegHomeAddress = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 6, 8), IpAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiNtRegHomeAddress.setStatus('current') if mibBuilder.loadTexts: cmiNtRegHomeAddress.setDescription('Home (IP) address of visiting mobile node.') cmiNtRegNAI = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 6, 9), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiNtRegNAI.setStatus('current') if mibBuilder.loadTexts: cmiNtRegNAI.setDescription('The identifier associated with the mobile node.') cmiNtRegDeniedCode = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 6, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(128, 129, 130, 131, 132, 133, 134, 135, 136, 137, 138, 139))).clone(namedValues=NamedValues(("reasonUnspecified", 128), ("admProhibited", 129), ("insufficientResource", 130), ("mnAuthenticationFailure", 131), ("faAuthenticationFailure", 132), ("idMismatch", 133), ("poorlyFormedRequest", 134), ("tooManyBindings", 135), ("unknownHA", 136), ("reverseTunnelUnavailable", 137), ("reverseTunnelBitNotSet", 138), ("encapsulationUnavailable", 139)))).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiNtRegDeniedCode.setStatus('current') if mibBuilder.loadTexts: cmiNtRegDeniedCode.setDescription('The Code indicating the reason why the most recent Registration Request for this mobile node was rejected by the home agent.') ciscoMobileIpMIBNotifications = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 0)) cmiMrStateChange = NotificationType((1, 3, 6, 1, 4, 1, 9, 9, 174, 0, 1)).setObjects(("MIP-MIB", "mnState")) if mibBuilder.loadTexts: cmiMrStateChange.setStatus('current') if mibBuilder.loadTexts: cmiMrStateChange.setDescription('The Mobile Router state change notification. This notification is sent when the Mobile Router has undergone a state change from its previous state of Mobile IP. Generation of this notification is controlled by the cmiTrapControl object.') cmiMrCoaChange = NotificationType((1, 3, 6, 1, 4, 1, 9, 9, 174, 0, 2)).setObjects(("MIP-MIB", "mnRegCOA"), ("MIP-MIB", "mnRegAgentAddress")) if mibBuilder.loadTexts: cmiMrCoaChange.setStatus('current') if mibBuilder.loadTexts: cmiMrCoaChange.setDescription('The Mobile Router care-of-address change notification. This notification is sent when the Mobile Router has changed its care-of-address. Generation of this notification is controlled by the cmiTrapControl object.') cmiMrNewMA = NotificationType((1, 3, 6, 1, 4, 1, 9, 9, 174, 0, 3)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiMrMaIsHa"), ("CISCO-MOBILE-IP-MIB", "cmiMrMaAdvFlags"), ("CISCO-MOBILE-IP-MIB", "cmiMrMaAdvRcvIf")) if mibBuilder.loadTexts: cmiMrNewMA.setStatus('current') if mibBuilder.loadTexts: cmiMrNewMA.setDescription('The Mobile Router new agent discovery notification. This notification is sent when the Mobile Router has heard an agent advertisement from a new mobile agent. Generation of this notification is controlled by the cmiTrapControl object.') cmiHaMnRegReqFailed = NotificationType((1, 3, 6, 1, 4, 1, 9, 9, 174, 0, 4)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiNtRegCOAType"), ("CISCO-MOBILE-IP-MIB", "cmiNtRegCOA"), ("CISCO-MOBILE-IP-MIB", "cmiNtRegHAAddrType"), ("CISCO-MOBILE-IP-MIB", "cmiNtRegHomeAgent"), ("CISCO-MOBILE-IP-MIB", "cmiNtRegHomeAddressType"), ("CISCO-MOBILE-IP-MIB", "cmiNtRegHomeAddress"), ("CISCO-MOBILE-IP-MIB", "cmiNtRegNAI"), ("CISCO-MOBILE-IP-MIB", "cmiNtRegDeniedCode")) if mibBuilder.loadTexts: cmiHaMnRegReqFailed.setStatus('current') if mibBuilder.loadTexts: cmiHaMnRegReqFailed.setDescription('The MN registration request failed notification. This notification is sent when the registration request from MN is rejected by Home Agent.') cmiHaMaxBindingsNotif = NotificationType((1, 3, 6, 1, 4, 1, 9, 9, 174, 0, 5)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiHaRegTotalMobilityBindings"), ("CISCO-MOBILE-IP-MIB", "cmiHaMaximumBindings")) if mibBuilder.loadTexts: cmiHaMaxBindingsNotif.setStatus('current') if mibBuilder.loadTexts: cmiHaMaxBindingsNotif.setDescription('This notification is generated when the registration request from an MN is rejected by the home agent, and the total number of registrations on the home agent has already reached the maximum number of allowed bindings represented by cmiHaMaximumBindings.') cmiMaAdvConfigTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 2, 1), ) if mibBuilder.loadTexts: cmiMaAdvConfigTable.setStatus('current') if mibBuilder.loadTexts: cmiMaAdvConfigTable.setDescription('A table containing configurable advertisement parameters for all advertisement interfaces in the mobility agent.') cmiMaAdvConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 2, 1, 1), ).setIndexNames((0, "CISCO-MOBILE-IP-MIB", "cmiMaAdvInterfaceIndex")) if mibBuilder.loadTexts: cmiMaAdvConfigEntry.setStatus('current') if mibBuilder.loadTexts: cmiMaAdvConfigEntry.setDescription('Advertisement parameters for one advertisement interface.') cmiMaAdvInterfaceIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 2, 1, 1, 1), InterfaceIndex()) if mibBuilder.loadTexts: cmiMaAdvInterfaceIndex.setStatus('current') if mibBuilder.loadTexts: cmiMaAdvInterfaceIndex.setDescription('The ifIndex value from Interfaces table of MIB II for the interface which is advertising.') cmiMaInterfaceAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 2, 1, 1, 2), InetAddressType()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMaInterfaceAddressType.setStatus('current') if mibBuilder.loadTexts: cmiMaInterfaceAddressType.setDescription('Represents the type of IP address stored in cmiMaInterfaceAddress.') cmiMaInterfaceAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 2, 1, 1, 3), InetAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmiMaInterfaceAddress.setStatus('current') if mibBuilder.loadTexts: cmiMaInterfaceAddress.setDescription('IP address for advertisement interface.') cmiMaAdvMaxRegLifetime = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 2, 1, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(3, 65535)).clone(36000)).setUnits('seconds').setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiMaAdvMaxRegLifetime.setStatus('current') if mibBuilder.loadTexts: cmiMaAdvMaxRegLifetime.setDescription('The longest lifetime in seconds that mobility agent is willing to accept in any registration request.') cmiMaAdvPrefixLengthInclusion = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 2, 1, 1, 5), TruthValue().clone('false')).setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiMaAdvPrefixLengthInclusion.setStatus('current') if mibBuilder.loadTexts: cmiMaAdvPrefixLengthInclusion.setDescription('Whether the advertisement should include the Prefix- Lengths Extension. If it is true, all advertisements sent over this interface should include the Prefix-Lengths Extension.') cmiMaAdvAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 2, 1, 1, 6), InetAddressType()).setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiMaAdvAddressType.setStatus('current') if mibBuilder.loadTexts: cmiMaAdvAddressType.setDescription('Represents the type of IP address stored in cmiMaAdvAddress.') cmiMaAdvAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 2, 1, 1, 7), InetAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiMaAdvAddress.setReference('AdvertisementAddress in RFC1256.') if mibBuilder.loadTexts: cmiMaAdvAddress.setStatus('current') if mibBuilder.loadTexts: cmiMaAdvAddress.setDescription('The IP destination address to be used for advertisements sent from the interface. The only permissible values are the all-systems multicast address (224.0.0.1) or the limited-broadcast address (255.255.255.255). Default value is 224.0.0.1 if the router supports IP multicast on the interface, else 255.255.255.255') cmiMaAdvMaxInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 2, 1, 1, 8), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(4, 1800), ))).setUnits('seconds').setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiMaAdvMaxInterval.setReference('MaxAdvertisementInterval in RFC1256.') if mibBuilder.loadTexts: cmiMaAdvMaxInterval.setStatus('current') if mibBuilder.loadTexts: cmiMaAdvMaxInterval.setDescription('The maximum time in seconds between successive transmissions of Agent Advertisements from this interface. The default value will be 600 seconds for an interface which uses IEEE 802 style headers and for ATM interface. In other cases, default value will be zero.') cmiMaAdvMinInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 2, 1, 1, 9), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(3, 1800), ))).setUnits('seconds').setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiMaAdvMinInterval.setReference('MinAdvertisementInterval in RFC1256.') if mibBuilder.loadTexts: cmiMaAdvMinInterval.setStatus('current') if mibBuilder.loadTexts: cmiMaAdvMinInterval.setDescription('The minimum time in seconds between successive transmissions of Agent Advertisements from this interface. Default value is 0.75 * cmiMaAdvMaxInterval.') cmiMaAdvMaxAdvLifetime = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 2, 1, 1, 10), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(4, 9000), ))).setUnits('seconds').setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiMaAdvMaxAdvLifetime.setReference('AdvertisementLifetime in RFC1256.') if mibBuilder.loadTexts: cmiMaAdvMaxAdvLifetime.setStatus('current') if mibBuilder.loadTexts: cmiMaAdvMaxAdvLifetime.setDescription('The time (in seconds) to be placed in the Lifetime field of the RFC 1256-portion of the Agent Advertisements sent over this interface. Default value is 3 * cmiMaAdvMaxInterval.') cmiMaAdvResponseSolicitationOnly = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 2, 1, 1, 11), TruthValue()).setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiMaAdvResponseSolicitationOnly.setStatus('current') if mibBuilder.loadTexts: cmiMaAdvResponseSolicitationOnly.setDescription('The flag indicates whether the advertisement from that interface should be sent only in response to an Agent Solicitation message. This value depends upon cmiMaAdvMaxInterval. If cmiMaAdvMaxInterval is zero, this value will be set to true. If this is set to True, then cmiMaAdvMaxInterval will be set to zero.') cmiMaAdvStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 2, 1, 1, 12), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: cmiMaAdvStatus.setStatus('current') if mibBuilder.loadTexts: cmiMaAdvStatus.setDescription("The row status for the agent advertisement table. If this column status is 'active', the manager should not change any column in the row. Only cmiMaAdvInterfaceIndex is mandatory for creating a new row. The interface should already exist.") ciscoMobileIpMIBConformance = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 3)) ciscoMobileIpCompliances = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 1)) ciscoMobileIpGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2)) ciscoMobileIpCompliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 1, 1)).setObjects(("CISCO-MOBILE-IP-MIB", "ciscoMobileIpFaRegGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRegGroup")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpCompliance = ciscoMobileIpCompliance.setStatus('obsolete') if mibBuilder.loadTexts: ciscoMobileIpCompliance.setDescription('The compliance statement for management entities which implement the Cisco Mobile IP MIB. Superseded by ciscoMobileIPComplianceV12R02.') ciscoMobileIpComplianceV12R02 = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 1, 2)).setObjects(("CISCO-MOBILE-IP-MIB", "ciscoMobileIpFaRegGroupV12R02"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRegGroupV12R02"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRedunGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpSecAssocGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpSecViolationGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMaRegGroup")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpComplianceV12R02 = ciscoMobileIpComplianceV12R02.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpComplianceV12R02.setDescription('The compliance statement for management entities which implement the Cisco Mobile IP MIB. Superseded by ciscoMobileIPComplianceV12R03.') ciscoMobileIpComplianceV12R03 = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 1, 3)).setObjects(("CISCO-MOBILE-IP-MIB", "ciscoMobileIpFaRegGroupV12R03"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRegGroupV12R03"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRedunGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpSecAssocGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpSecViolationGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMaRegGroup")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpComplianceV12R03 = ciscoMobileIpComplianceV12R03.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpComplianceV12R03.setDescription('The compliance statement for management entities which implement the Cisco Mobile IP MIB. Superseded by ciscoMobileIPComplianceV12R03r1') ciscoMobileIpComplianceV12R03r1 = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 1, 4)).setObjects(("CISCO-MOBILE-IP-MIB", "ciscoMobileIpFaRegGroupV12R03r1"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRegGroupV12R03r1"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRedunGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpSecAssocGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpSecViolationGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMaRegGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpFaAdvertisementGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpFaSystemGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMnDiscoveryGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMnRegistrationGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaMobNetGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrSystemGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrDiscoveryGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrRegistrationGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpTrapObjectsGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrNotificationGroup")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpComplianceV12R03r1 = ciscoMobileIpComplianceV12R03r1.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpComplianceV12R03r1.setDescription('The compliance statement for management entities which implement the Cisco Mobile IP MIB.') ciscoMobileIpComplianceV12R04 = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 1, 5)).setObjects(("CISCO-MOBILE-IP-MIB", "ciscoMobileIpFaRegGroupV12R03r1"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRegGroupV12R03r1"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRedunGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpSecAssocGroupV12R02"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpSecViolationGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMaRegGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpFaAdvertisementGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpFaSystemGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMnDiscoveryGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMnRegistrationGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaMobNetGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrSystemGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrDiscoveryGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrRegistrationGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpTrapObjectsGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrNotificationGroup"), ("CISCO-MOBILE-IP-MIB", "cmiMaAdvertisementGroup")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpComplianceV12R04 = ciscoMobileIpComplianceV12R04.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpComplianceV12R04.setDescription('The compliance statement for management entities which implement the Cisco Mobile IP MIB.') ciscoMobileIpComplianceV12R05 = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 1, 6)).setObjects(("CISCO-MOBILE-IP-MIB", "ciscoMobileIpFaRegGroupV12R03r1"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRegGroupV12R03r1"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRedunGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpSecAssocGroupV12R02"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpSecViolationGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMaRegGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpFaAdvertisementGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpFaSystemGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMnDiscoveryGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMnRegistrationGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaMobNetGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrSystemGroupV1"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrDiscoveryGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrRegistrationGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpTrapObjectsGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrNotificationGroup"), ("CISCO-MOBILE-IP-MIB", "cmiMaAdvertisementGroup")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpComplianceV12R05 = ciscoMobileIpComplianceV12R05.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpComplianceV12R05.setDescription('The compliance statement for management entities which implement the Cisco Mobile IP MIB.') ciscoMobileIpComplianceV12R06 = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 1, 7)).setObjects(("CISCO-MOBILE-IP-MIB", "ciscoMobileIpFaRegGroupV12R03r1"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRegGroupV12R03r1"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRedunGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpSecAssocGroupV12R02"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpSecViolationGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMaRegGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpFaAdvertisementGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpFaSystemGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMnDiscoveryGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMnRegistrationGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaMobNetGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrSystemGroupV2"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrDiscoveryGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrRegistrationGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpTrapObjectsGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrNotificationGroup"), ("CISCO-MOBILE-IP-MIB", "cmiMaAdvertisementGroup")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpComplianceV12R06 = ciscoMobileIpComplianceV12R06.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpComplianceV12R06.setDescription('The compliance statement for management entities which implement the Cisco Mobile IP MIB.') ciscoMobileIpComplianceV12R07 = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 1, 8)).setObjects(("CISCO-MOBILE-IP-MIB", "ciscoMobileIpFaRegGroupV12R03r2"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRegGroupV12R03r2"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRedunGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpSecAssocGroupV12R02"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpSecViolationGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMaRegGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpFaAdvertisementGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpFaSystemGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMnDiscoveryGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMnRegistrationGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaMobNetGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrSystemGroupV2"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrDiscoveryGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrRegistrationGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpTrapObjectsGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrNotificationGroup"), ("CISCO-MOBILE-IP-MIB", "cmiMaAdvertisementGroup")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpComplianceV12R07 = ciscoMobileIpComplianceV12R07.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpComplianceV12R07.setDescription('The compliance statement for management entities which implement the Cisco Mobile IP MIB.') ciscoMobileIpComplianceV12R08 = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 1, 9)).setObjects(("CISCO-MOBILE-IP-MIB", "ciscoMobileIpFaRegGroupV12R03r2"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRegGroupV12R03r2"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRedunGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpSecAssocGroupV12R02"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpSecViolationGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMaRegGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpFaAdvertisementGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpFaSystemGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMnDiscoveryGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMnRegistrationGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaMobNetGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrSystemGroupV2"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrDiscoveryGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrRegistrationGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpTrapObjectsGroupV2"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrNotificationGroupV2"), ("CISCO-MOBILE-IP-MIB", "cmiMaAdvertisementGroup")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpComplianceV12R08 = ciscoMobileIpComplianceV12R08.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpComplianceV12R08.setDescription('The compliance statement for management entities which implement the Cisco Mobile IP MIB.') ciscoMobileIpComplianceV12R09 = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 1, 10)).setObjects(("CISCO-MOBILE-IP-MIB", "ciscoMobileIpFaRegGroupV12R03r2"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRegGroupV12R03r2"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRedunGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpSecAssocGroupV12R02"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpSecViolationGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMaRegGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpFaAdvertisementGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpFaSystemGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMnDiscoveryGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMnRegistrationGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaMobNetGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrSystemGroupV3"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrDiscoveryGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrRegistrationGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpTrapObjectsGroupV2"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrNotificationGroupV2"), ("CISCO-MOBILE-IP-MIB", "cmiMaAdvertisementGroup")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpComplianceV12R09 = ciscoMobileIpComplianceV12R09.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpComplianceV12R09.setDescription('The compliance statement for management entities which implement the Cisco Mobile IP MIB.') ciscoMobileIpComplianceV12R10 = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 1, 11)).setObjects(("CISCO-MOBILE-IP-MIB", "ciscoMobileIpFaRegGroupV12R03r2"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRegGroupV12R03r2"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRegGroupV12R03r2Sup1"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRedunGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpSecAssocGroupV12R02"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpSecViolationGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMaRegGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpFaAdvertisementGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpFaSystemGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMnDiscoveryGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMnRegistrationGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaMobNetGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaMobNetGroupSup1"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrSystemGroupV3"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrSystemGroupV3Sup1"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrDiscoveryGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrRegistrationGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpTrapObjectsGroupV2"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrNotificationGroupV2"), ("CISCO-MOBILE-IP-MIB", "cmiMaAdvertisementGroup")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpComplianceV12R10 = ciscoMobileIpComplianceV12R10.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpComplianceV12R10.setDescription('The compliance statement for management entities which implement the Cisco Mobile IP MIB.') ciscoMobileIpComplianceV12R11 = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 1, 12)).setObjects(("CISCO-MOBILE-IP-MIB", "ciscoMobileIpFaRegGroupV12R03r2"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRegGroupV12R03r2"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRegGroupV12R03r2Sup1"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRedunGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpSecAssocGroupV12R02"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpSecViolationGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMaRegGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpFaAdvertisementGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpFaSystemGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMnDiscoveryGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMnRegistrationGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaMobNetGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaMobNetGroupSup1"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrSystemGroupV3"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrSystemGroupV3Sup1"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrDiscoveryGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrRegistrationGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpTrapObjectsGroupV2"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrNotificationGroupV2"), ("CISCO-MOBILE-IP-MIB", "cmiMaAdvertisementGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRegGroupV12R03r2Sup2")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpComplianceV12R11 = ciscoMobileIpComplianceV12R11.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpComplianceV12R11.setDescription('The compliance statement for management entities which implement the Cisco Mobile IP MIB.') ciscoMobileIpComplianceRev1 = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 1, 13)).setObjects(("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaSystemGroupV1"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRegGroupV1"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrNotificationGroupV3"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpFaRegGroupV12R03r2"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRegGroupV12R03r2"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRegGroupV12R03r2Sup1"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRedunGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpSecAssocGroupV12R02"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpSecViolationGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMaRegGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpFaAdvertisementGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpFaSystemGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMnDiscoveryGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMnRegistrationGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaMobNetGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaMobNetGroupSup1"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrSystemGroupV3"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrSystemGroupV3Sup1"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrDiscoveryGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrRegistrationGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpTrapObjectsGroupV2"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrNotificationGroupV2"), ("CISCO-MOBILE-IP-MIB", "cmiMaAdvertisementGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRegGroupV12R03r2Sup2")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpComplianceRev1 = ciscoMobileIpComplianceRev1.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpComplianceRev1.setDescription('The compliance statement for management entities which implement the Cisco Mobile IP MIB.') ciscoMobileIpComplianceRev2 = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 1, 14)).setObjects(("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaSystemGroupV1"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRegGroupV1"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrNotificationGroupV3"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpFaRegGroupV12R03r2"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRegGroupV12R03r2"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRegGroupV12R03r2Sup1"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRedunGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpSecAssocGroupV12R02"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpSecViolationGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMaRegGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpFaAdvertisementGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpFaSystemGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMnDiscoveryGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMnRegistrationGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaMobNetGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaMobNetGroupSup1"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrSystemGroupV3"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrSystemGroupV3Sup1"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrDiscoveryGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrRegistrationGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpTrapObjectsGroupV2"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpMrNotificationGroupV2"), ("CISCO-MOBILE-IP-MIB", "cmiMaAdvertisementGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRegGroupV12R03r2Sup2"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRegIntervalStatsGroup"), ("CISCO-MOBILE-IP-MIB", "ciscoMobileIpHaRegTunnelStatsGroup")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpComplianceRev2 = ciscoMobileIpComplianceRev2.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpComplianceRev2.setDescription('The compliance statement for management entities which implement the Cisco Mobile IP MIB.') ciscoMobileIpFaRegGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 1)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiFaRegTotalVisitors")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpFaRegGroup = ciscoMobileIpFaRegGroup.setStatus('obsolete') if mibBuilder.loadTexts: ciscoMobileIpFaRegGroup.setDescription('A collection of objects providing management information for the registration function within a foreign agent. Superseded by ciscoMobileIpFaRegGroupV12R02.') ciscoMobileIpHaRegGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 2)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiHaRegTotalMobilityBindings")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpHaRegGroup = ciscoMobileIpHaRegGroup.setStatus('obsolete') if mibBuilder.loadTexts: ciscoMobileIpHaRegGroup.setDescription('A collection of objects providing management information for the registration function within a home agent. Superseded by ciscoMobileIpHaRegGroupV12R02.') ciscoMobileIpFaRegGroupV12R02 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 3)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiFaRegTotalVisitors"), ("CISCO-MOBILE-IP-MIB", "cmiFaRegVisitorHomeAddress"), ("CISCO-MOBILE-IP-MIB", "cmiFaRegVisitorHomeAgentAddress"), ("CISCO-MOBILE-IP-MIB", "cmiFaRegVisitorTimeGranted"), ("CISCO-MOBILE-IP-MIB", "cmiFaRegVisitorTimeRemaining"), ("CISCO-MOBILE-IP-MIB", "cmiFaRegVisitorRegFlags"), ("CISCO-MOBILE-IP-MIB", "cmiFaRegVisitorRegIDLow"), ("CISCO-MOBILE-IP-MIB", "cmiFaRegVisitorRegIDHigh"), ("CISCO-MOBILE-IP-MIB", "cmiFaRegVisitorRegIsAccepted")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpFaRegGroupV12R02 = ciscoMobileIpFaRegGroupV12R02.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpFaRegGroupV12R02.setDescription('A collection of objects providing management information for the registration function within a foreign agent. Superseded by ciscoMobileIpFaRegGroupV12R03.') ciscoMobileIpHaRegGroupV12R02 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 4)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiHaRegTotalMobilityBindings"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegMnIdentifierType"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegMnIdentifier"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegServAcceptedRequests"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegServDeniedRequests"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegOverallServTime"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegRecentServAcceptedTime"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegRecentServDeniedTime"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegRecentServDeniedCode"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegTotalProcLocRegs"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegMaxProcLocInMinRegs"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegDateMaxRegsProcLoc"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegProcLocInLastMinRegs"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegTotalProcByAAARegs"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegMaxProcByAAAInMinRegs"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegDateMaxRegsProcByAAA"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegProcAAAInLastByMinRegs"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegAvgTimeRegsProcByAAA"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegMaxTimeRegsProcByAAA")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpHaRegGroupV12R02 = ciscoMobileIpHaRegGroupV12R02.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpHaRegGroupV12R02.setDescription('A collection of objects providing management information for the registration function within a home agent. Superseded by ciscoMobileIpHaRegGroupV12R03.') ciscoMobileIpFaRegGroupV12R03 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 9)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiFaRegTotalVisitors"), ("CISCO-MOBILE-IP-MIB", "cmiFaRegVisitorHomeAddress"), ("CISCO-MOBILE-IP-MIB", "cmiFaRegVisitorHomeAgentAddress"), ("CISCO-MOBILE-IP-MIB", "cmiFaRegVisitorTimeGranted"), ("CISCO-MOBILE-IP-MIB", "cmiFaRegVisitorTimeRemaining"), ("CISCO-MOBILE-IP-MIB", "cmiFaRegVisitorRegFlags"), ("CISCO-MOBILE-IP-MIB", "cmiFaRegVisitorRegIDLow"), ("CISCO-MOBILE-IP-MIB", "cmiFaRegVisitorRegIDHigh"), ("CISCO-MOBILE-IP-MIB", "cmiFaRegVisitorRegIsAccepted"), ("CISCO-MOBILE-IP-MIB", "cmiFaInitRegRequestsReceived"), ("CISCO-MOBILE-IP-MIB", "cmiFaInitRegRequestsDiscarded"), ("CISCO-MOBILE-IP-MIB", "cmiFaInitRegRequestsRelayed"), ("CISCO-MOBILE-IP-MIB", "cmiFaInitRegRequestsDenied"), ("CISCO-MOBILE-IP-MIB", "cmiFaInitRegRepliesValidFromHA"), ("CISCO-MOBILE-IP-MIB", "cmiFaInitRegRepliesValidRelayMN"), ("CISCO-MOBILE-IP-MIB", "cmiFaReRegRequestsReceived"), ("CISCO-MOBILE-IP-MIB", "cmiFaReRegRequestsDiscarded"), ("CISCO-MOBILE-IP-MIB", "cmiFaReRegRequestsRelayed"), ("CISCO-MOBILE-IP-MIB", "cmiFaReRegRequestsDenied"), ("CISCO-MOBILE-IP-MIB", "cmiFaReRegRepliesValidFromHA"), ("CISCO-MOBILE-IP-MIB", "cmiFaReRegRepliesValidRelayToMN"), ("CISCO-MOBILE-IP-MIB", "cmiFaDeRegRequestsReceived"), ("CISCO-MOBILE-IP-MIB", "cmiFaDeRegRequestsDiscarded"), ("CISCO-MOBILE-IP-MIB", "cmiFaDeRegRequestsRelayed"), ("CISCO-MOBILE-IP-MIB", "cmiFaDeRegRequestsDenied"), ("CISCO-MOBILE-IP-MIB", "cmiFaDeRegRepliesValidFromHA"), ("CISCO-MOBILE-IP-MIB", "cmiFaDeRegRepliesValidRelayToMN")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpFaRegGroupV12R03 = ciscoMobileIpFaRegGroupV12R03.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpFaRegGroupV12R03.setDescription('A collection of objects providing management information for the registration function within a foreign agent. Superseded by ciscoMobileIpFaRegGroupV12R03r1') ciscoMobileIpHaRegGroupV12R03 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 10)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiHaRegTotalMobilityBindings"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegMnIdentifierType"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegMnIdentifier"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegServAcceptedRequests"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegServDeniedRequests"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegOverallServTime"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegRecentServAcceptedTime"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegRecentServDeniedTime"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegRecentServDeniedCode"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegTotalProcLocRegs"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegMaxProcLocInMinRegs"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegDateMaxRegsProcLoc"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegProcLocInLastMinRegs"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegTotalProcByAAARegs"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegMaxProcByAAAInMinRegs"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegDateMaxRegsProcByAAA"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegProcAAAInLastByMinRegs"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegAvgTimeRegsProcByAAA"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegMaxTimeRegsProcByAAA"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegRequestsReceived"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegRequestsDenied"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegRequestsDiscarded"), ("CISCO-MOBILE-IP-MIB", "cmiHaEncapUnavailable"), ("CISCO-MOBILE-IP-MIB", "cmiHaNAICheckFailures"), ("CISCO-MOBILE-IP-MIB", "cmiHaInitRegRequestsReceived"), ("CISCO-MOBILE-IP-MIB", "cmiHaInitRegRequestsAccepted"), ("CISCO-MOBILE-IP-MIB", "cmiHaInitRegRequestsDenied"), ("CISCO-MOBILE-IP-MIB", "cmiHaInitRegRequestsDiscarded"), ("CISCO-MOBILE-IP-MIB", "cmiHaReRegRequestsReceived"), ("CISCO-MOBILE-IP-MIB", "cmiHaReRegRequestsAccepted"), ("CISCO-MOBILE-IP-MIB", "cmiHaReRegRequestsDenied"), ("CISCO-MOBILE-IP-MIB", "cmiHaReRegRequestsDiscarded"), ("CISCO-MOBILE-IP-MIB", "cmiHaDeRegRequestsReceived"), ("CISCO-MOBILE-IP-MIB", "cmiHaDeRegRequestsAccepted"), ("CISCO-MOBILE-IP-MIB", "cmiHaDeRegRequestsDenied"), ("CISCO-MOBILE-IP-MIB", "cmiHaDeRegRequestsDiscarded")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpHaRegGroupV12R03 = ciscoMobileIpHaRegGroupV12R03.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpHaRegGroupV12R03.setDescription('A collection of objects providing management information for the registration function within a home agent. Superseded by ciscoMobileIpHaRegGroupV12R03r1') ciscoMobileIpSecAssocGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 6)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiSecAssocsCount"), ("CISCO-MOBILE-IP-MIB", "cmiSecAlgorithmType"), ("CISCO-MOBILE-IP-MIB", "cmiSecAlgorithmMode"), ("CISCO-MOBILE-IP-MIB", "cmiSecKey"), ("CISCO-MOBILE-IP-MIB", "cmiSecReplayMethod"), ("CISCO-MOBILE-IP-MIB", "cmiSecStatus")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpSecAssocGroup = ciscoMobileIpSecAssocGroup.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpSecAssocGroup.setDescription('A collection of objects providing the management information for security associations of Mobile IP entities. Superseded by ciscoMobileIpSecAssocGroupV12R02') ciscoMobileIpHaRedunGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 5)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiHaRedunSentBUs"), ("CISCO-MOBILE-IP-MIB", "cmiHaRedunFailedBUs"), ("CISCO-MOBILE-IP-MIB", "cmiHaRedunReceivedBUAcks"), ("CISCO-MOBILE-IP-MIB", "cmiHaRedunTotalSentBUs"), ("CISCO-MOBILE-IP-MIB", "cmiHaRedunReceivedBUs"), ("CISCO-MOBILE-IP-MIB", "cmiHaRedunSentBUAcks"), ("CISCO-MOBILE-IP-MIB", "cmiHaRedunSentBIReqs"), ("CISCO-MOBILE-IP-MIB", "cmiHaRedunFailedBIReqs"), ("CISCO-MOBILE-IP-MIB", "cmiHaRedunTotalSentBIReqs"), ("CISCO-MOBILE-IP-MIB", "cmiHaRedunReceivedBIReps"), ("CISCO-MOBILE-IP-MIB", "cmiHaRedunDroppedBIReps"), ("CISCO-MOBILE-IP-MIB", "cmiHaRedunSentBIAcks"), ("CISCO-MOBILE-IP-MIB", "cmiHaRedunReceivedBIReqs"), ("CISCO-MOBILE-IP-MIB", "cmiHaRedunSentBIReps"), ("CISCO-MOBILE-IP-MIB", "cmiHaRedunFailedBIReps"), ("CISCO-MOBILE-IP-MIB", "cmiHaRedunTotalSentBIReps"), ("CISCO-MOBILE-IP-MIB", "cmiHaRedunReceivedBIAcks"), ("CISCO-MOBILE-IP-MIB", "cmiHaRedunDroppedBIAcks"), ("CISCO-MOBILE-IP-MIB", "cmiHaRedunSecViolations")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpHaRedunGroup = ciscoMobileIpHaRedunGroup.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpHaRedunGroup.setDescription('A collection of objects providing management information for the redundancy function within a home agent.') ciscoMobileIpSecViolationGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 7)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiSecTotalViolations"), ("CISCO-MOBILE-IP-MIB", "cmiSecRecentViolationSPI"), ("CISCO-MOBILE-IP-MIB", "cmiSecRecentViolationTime"), ("CISCO-MOBILE-IP-MIB", "cmiSecRecentViolationIDLow"), ("CISCO-MOBILE-IP-MIB", "cmiSecRecentViolationIDHigh"), ("CISCO-MOBILE-IP-MIB", "cmiSecRecentViolationReason")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpSecViolationGroup = ciscoMobileIpSecViolationGroup.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpSecViolationGroup.setDescription('A collection of objects providing the management information for security violation logging of Mobile IP entities.') ciscoMobileIpMaRegGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 8)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiMaRegMaxInMinuteRegs"), ("CISCO-MOBILE-IP-MIB", "cmiMaRegDateMaxRegsReceived"), ("CISCO-MOBILE-IP-MIB", "cmiMaRegInLastMinuteRegs")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpMaRegGroup = ciscoMobileIpMaRegGroup.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpMaRegGroup.setDescription('A collection of objects providing the management information for the registration function within a mobility agent.') ciscoMobileIpFaRegGroupV12R03r1 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 11)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiFaRegTotalVisitors"), ("CISCO-MOBILE-IP-MIB", "cmiFaRegVisitorHomeAddress"), ("CISCO-MOBILE-IP-MIB", "cmiFaRegVisitorHomeAgentAddress"), ("CISCO-MOBILE-IP-MIB", "cmiFaRegVisitorTimeGranted"), ("CISCO-MOBILE-IP-MIB", "cmiFaRegVisitorTimeRemaining"), ("CISCO-MOBILE-IP-MIB", "cmiFaRegVisitorRegIDLow"), ("CISCO-MOBILE-IP-MIB", "cmiFaRegVisitorRegIDHigh"), ("CISCO-MOBILE-IP-MIB", "cmiFaRegVisitorRegIsAccepted"), ("CISCO-MOBILE-IP-MIB", "cmiFaRegVisitorRegFlagsRev1"), ("CISCO-MOBILE-IP-MIB", "cmiFaRegVisitorChallengeValue"), ("CISCO-MOBILE-IP-MIB", "cmiFaInitRegRequestsReceived"), ("CISCO-MOBILE-IP-MIB", "cmiFaInitRegRequestsDiscarded"), ("CISCO-MOBILE-IP-MIB", "cmiFaInitRegRequestsRelayed"), ("CISCO-MOBILE-IP-MIB", "cmiFaInitRegRequestsDenied"), ("CISCO-MOBILE-IP-MIB", "cmiFaInitRegRepliesValidFromHA"), ("CISCO-MOBILE-IP-MIB", "cmiFaInitRegRepliesValidRelayMN"), ("CISCO-MOBILE-IP-MIB", "cmiFaReRegRequestsReceived"), ("CISCO-MOBILE-IP-MIB", "cmiFaReRegRequestsDiscarded"), ("CISCO-MOBILE-IP-MIB", "cmiFaReRegRequestsRelayed"), ("CISCO-MOBILE-IP-MIB", "cmiFaReRegRequestsDenied"), ("CISCO-MOBILE-IP-MIB", "cmiFaReRegRepliesValidFromHA"), ("CISCO-MOBILE-IP-MIB", "cmiFaReRegRepliesValidRelayToMN"), ("CISCO-MOBILE-IP-MIB", "cmiFaDeRegRequestsReceived"), ("CISCO-MOBILE-IP-MIB", "cmiFaDeRegRequestsDiscarded"), ("CISCO-MOBILE-IP-MIB", "cmiFaDeRegRequestsRelayed"), ("CISCO-MOBILE-IP-MIB", "cmiFaDeRegRequestsDenied"), ("CISCO-MOBILE-IP-MIB", "cmiFaDeRegRepliesValidFromHA"), ("CISCO-MOBILE-IP-MIB", "cmiFaDeRegRepliesValidRelayToMN"), ("CISCO-MOBILE-IP-MIB", "cmiFaReverseTunnelUnavailable"), ("CISCO-MOBILE-IP-MIB", "cmiFaReverseTunnelBitNotSet"), ("CISCO-MOBILE-IP-MIB", "cmiFaMnTooDistant"), ("CISCO-MOBILE-IP-MIB", "cmiFaDeliveryStyleUnsupported"), ("CISCO-MOBILE-IP-MIB", "cmiFaUnknownChallenge"), ("CISCO-MOBILE-IP-MIB", "cmiFaMissingChallenge"), ("CISCO-MOBILE-IP-MIB", "cmiFaStaleChallenge"), ("CISCO-MOBILE-IP-MIB", "cmiFaCvsesFromMnRejected"), ("CISCO-MOBILE-IP-MIB", "cmiFaCvsesFromHaRejected"), ("CISCO-MOBILE-IP-MIB", "cmiFaNvsesFromMnNeglected"), ("CISCO-MOBILE-IP-MIB", "cmiFaNvsesFromHaNeglected")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpFaRegGroupV12R03r1 = ciscoMobileIpFaRegGroupV12R03r1.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpFaRegGroupV12R03r1.setDescription('A collection of objects providing management information for the registration function within a foreign agent.') ciscoMobileIpHaRegGroupV12R03r1 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 12)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiHaRegTotalMobilityBindings"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegMnIdentifierType"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegMnIdentifier"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegMobilityBindingRegFlags"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegServAcceptedRequests"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegServDeniedRequests"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegOverallServTime"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegRecentServAcceptedTime"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegRecentServDeniedTime"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegRecentServDeniedCode"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegTotalProcLocRegs"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegMaxProcLocInMinRegs"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegDateMaxRegsProcLoc"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegProcLocInLastMinRegs"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegTotalProcByAAARegs"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegMaxProcByAAAInMinRegs"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegDateMaxRegsProcByAAA"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegProcAAAInLastByMinRegs"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegAvgTimeRegsProcByAAA"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegMaxTimeRegsProcByAAA"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegRequestsReceived"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegRequestsDenied"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegRequestsDiscarded"), ("CISCO-MOBILE-IP-MIB", "cmiHaEncapUnavailable"), ("CISCO-MOBILE-IP-MIB", "cmiHaNAICheckFailures"), ("CISCO-MOBILE-IP-MIB", "cmiHaInitRegRequestsReceived"), ("CISCO-MOBILE-IP-MIB", "cmiHaInitRegRequestsAccepted"), ("CISCO-MOBILE-IP-MIB", "cmiHaInitRegRequestsDenied"), ("CISCO-MOBILE-IP-MIB", "cmiHaInitRegRequestsDiscarded"), ("CISCO-MOBILE-IP-MIB", "cmiHaReRegRequestsReceived"), ("CISCO-MOBILE-IP-MIB", "cmiHaReRegRequestsAccepted"), ("CISCO-MOBILE-IP-MIB", "cmiHaReRegRequestsDenied"), ("CISCO-MOBILE-IP-MIB", "cmiHaReRegRequestsDiscarded"), ("CISCO-MOBILE-IP-MIB", "cmiHaDeRegRequestsReceived"), ("CISCO-MOBILE-IP-MIB", "cmiHaDeRegRequestsAccepted"), ("CISCO-MOBILE-IP-MIB", "cmiHaDeRegRequestsDenied"), ("CISCO-MOBILE-IP-MIB", "cmiHaDeRegRequestsDiscarded"), ("CISCO-MOBILE-IP-MIB", "cmiHaReverseTunnelUnavailable"), ("CISCO-MOBILE-IP-MIB", "cmiHaReverseTunnelBitNotSet"), ("CISCO-MOBILE-IP-MIB", "cmiHaEncapsulationUnavailable"), ("CISCO-MOBILE-IP-MIB", "cmiHaCvsesFromMnRejected"), ("CISCO-MOBILE-IP-MIB", "cmiHaCvsesFromFaRejected"), ("CISCO-MOBILE-IP-MIB", "cmiHaNvsesFromMnNeglected"), ("CISCO-MOBILE-IP-MIB", "cmiHaNvsesFromFaNeglected")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpHaRegGroupV12R03r1 = ciscoMobileIpHaRegGroupV12R03r1.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpHaRegGroupV12R03r1.setDescription('A collection of objects providing management information for the registration function within a home agent.') ciscoMobileIpFaAdvertisementGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 13)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiFaAdvertIsBusy"), ("CISCO-MOBILE-IP-MIB", "cmiFaAdvertRegRequired"), ("CISCO-MOBILE-IP-MIB", "cmiFaAdvertChallengeWindow"), ("CISCO-MOBILE-IP-MIB", "cmiFaAdvertChallengeValue")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpFaAdvertisementGroup = ciscoMobileIpFaAdvertisementGroup.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpFaAdvertisementGroup.setDescription('A collection of objects providing supplemental management information for the Agent Advertisement function within a foreign agent.') ciscoMobileIpFaSystemGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 14)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiFaRevTunnelSupported"), ("CISCO-MOBILE-IP-MIB", "cmiFaChallengeSupported"), ("CISCO-MOBILE-IP-MIB", "cmiFaEncapDeliveryStyleSupported"), ("CISCO-MOBILE-IP-MIB", "cmiFaReverseTunnelEnable"), ("CISCO-MOBILE-IP-MIB", "cmiFaChallengeEnable"), ("CISCO-MOBILE-IP-MIB", "cmiFaAdvertChallengeChapSPI"), ("CISCO-MOBILE-IP-MIB", "cmiFaCoaInterfaceOnly"), ("CISCO-MOBILE-IP-MIB", "cmiFaCoaTransmitOnly"), ("CISCO-MOBILE-IP-MIB", "cmiFaCoaRegAsymLink")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpFaSystemGroup = ciscoMobileIpFaSystemGroup.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpFaSystemGroup.setDescription('A collection of objects providing the supporting/ enabled feature information within a foreign agent.') ciscoMobileIpMnDiscoveryGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 15)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiMnAdvFlags")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpMnDiscoveryGroup = ciscoMobileIpMnDiscoveryGroup.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpMnDiscoveryGroup.setDescription('Group which supports the recently changed Adv Flag') ciscoMobileIpMnRegistrationGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 16)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiMnRegFlags")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpMnRegistrationGroup = ciscoMobileIpMnRegistrationGroup.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpMnRegistrationGroup.setDescription('Group having information about Mn registration') ciscoMobileIpHaMobNetGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 17)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiHaMrDynamic"), ("CISCO-MOBILE-IP-MIB", "cmiHaMrStatus"), ("CISCO-MOBILE-IP-MIB", "cmiHaMobNetDynamic"), ("CISCO-MOBILE-IP-MIB", "cmiHaMobNetStatus")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpHaMobNetGroup = ciscoMobileIpHaMobNetGroup.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpHaMobNetGroup.setDescription('A collection of objects providing the management information related to mobile networks in a home agent.') ciscoMobileIpMrSystemGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 18)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiMrReverseTunnel"), ("CISCO-MOBILE-IP-MIB", "cmiMrRedundancyGroup"), ("CISCO-MOBILE-IP-MIB", "cmiMrMobNetAddrType"), ("CISCO-MOBILE-IP-MIB", "cmiMrMobNetAddr"), ("CISCO-MOBILE-IP-MIB", "cmiMrMobNetPfxLen"), ("CISCO-MOBILE-IP-MIB", "cmiMrMobNetStatus"), ("CISCO-MOBILE-IP-MIB", "cmiMrHaTunnelIfIndex"), ("CISCO-MOBILE-IP-MIB", "cmiMrHAPriority"), ("CISCO-MOBILE-IP-MIB", "cmiMrHABest"), ("CISCO-MOBILE-IP-MIB", "cmiMRIfDescription"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfHoldDown"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfRoamPriority"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfSolicitPeriodic"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfSolicitInterval"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfSolicitRetransInitial"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfSolicitRetransMax"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfSolicitRetransLimit"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfSolicitRetransCurrent"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfSolicitRetransRemaining"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfSolicitRetransCount"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfCCoaAddressType"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfCCoaAddress"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfCCoaDefaultGwType"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfCCoaDefaultGw"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfCCoaRegRetry"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfCCoaRegRetryRemaining"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfStatus"), ("CISCO-MOBILE-IP-MIB", "cmiMrBetterIfDetected"), ("CISCO-MOBILE-IP-MIB", "cmiMrTunnelPktsRcvd"), ("CISCO-MOBILE-IP-MIB", "cmiMrTunnelPktsSent"), ("CISCO-MOBILE-IP-MIB", "cmiMrTunnelBytesRcvd"), ("CISCO-MOBILE-IP-MIB", "cmiMrTunnelBytesSent"), ("CISCO-MOBILE-IP-MIB", "cmiMrRedStateActive"), ("CISCO-MOBILE-IP-MIB", "cmiMrRedStatePassive")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpMrSystemGroup = ciscoMobileIpMrSystemGroup.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpMrSystemGroup.setDescription('A collection of objects providing the management information in a mobile router.') ciscoMobileIpMrDiscoveryGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 19)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiMrMaIsHa"), ("CISCO-MOBILE-IP-MIB", "cmiMrMaAdvRcvIf"), ("CISCO-MOBILE-IP-MIB", "cmiMrMaIfMacAddress"), ("CISCO-MOBILE-IP-MIB", "cmiMrMaAdvSequence"), ("CISCO-MOBILE-IP-MIB", "cmiMrMaAdvFlags"), ("CISCO-MOBILE-IP-MIB", "cmiMrMaAdvMaxRegLifetime"), ("CISCO-MOBILE-IP-MIB", "cmiMrMaAdvMaxLifetime"), ("CISCO-MOBILE-IP-MIB", "cmiMrMaAdvLifetimeRemaining"), ("CISCO-MOBILE-IP-MIB", "cmiMrMaAdvTimeReceived"), ("CISCO-MOBILE-IP-MIB", "cmiMrMaAdvTimeFirstHeard"), ("CISCO-MOBILE-IP-MIB", "cmiMrMaHoldDownRemaining")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpMrDiscoveryGroup = ciscoMobileIpMrDiscoveryGroup.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpMrDiscoveryGroup.setDescription('A collection of objects providing the management information for the agent discovery function in a mobile router.') ciscoMobileIpMrRegistrationGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 20)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiMrRegExtendExpire"), ("CISCO-MOBILE-IP-MIB", "cmiMrRegExtendRetry"), ("CISCO-MOBILE-IP-MIB", "cmiMrRegExtendInterval"), ("CISCO-MOBILE-IP-MIB", "cmiMrRegLifetime"), ("CISCO-MOBILE-IP-MIB", "cmiMrRegRetransInitial"), ("CISCO-MOBILE-IP-MIB", "cmiMrRegRetransMax"), ("CISCO-MOBILE-IP-MIB", "cmiMrRegRetransLimit"), ("CISCO-MOBILE-IP-MIB", "cmiMrRegNewHa")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpMrRegistrationGroup = ciscoMobileIpMrRegistrationGroup.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpMrRegistrationGroup.setDescription('A collection of objects providing the management information for the registration function within a mobile router.') ciscoMobileIpTrapObjectsGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 21)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiTrapControl")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpTrapObjectsGroup = ciscoMobileIpTrapObjectsGroup.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpTrapObjectsGroup.setDescription('A collection of objects providing the management information related to notifications in Mobile IP entities.') ciscoMobileIpMrNotificationGroup = NotificationGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 22)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiMrStateChange"), ("CISCO-MOBILE-IP-MIB", "cmiMrCoaChange"), ("CISCO-MOBILE-IP-MIB", "cmiMrNewMA")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpMrNotificationGroup = ciscoMobileIpMrNotificationGroup.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpMrNotificationGroup.setDescription('Group of notifications on a Mobile Router.') ciscoMobileIpSecAssocGroupV12R02 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 23)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiSecAssocsCount"), ("CISCO-MOBILE-IP-MIB", "cmiSecAlgorithmType"), ("CISCO-MOBILE-IP-MIB", "cmiSecAlgorithmMode"), ("CISCO-MOBILE-IP-MIB", "cmiSecReplayMethod"), ("CISCO-MOBILE-IP-MIB", "cmiSecStatus"), ("CISCO-MOBILE-IP-MIB", "cmiSecKey2")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpSecAssocGroupV12R02 = ciscoMobileIpSecAssocGroupV12R02.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpSecAssocGroupV12R02.setDescription('A collection of objects providing the management information for security associations of Mobile IP entities.') cmiMaAdvertisementGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 24)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiMaInterfaceAddressType"), ("CISCO-MOBILE-IP-MIB", "cmiMaInterfaceAddress"), ("CISCO-MOBILE-IP-MIB", "cmiMaAdvMaxRegLifetime"), ("CISCO-MOBILE-IP-MIB", "cmiMaAdvPrefixLengthInclusion"), ("CISCO-MOBILE-IP-MIB", "cmiMaAdvAddress"), ("CISCO-MOBILE-IP-MIB", "cmiMaAdvAddressType"), ("CISCO-MOBILE-IP-MIB", "cmiMaAdvMaxInterval"), ("CISCO-MOBILE-IP-MIB", "cmiMaAdvMinInterval"), ("CISCO-MOBILE-IP-MIB", "cmiMaAdvMaxAdvLifetime"), ("CISCO-MOBILE-IP-MIB", "cmiMaAdvResponseSolicitationOnly"), ("CISCO-MOBILE-IP-MIB", "cmiMaAdvStatus")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cmiMaAdvertisementGroup = cmiMaAdvertisementGroup.setStatus('current') if mibBuilder.loadTexts: cmiMaAdvertisementGroup.setDescription('A collection of objects providing management information for the Agent Advertisement function within mobility agents.') ciscoMobileIpMrSystemGroupV1 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 25)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiMrReverseTunnel"), ("CISCO-MOBILE-IP-MIB", "cmiMrRedundancyGroup"), ("CISCO-MOBILE-IP-MIB", "cmiMrMobNetAddrType"), ("CISCO-MOBILE-IP-MIB", "cmiMrMobNetAddr"), ("CISCO-MOBILE-IP-MIB", "cmiMrMobNetPfxLen"), ("CISCO-MOBILE-IP-MIB", "cmiMrMobNetStatus"), ("CISCO-MOBILE-IP-MIB", "cmiMrHaTunnelIfIndex"), ("CISCO-MOBILE-IP-MIB", "cmiMrHAPriority"), ("CISCO-MOBILE-IP-MIB", "cmiMrHABest"), ("CISCO-MOBILE-IP-MIB", "cmiMRIfDescription"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfHoldDown"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfRoamPriority"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfSolicitPeriodic"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfSolicitInterval"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfSolicitRetransInitial"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfSolicitRetransMax"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfSolicitRetransLimit"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfSolicitRetransCurrent"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfSolicitRetransRemaining"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfSolicitRetransCount"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfCCoaAddressType"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfCCoaAddress"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfCCoaDefaultGwType"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfCCoaDefaultGw"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfCCoaRegRetry"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfCCoaRegRetryRemaining"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfStatus"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfCCoaRegistration"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfCCoaOnly"), ("CISCO-MOBILE-IP-MIB", "cmiMrBetterIfDetected"), ("CISCO-MOBILE-IP-MIB", "cmiMrTunnelPktsRcvd"), ("CISCO-MOBILE-IP-MIB", "cmiMrTunnelPktsSent"), ("CISCO-MOBILE-IP-MIB", "cmiMrTunnelBytesRcvd"), ("CISCO-MOBILE-IP-MIB", "cmiMrTunnelBytesSent"), ("CISCO-MOBILE-IP-MIB", "cmiMrRedStateActive"), ("CISCO-MOBILE-IP-MIB", "cmiMrRedStatePassive"), ("CISCO-MOBILE-IP-MIB", "cmiMrCollocatedTunnel")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpMrSystemGroupV1 = ciscoMobileIpMrSystemGroupV1.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpMrSystemGroupV1.setDescription('A collection of objects providing the management information in a mobile router.') ciscoMobileIpMrSystemGroupV2 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 26)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiMrReverseTunnel"), ("CISCO-MOBILE-IP-MIB", "cmiMrRedundancyGroup"), ("CISCO-MOBILE-IP-MIB", "cmiMrMobNetAddrType"), ("CISCO-MOBILE-IP-MIB", "cmiMrMobNetAddr"), ("CISCO-MOBILE-IP-MIB", "cmiMrMobNetPfxLen"), ("CISCO-MOBILE-IP-MIB", "cmiMrMobNetStatus"), ("CISCO-MOBILE-IP-MIB", "cmiMrHaTunnelIfIndex"), ("CISCO-MOBILE-IP-MIB", "cmiMrHAPriority"), ("CISCO-MOBILE-IP-MIB", "cmiMrHABest"), ("CISCO-MOBILE-IP-MIB", "cmiMRIfDescription"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfHoldDown"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfRoamPriority"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfSolicitPeriodic"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfSolicitInterval"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfSolicitRetransInitial"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfSolicitRetransMax"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfSolicitRetransLimit"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfSolicitRetransCurrent"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfSolicitRetransRemaining"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfSolicitRetransCount"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfCCoaAddressType"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfCCoaAddress"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfCCoaDefaultGwType"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfCCoaDefaultGw"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfCCoaRegRetry"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfCCoaRegRetryRemaining"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfStatus"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfCCoaRegistration"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfCCoaOnly"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfCCoaEnable"), ("CISCO-MOBILE-IP-MIB", "cmiMrBetterIfDetected"), ("CISCO-MOBILE-IP-MIB", "cmiMrTunnelPktsRcvd"), ("CISCO-MOBILE-IP-MIB", "cmiMrTunnelPktsSent"), ("CISCO-MOBILE-IP-MIB", "cmiMrTunnelBytesRcvd"), ("CISCO-MOBILE-IP-MIB", "cmiMrTunnelBytesSent"), ("CISCO-MOBILE-IP-MIB", "cmiMrRedStateActive"), ("CISCO-MOBILE-IP-MIB", "cmiMrRedStatePassive"), ("CISCO-MOBILE-IP-MIB", "cmiMrCollocatedTunnel")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpMrSystemGroupV2 = ciscoMobileIpMrSystemGroupV2.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpMrSystemGroupV2.setDescription('A collection of objects providing the management information in a mobile router.') ciscoMobileIpFaRegGroupV12R03r2 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 27)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiFaRegTotalVisitors"), ("CISCO-MOBILE-IP-MIB", "cmiFaRegVisitorHomeAddress"), ("CISCO-MOBILE-IP-MIB", "cmiFaRegVisitorHomeAgentAddress"), ("CISCO-MOBILE-IP-MIB", "cmiFaRegVisitorTimeGranted"), ("CISCO-MOBILE-IP-MIB", "cmiFaRegVisitorTimeRemaining"), ("CISCO-MOBILE-IP-MIB", "cmiFaRegVisitorRegIDLow"), ("CISCO-MOBILE-IP-MIB", "cmiFaRegVisitorRegIDHigh"), ("CISCO-MOBILE-IP-MIB", "cmiFaRegVisitorRegIsAccepted"), ("CISCO-MOBILE-IP-MIB", "cmiFaRegVisitorRegFlagsRev1"), ("CISCO-MOBILE-IP-MIB", "cmiFaRegVisitorChallengeValue"), ("CISCO-MOBILE-IP-MIB", "cmiFaInitRegRequestsReceived"), ("CISCO-MOBILE-IP-MIB", "cmiFaInitRegRequestsDiscarded"), ("CISCO-MOBILE-IP-MIB", "cmiFaInitRegRequestsRelayed"), ("CISCO-MOBILE-IP-MIB", "cmiFaInitRegRequestsDenied"), ("CISCO-MOBILE-IP-MIB", "cmiFaInitRegRepliesValidFromHA"), ("CISCO-MOBILE-IP-MIB", "cmiFaInitRegRepliesValidRelayMN"), ("CISCO-MOBILE-IP-MIB", "cmiFaReRegRequestsReceived"), ("CISCO-MOBILE-IP-MIB", "cmiFaReRegRequestsDiscarded"), ("CISCO-MOBILE-IP-MIB", "cmiFaReRegRequestsRelayed"), ("CISCO-MOBILE-IP-MIB", "cmiFaReRegRequestsDenied"), ("CISCO-MOBILE-IP-MIB", "cmiFaReRegRepliesValidFromHA"), ("CISCO-MOBILE-IP-MIB", "cmiFaReRegRepliesValidRelayToMN"), ("CISCO-MOBILE-IP-MIB", "cmiFaDeRegRequestsReceived"), ("CISCO-MOBILE-IP-MIB", "cmiFaDeRegRequestsDiscarded"), ("CISCO-MOBILE-IP-MIB", "cmiFaDeRegRequestsRelayed"), ("CISCO-MOBILE-IP-MIB", "cmiFaDeRegRequestsDenied"), ("CISCO-MOBILE-IP-MIB", "cmiFaDeRegRepliesValidFromHA"), ("CISCO-MOBILE-IP-MIB", "cmiFaDeRegRepliesValidRelayToMN"), ("CISCO-MOBILE-IP-MIB", "cmiFaReverseTunnelUnavailable"), ("CISCO-MOBILE-IP-MIB", "cmiFaReverseTunnelBitNotSet"), ("CISCO-MOBILE-IP-MIB", "cmiFaMnTooDistant"), ("CISCO-MOBILE-IP-MIB", "cmiFaDeliveryStyleUnsupported"), ("CISCO-MOBILE-IP-MIB", "cmiFaUnknownChallenge"), ("CISCO-MOBILE-IP-MIB", "cmiFaMissingChallenge"), ("CISCO-MOBILE-IP-MIB", "cmiFaStaleChallenge"), ("CISCO-MOBILE-IP-MIB", "cmiFaCvsesFromMnRejected"), ("CISCO-MOBILE-IP-MIB", "cmiFaCvsesFromHaRejected"), ("CISCO-MOBILE-IP-MIB", "cmiFaNvsesFromMnNeglected"), ("CISCO-MOBILE-IP-MIB", "cmiFaNvsesFromHaNeglected"), ("CISCO-MOBILE-IP-MIB", "cmiFaTotalRegRequests"), ("CISCO-MOBILE-IP-MIB", "cmiFaTotalRegReplies"), ("CISCO-MOBILE-IP-MIB", "cmiFaMnFaAuthFailures"), ("CISCO-MOBILE-IP-MIB", "cmiFaMnAAAAuthFailures")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpFaRegGroupV12R03r2 = ciscoMobileIpFaRegGroupV12R03r2.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpFaRegGroupV12R03r2.setDescription('A collection of objects providing management information for the registration function within a foreign agent.') ciscoMobileIpHaRegGroupV12R03r2 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 28)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiHaRegTotalMobilityBindings"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegMnIdentifierType"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegMnIdentifier"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegMobilityBindingRegFlags"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegServAcceptedRequests"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegServDeniedRequests"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegOverallServTime"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegRecentServAcceptedTime"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegRecentServDeniedTime"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegRecentServDeniedCode"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegTotalProcLocRegs"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegMaxProcLocInMinRegs"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegDateMaxRegsProcLoc"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegProcLocInLastMinRegs"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegTotalProcByAAARegs"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegMaxProcByAAAInMinRegs"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegDateMaxRegsProcByAAA"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegProcAAAInLastByMinRegs"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegAvgTimeRegsProcByAAA"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegMaxTimeRegsProcByAAA"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegRequestsReceived"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegRequestsDenied"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegRequestsDiscarded"), ("CISCO-MOBILE-IP-MIB", "cmiHaEncapUnavailable"), ("CISCO-MOBILE-IP-MIB", "cmiHaNAICheckFailures"), ("CISCO-MOBILE-IP-MIB", "cmiHaInitRegRequestsReceived"), ("CISCO-MOBILE-IP-MIB", "cmiHaInitRegRequestsAccepted"), ("CISCO-MOBILE-IP-MIB", "cmiHaInitRegRequestsDenied"), ("CISCO-MOBILE-IP-MIB", "cmiHaInitRegRequestsDiscarded"), ("CISCO-MOBILE-IP-MIB", "cmiHaReRegRequestsReceived"), ("CISCO-MOBILE-IP-MIB", "cmiHaReRegRequestsAccepted"), ("CISCO-MOBILE-IP-MIB", "cmiHaReRegRequestsDenied"), ("CISCO-MOBILE-IP-MIB", "cmiHaReRegRequestsDiscarded"), ("CISCO-MOBILE-IP-MIB", "cmiHaDeRegRequestsReceived"), ("CISCO-MOBILE-IP-MIB", "cmiHaDeRegRequestsAccepted"), ("CISCO-MOBILE-IP-MIB", "cmiHaDeRegRequestsDenied"), ("CISCO-MOBILE-IP-MIB", "cmiHaDeRegRequestsDiscarded"), ("CISCO-MOBILE-IP-MIB", "cmiHaReverseTunnelUnavailable"), ("CISCO-MOBILE-IP-MIB", "cmiHaReverseTunnelBitNotSet"), ("CISCO-MOBILE-IP-MIB", "cmiHaEncapsulationUnavailable"), ("CISCO-MOBILE-IP-MIB", "cmiHaCvsesFromMnRejected"), ("CISCO-MOBILE-IP-MIB", "cmiHaCvsesFromFaRejected"), ("CISCO-MOBILE-IP-MIB", "cmiHaNvsesFromMnNeglected"), ("CISCO-MOBILE-IP-MIB", "cmiHaNvsesFromFaNeglected"), ("CISCO-MOBILE-IP-MIB", "cmiHaMnHaAuthFailures"), ("CISCO-MOBILE-IP-MIB", "cmiHaMnAAAAuthFailures")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpHaRegGroupV12R03r2 = ciscoMobileIpHaRegGroupV12R03r2.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpHaRegGroupV12R03r2.setDescription('A collection of objects providing management information for the registration function within a home agent.') ciscoMobileIpTrapObjectsGroupV2 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 29)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiTrapControl"), ("CISCO-MOBILE-IP-MIB", "cmiNtRegCOA"), ("CISCO-MOBILE-IP-MIB", "cmiNtRegCOAType"), ("CISCO-MOBILE-IP-MIB", "cmiNtRegHAAddrType"), ("CISCO-MOBILE-IP-MIB", "cmiNtRegHomeAgent"), ("CISCO-MOBILE-IP-MIB", "cmiNtRegHomeAddressType"), ("CISCO-MOBILE-IP-MIB", "cmiNtRegHomeAddress"), ("CISCO-MOBILE-IP-MIB", "cmiNtRegNAI"), ("CISCO-MOBILE-IP-MIB", "cmiNtRegDeniedCode")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpTrapObjectsGroupV2 = ciscoMobileIpTrapObjectsGroupV2.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpTrapObjectsGroupV2.setDescription('A collection of objects providing the management information related to notifications in Mobile IP entities.') ciscoMobileIpMrNotificationGroupV2 = NotificationGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 30)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiMrStateChange"), ("CISCO-MOBILE-IP-MIB", "cmiMrCoaChange"), ("CISCO-MOBILE-IP-MIB", "cmiMrNewMA"), ("CISCO-MOBILE-IP-MIB", "cmiHaMnRegReqFailed")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpMrNotificationGroupV2 = ciscoMobileIpMrNotificationGroupV2.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpMrNotificationGroupV2.setDescription('Group of notifications on a Mobile Router.') ciscoMobileIpMrSystemGroupV3 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 31)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiMrReverseTunnel"), ("CISCO-MOBILE-IP-MIB", "cmiMrRedundancyGroup"), ("CISCO-MOBILE-IP-MIB", "cmiMrMobNetAddrType"), ("CISCO-MOBILE-IP-MIB", "cmiMrMobNetAddr"), ("CISCO-MOBILE-IP-MIB", "cmiMrMobNetPfxLen"), ("CISCO-MOBILE-IP-MIB", "cmiMrMobNetStatus"), ("CISCO-MOBILE-IP-MIB", "cmiMrHaTunnelIfIndex"), ("CISCO-MOBILE-IP-MIB", "cmiMrHAPriority"), ("CISCO-MOBILE-IP-MIB", "cmiMrHABest"), ("CISCO-MOBILE-IP-MIB", "cmiMRIfDescription"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfHoldDown"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfRoamPriority"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfSolicitPeriodic"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfSolicitInterval"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfSolicitRetransInitial"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfSolicitRetransMax"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfSolicitRetransLimit"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfSolicitRetransCurrent"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfSolicitRetransRemaining"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfSolicitRetransCount"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfCCoaAddressType"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfCCoaAddress"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfCCoaDefaultGwType"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfCCoaDefaultGw"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfCCoaRegRetry"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfCCoaRegRetryRemaining"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfStatus"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfCCoaRegistration"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfCCoaOnly"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfCCoaEnable"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfRoamStatus"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfRegisteredCoAType"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfRegisteredCoA"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfRegisteredMaAddrType"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfRegisteredMaAddr"), ("CISCO-MOBILE-IP-MIB", "cmiMrBetterIfDetected"), ("CISCO-MOBILE-IP-MIB", "cmiMrTunnelPktsRcvd"), ("CISCO-MOBILE-IP-MIB", "cmiMrTunnelPktsSent"), ("CISCO-MOBILE-IP-MIB", "cmiMrTunnelBytesRcvd"), ("CISCO-MOBILE-IP-MIB", "cmiMrTunnelBytesSent"), ("CISCO-MOBILE-IP-MIB", "cmiMrRedStateActive"), ("CISCO-MOBILE-IP-MIB", "cmiMrRedStatePassive"), ("CISCO-MOBILE-IP-MIB", "cmiMrCollocatedTunnel")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpMrSystemGroupV3 = ciscoMobileIpMrSystemGroupV3.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpMrSystemGroupV3.setDescription('A collection of objects providing the management information in a mobile router.') ciscoMobileIpHaRegGroupV12R03r2Sup1 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 32)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiHaRegMnIfDescription"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegMnIfBandwidth"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegMnIfID"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegMnIfPathMetricType")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpHaRegGroupV12R03r2Sup1 = ciscoMobileIpHaRegGroupV12R03r2Sup1.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpHaRegGroupV12R03r2Sup1.setDescription('Additional objects for providing management information for the registration function within a home agent.') ciscoMobileIpHaMobNetGroupSup1 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 33)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiHaMrMultiPath"), ("CISCO-MOBILE-IP-MIB", "cmiHaMrMultiPathMetricType")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpHaMobNetGroupSup1 = ciscoMobileIpHaMobNetGroupSup1.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpHaMobNetGroupSup1.setDescription('Additional objects providing the management information related to mobile networks in a home agent.') ciscoMobileIpMrSystemGroupV3Sup1 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 34)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiMrIfHaTunnelIfIndex"), ("CISCO-MOBILE-IP-MIB", "cmiMrIfID"), ("CISCO-MOBILE-IP-MIB", "cmiMrMultiPath"), ("CISCO-MOBILE-IP-MIB", "cmiMrMultiPathMetricType")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpMrSystemGroupV3Sup1 = ciscoMobileIpMrSystemGroupV3Sup1.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpMrSystemGroupV3Sup1.setDescription('Additional objects providing the management information in a mobile router specific to multiple tunnels feature.') ciscoMobileIpHaRegGroupV12R03r2Sup2 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 35)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiHaRegMobilityBindingMacAddress")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpHaRegGroupV12R03r2Sup2 = ciscoMobileIpHaRegGroupV12R03r2Sup2.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpHaRegGroupV12R03r2Sup2.setDescription('Additional objects for providing management information for the registration function within a home agent.') ciscoMobileIpHaSystemGroupV1 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 36)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiHaSystemVersion")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpHaSystemGroupV1 = ciscoMobileIpHaSystemGroupV1.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpHaSystemGroupV1.setDescription('A collection of objects providing the management information in a home agent.') ciscoMobileIpMrNotificationGroupV3 = NotificationGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 37)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiHaMaxBindingsNotif")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpMrNotificationGroupV3 = ciscoMobileIpMrNotificationGroupV3.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpMrNotificationGroupV3.setDescription('This group supplements ciscoMobileIpMrNotificationGroupV2 with the Object cmiHaMaxBindingsNotif.') ciscoMobileIpHaRegGroupV1 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 38)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiHaMaximumBindings")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpHaRegGroupV1 = ciscoMobileIpHaRegGroupV1.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpHaRegGroupV1.setDescription('This group supplements ciscoMobileIpHaRegGroupV13R03r2 to provide the Object to configure the bindings on the home agent.') ciscoMobileIpHaRegIntervalStatsGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 39)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiHaRegIntervalSize"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegIntervalMaxActiveBindings"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegInterval3gpp2MaxActiveBindings"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegIntervalWimaxMaxActiveBindings")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpHaRegIntervalStatsGroup = ciscoMobileIpHaRegIntervalStatsGroup.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpHaRegIntervalStatsGroup.setDescription('This collection of objects provide the management information related to the active bindings on the Home Agent.') ciscoMobileIpHaRegTunnelStatsGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 40)).setObjects(("CISCO-MOBILE-IP-MIB", "cmiHaRegTunnelStatsTunnelType"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegTunnelStatsNumUsers"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegTunnelStatsDataRateInt"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegTunnelStatsInBitRate"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegTunnelStatsInPktRate"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegTunnelStatsInBytes"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegTunnelStatsInPkts"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegTunnelStatsOutBitRate"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegTunnelStatsOutPktRate"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegTunnelStatsOutBytes"), ("CISCO-MOBILE-IP-MIB", "cmiHaRegTunnelStatsOutPkts")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoMobileIpHaRegTunnelStatsGroup = ciscoMobileIpHaRegTunnelStatsGroup.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpHaRegTunnelStatsGroup.setDescription('This collection of objects provide the statistics of all the active tunnels between HA and CoA.') mibBuilder.exportSymbols("CISCO-MOBILE-IP-MIB", ciscoMobileIpFaRegGroupV12R03=ciscoMobileIpFaRegGroupV12R03, cmiHaRegMaxProcLocInMinRegs=cmiHaRegMaxProcLocInMinRegs, cmiFaAdvertChallengeWindow=cmiFaAdvertChallengeWindow, cmiFaRegVisitorHomeAddress=cmiFaRegVisitorHomeAddress, cmiMnRegistrationTable=cmiMnRegistrationTable, cmiMrIfCCoaRegRetry=cmiMrIfCCoaRegRetry, cmiHaRegIntervalMaxActiveBindings=cmiHaRegIntervalMaxActiveBindings, cmiMrMaAdvFlags=cmiMrMaAdvFlags, cmiSecViolatorIdentifier=cmiSecViolatorIdentifier, cmiMrIfEntry=cmiMrIfEntry, ciscoMobileIpSecAssocGroup=ciscoMobileIpSecAssocGroup, cmiHaRegRequestsDenied=cmiHaRegRequestsDenied, cmiMrIfRegisteredMaAddr=cmiMrIfRegisteredMaAddr, cmiHaRedunDroppedBIReps=cmiHaRedunDroppedBIReps, cmiMrMobNetPfxLen=cmiMrMobNetPfxLen, cmiHaRedunSentBIReqs=cmiHaRedunSentBIReqs, cmiFaEncapDeliveryStyleSupported=cmiFaEncapDeliveryStyleSupported, ciscoMobileIpMrNotificationGroupV3=ciscoMobileIpMrNotificationGroupV3, ciscoMobileIpFaRegGroupV12R03r2=ciscoMobileIpFaRegGroupV12R03r2, cmiHaReRegRequestsDiscarded=cmiHaReRegRequestsDiscarded, cmiHaRedunSentBIAcks=cmiHaRedunSentBIAcks, cmiHaRegMnIfBandwidth=cmiHaRegMnIfBandwidth, cmiHaRegMobilityBindingMacAddress=cmiHaRegMobilityBindingMacAddress, cmiHaRegTunnelStatsInBitRate=cmiHaRegTunnelStatsInBitRate, cmiFaDeRegRequestsRelayed=cmiFaDeRegRequestsRelayed, cmiHaMobNetAddress=cmiHaMobNetAddress, ciscoMobileIpMrSystemGroupV3Sup1=ciscoMobileIpMrSystemGroupV3Sup1, cmiHaRegTunnelStatsInBytes=cmiHaRegTunnelStatsInBytes, cmiHaRegProcLocInLastMinRegs=cmiHaRegProcLocInLastMinRegs, cmiMrSystem=cmiMrSystem, cmiHaRedun=cmiHaRedun, ciscoMobileIpMaRegGroup=ciscoMobileIpMaRegGroup, ciscoMobileIpSecAssocGroupV12R02=ciscoMobileIpSecAssocGroupV12R02, cmiMrIfID=cmiMrIfID, cmiFaMissingChallenge=cmiFaMissingChallenge, CmiRegistrationFlags=CmiRegistrationFlags, cmiMrRegNewHa=cmiMrRegNewHa, cmiMrIfCCoaEnable=cmiMrIfCCoaEnable, ciscoMobileIpFaSystemGroup=ciscoMobileIpFaSystemGroup, cmiFa=cmiFa, cmiHaRegTunnelStatsOutBytes=cmiHaRegTunnelStatsOutBytes, cmiMnRegistrationEntry=cmiMnRegistrationEntry, cmiMrMaAddressType=cmiMrMaAddressType, ciscoMobileIpTrapObjectsGroup=ciscoMobileIpTrapObjectsGroup, cmiTrapControl=cmiTrapControl, cmiHaMrStatus=cmiHaMrStatus, ciscoMobileIpComplianceV12R08=ciscoMobileIpComplianceV12R08, cmiHaInitRegRequestsAccepted=cmiHaInitRegRequestsAccepted, cmiHaRedunTotalSentBIReps=cmiHaRedunTotalSentBIReps, cmiFaDeRegRepliesValidRelayToMN=cmiFaDeRegRepliesValidRelayToMN, cmiFaRegVisitorTimeRemaining=cmiFaRegVisitorTimeRemaining, cmiMrRegistration=cmiMrRegistration, cmiHaRegRecentServDeniedTime=cmiHaRegRecentServDeniedTime, cmiMrIfCCoaRegRetryRemaining=cmiMrIfCCoaRegRetryRemaining, ciscoMobileIpMrRegistrationGroup=ciscoMobileIpMrRegistrationGroup, cmiMaAdvInterfaceIndex=cmiMaAdvInterfaceIndex, cmiHaSystemVersion=cmiHaSystemVersion, cmiFaAdvertConfTable=cmiFaAdvertConfTable, cmiHaRegIntervalSize=cmiHaRegIntervalSize, cmiHaRegMnIfDescription=cmiHaRegMnIfDescription, cmiSecTotalViolations=cmiSecTotalViolations, cmiHaRegMobilityBindingRegFlags=cmiHaRegMobilityBindingRegFlags, cmiFaInitRegRequestsDenied=cmiFaInitRegRequestsDenied, cmiHaDeRegRequestsAccepted=cmiHaDeRegRequestsAccepted, cmiFaDeliveryStyleUnsupported=cmiFaDeliveryStyleUnsupported, cmiHaRegTunnelStatsDestAddr=cmiHaRegTunnelStatsDestAddr, CmiEntityIdentifier=CmiEntityIdentifier, CmiSpi=CmiSpi, ciscoMobileIpCompliances=ciscoMobileIpCompliances, ciscoMobileIpComplianceV12R11=ciscoMobileIpComplianceV12R11, cmiMrIfSolicitRetransLimit=cmiMrIfSolicitRetransLimit, cmiFaReverseTunnelEnable=cmiFaReverseTunnelEnable, cmiFaRegVisitorTable=cmiFaRegVisitorTable, cmiHaMrDynamic=cmiHaMrDynamic, cmiHaMaxBindingsNotif=cmiHaMaxBindingsNotif, cmiHaRegTotalMobilityBindings=cmiHaRegTotalMobilityBindings, cmiFaInitRegRequestsReceived=cmiFaInitRegRequestsReceived, cmiMrMobNetIfIndex=cmiMrMobNetIfIndex, cmiFaAdvertIsBusy=cmiFaAdvertIsBusy, cmiFaReRegRequestsRelayed=cmiFaReRegRequestsRelayed, cmiMrRedundancyGroup=cmiMrRedundancyGroup, cmiHaDeRegRequestsReceived=cmiHaDeRegRequestsReceived, cmiFaRegTotalVisitors=cmiFaRegTotalVisitors, cmiHaRegRequestsReceived=cmiHaRegRequestsReceived, CmiTunnelType=CmiTunnelType, cmiHaRegAvgTimeRegsProcByAAA=cmiHaRegAvgTimeRegsProcByAAA, cmiFaRegVisitorRegIsAccepted=cmiFaRegVisitorRegIsAccepted, cmiFaCoaEntry=cmiFaCoaEntry, cmiMrHAEntry=cmiMrHAEntry, cmiFaCoaTransmitOnly=cmiFaCoaTransmitOnly, cmiMaInterfaceAddress=cmiMaInterfaceAddress, cmiHaRegCounterEntry=cmiHaRegCounterEntry, ciscoMobileIpFaRegGroupV12R03r1=ciscoMobileIpFaRegGroupV12R03r1, CmiEntityIdentifierType=CmiEntityIdentifierType, cmiHaRegTunnelStatsDataRateInt=cmiHaRegTunnelStatsDataRateInt, cmiMrIfCCoaAddress=cmiMrIfCCoaAddress, cmiHaRegServAcceptedRequests=cmiHaRegServAcceptedRequests, cmiMrHATable=cmiMrHATable, cmiHaSystem=cmiHaSystem, cmiFaTotalRegRequests=cmiFaTotalRegRequests, ciscoMobileIpMrDiscoveryGroup=ciscoMobileIpMrDiscoveryGroup, cmiMrTunnelBytesRcvd=cmiMrTunnelBytesRcvd, cmiMrTunnelBytesSent=cmiMrTunnelBytesSent, ciscoMobileIpComplianceV12R07=ciscoMobileIpComplianceV12R07, cmiFaInterfaceEntry=cmiFaInterfaceEntry, cmiSecViolatorIdentifierType=cmiSecViolatorIdentifierType, cmiHaReverseTunnelUnavailable=cmiHaReverseTunnelUnavailable, ciscoMobileIpComplianceV12R06=ciscoMobileIpComplianceV12R06, ciscoMobileIpGroups=ciscoMobileIpGroups, cmiFaRegVisitorRegIDLow=cmiFaRegVisitorRegIDLow, cmiHaRegTotalProcByAAARegs=cmiHaRegTotalProcByAAARegs, cmiMrMultiPathMetricType=cmiMrMultiPathMetricType, cmiFaReg=cmiFaReg, cmiHaReverseTunnelBitNotSet=cmiHaReverseTunnelBitNotSet, cmiHaMrAddrType=cmiHaMrAddrType, cmiMrMultiPath=cmiMrMultiPath, cmiHaRedunTotalSentBUs=cmiHaRedunTotalSentBUs, cmiHaMobNetPfxLen=cmiHaMobNetPfxLen, ciscoMobileIpHaRegGroupV1=ciscoMobileIpHaRegGroupV1, cmiMaAdvResponseSolicitationOnly=cmiMaAdvResponseSolicitationOnly, cmiHaRedunReceivedBUAcks=cmiHaRedunReceivedBUAcks, cmiMrMobNetTable=cmiMrMobNetTable, cmiMaAdvAddressType=cmiMaAdvAddressType, cmiMaAdvPrefixLengthInclusion=cmiMaAdvPrefixLengthInclusion, ciscoMobileIpFaRegGroupV12R02=ciscoMobileIpFaRegGroupV12R02, ciscoMobileIpMrNotificationGroup=ciscoMobileIpMrNotificationGroup, cmiHaRedunFailedBIReqs=cmiHaRedunFailedBIReqs, cmiFaNvsesFromMnNeglected=cmiFaNvsesFromMnNeglected, cmiMrRegExtendRetry=cmiMrRegExtendRetry, cmiHa=cmiHa, cmiSecSPI=cmiSecSPI, cmiMrRedStateActive=cmiMrRedStateActive, cmiFaAdvertChallengeValue=cmiFaAdvertChallengeValue, cmiFaReverseTunnelBitNotSet=cmiFaReverseTunnelBitNotSet, cmiFaAdvertChallengeEntry=cmiFaAdvertChallengeEntry, cmiFaAdvertChallengeIndex=cmiFaAdvertChallengeIndex, cmiHaMaximumBindings=cmiHaMaximumBindings, ciscoMobileIpComplianceV12R03r1=ciscoMobileIpComplianceV12R03r1, cmiFaInitRegRepliesValidRelayMN=cmiFaInitRegRepliesValidRelayMN, cmiFaNvsesFromHaNeglected=cmiFaNvsesFromHaNeglected, ciscoMobileIpHaMobNetGroup=ciscoMobileIpHaMobNetGroup, cmiFaMnAAAAuthFailures=cmiFaMnAAAAuthFailures, cmiHaRegMobilityBindingEntry=cmiHaRegMobilityBindingEntry, cmiFaReRegRepliesValidFromHA=cmiFaReRegRepliesValidFromHA, cmiMrCollocatedTunnel=cmiMrCollocatedTunnel, cmiMaRegMaxInMinuteRegs=cmiMaRegMaxInMinuteRegs, ciscoMobileIpHaRegIntervalStatsGroup=ciscoMobileIpHaRegIntervalStatsGroup, cmiMrIfCCoaAddressType=cmiMrIfCCoaAddressType, cmiMrIfRegisteredCoAType=cmiMrIfRegisteredCoAType, cmiMrRegRetransInitial=cmiMrRegRetransInitial, cmiMrIfCCoaOnly=cmiMrIfCCoaOnly, cmiFaRegVisitorHomeAgentAddress=cmiFaRegVisitorHomeAgentAddress, cmiHaMrEntry=cmiHaMrEntry, cmiMaAdvConfigEntry=cmiMaAdvConfigEntry, cmiMrMobNetStatus=cmiMrMobNetStatus, cmiFaMnTooDistant=cmiFaMnTooDistant, ciscoMobileIpComplianceV12R03=ciscoMobileIpComplianceV12R03, cmiMrIfSolicitPeriodic=cmiMrIfSolicitPeriodic, ciscoMobileIpMIBObjects=ciscoMobileIpMIBObjects, cmiHaRegMnIdentifier=cmiHaRegMnIdentifier, cmiMa=cmiMa, cmiSecRecentViolationIDHigh=cmiSecRecentViolationIDHigh, cmiHaRegRecentServAcceptedTime=cmiHaRegRecentServAcceptedTime, cmiMaAdvertisement=cmiMaAdvertisement, cmiNtRegCOA=cmiNtRegCOA, cmiFaReRegRequestsDenied=cmiFaReRegRequestsDenied, cmiSecRecentViolationTime=cmiSecRecentViolationTime, cmiHaDeRegRequestsDenied=cmiHaDeRegRequestsDenied, cmiNtRegCOAType=cmiNtRegCOAType, cmiSecViolationTable=cmiSecViolationTable, cmiMaAdvConfigTable=cmiMaAdvConfigTable, cmiHaRedunReceivedBIAcks=cmiHaRedunReceivedBIAcks, cmiFaRegVisitorIdentifier=cmiFaRegVisitorIdentifier, cmiHaNvsesFromFaNeglected=cmiHaNvsesFromFaNeglected, cmiMrIfSolicitRetransInitial=cmiMrIfSolicitRetransInitial, cmiSecAssocTable=cmiSecAssocTable, cmiMrMaAdvEntry=cmiMrMaAdvEntry, cmiHaRegIntervalWimaxMaxActiveBindings=cmiHaRegIntervalWimaxMaxActiveBindings, cmiMrIfIndex=cmiMrIfIndex, cmiMrIfSolicitRetransMax=cmiMrIfSolicitRetransMax, cmiFaRevTunnelSupported=cmiFaRevTunnelSupported, cmiHaRegMnIfPathMetricType=cmiHaRegMnIfPathMetricType, cmiNtRegHomeAgent=cmiNtRegHomeAgent, cmiMrMobNetEntry=cmiMrMobNetEntry, cmiFaInitRegRequestsDiscarded=cmiFaInitRegRequestsDiscarded, cmiFaInitRegRepliesValidFromHA=cmiFaInitRegRepliesValidFromHA, cmiHaRedunFailedBUs=cmiHaRedunFailedBUs, cmiMn=cmiMn, cmiHaRegInterval3gpp2MaxActiveBindings=cmiHaRegInterval3gpp2MaxActiveBindings, cmiHaRegOverallServTime=cmiHaRegOverallServTime, cmiMrMaAdvRcvIf=cmiMrMaAdvRcvIf, ciscoMobileIpFaAdvertisementGroup=ciscoMobileIpFaAdvertisementGroup, cmiSecPeerIdentifier=cmiSecPeerIdentifier, cmiHaReRegRequestsAccepted=cmiHaReRegRequestsAccepted, cmiHaMrMultiPathMetricType=cmiHaMrMultiPathMetricType, cmiHaRegMaxProcByAAAInMinRegs=cmiHaRegMaxProcByAAAInMinRegs, cmiFaStaleChallenge=cmiFaStaleChallenge, cmiMRIfDescription=cmiMRIfDescription, cmiHaReRegRequestsDenied=cmiHaReRegRequestsDenied, cmiMrStateChange=cmiMrStateChange, cmiHaRegProcAAAInLastByMinRegs=cmiHaRegProcAAAInLastByMinRegs, cmiSecAlgorithmType=cmiSecAlgorithmType, cmiMrMaAdvTimeFirstHeard=cmiMrMaAdvTimeFirstHeard, cmiFaRegVisitorRegIDHigh=cmiFaRegVisitorRegIDHigh, cmiFaUnknownChallenge=cmiFaUnknownChallenge, cmiNtRegHAAddrType=cmiNtRegHAAddrType, ciscoMobileIpMnDiscoveryGroup=ciscoMobileIpMnDiscoveryGroup, CmiMultiPathMetricType=CmiMultiPathMetricType, cmiSecAlgorithmMode=cmiSecAlgorithmMode, cmiHaRegMnIdType=cmiHaRegMnIdType, cmiHaRedunReceivedBIReps=cmiHaRedunReceivedBIReps, ciscoMobileIpComplianceV12R09=ciscoMobileIpComplianceV12R09, cmiHaRegTunnelStatsDestAddrType=cmiHaRegTunnelStatsDestAddrType, cmiMaAdvStatus=cmiMaAdvStatus, cmiSecStatus=cmiSecStatus, cmiMrMobNetAddr=cmiMrMobNetAddr, cmiSecViolationEntry=cmiSecViolationEntry, cmiFaInitRegRequestsRelayed=cmiFaInitRegRequestsRelayed, cmiMrRegExtendInterval=cmiMrRegExtendInterval, cmiHaRegRequestsDiscarded=cmiHaRegRequestsDiscarded, cmiMnAdvFlags=cmiMnAdvFlags, cmiHaMobNetTable=cmiHaMobNetTable, ciscoMobileIpMIBConformance=ciscoMobileIpMIBConformance, cmiHaMnAAAAuthFailures=cmiHaMnAAAAuthFailures, cmiMrRedStatePassive=cmiMrRedStatePassive, cmiSecAssocEntry=cmiSecAssocEntry, cmiMaAdvMaxAdvLifetime=cmiMaAdvMaxAdvLifetime, cmiMaAdvAddress=cmiMaAdvAddress, cmiSecurity=cmiSecurity, cmiHaRedunReceivedBIReqs=cmiHaRedunReceivedBIReqs, cmiMrMaAdvTimeReceived=cmiMrMaAdvTimeReceived, cmiSecKey2=cmiSecKey2, cmiMnRegistration=cmiMnRegistration, cmiHaMrTable=cmiHaMrTable, ciscoMobileIpHaMobNetGroupSup1=ciscoMobileIpHaMobNetGroupSup1, cmiHaRegDateMaxRegsProcByAAA=cmiHaRegDateMaxRegsProcByAAA, cmiFaChallengeSupported=cmiFaChallengeSupported, cmiHaMobNetDynamic=cmiHaMobNetDynamic, cmiHaNAICheckFailures=cmiHaNAICheckFailures, cmiMrIfSolicitRetransCount=cmiMrIfSolicitRetransCount, ciscoMobileIpSecViolationGroup=ciscoMobileIpSecViolationGroup, cmiHaCvsesFromMnRejected=cmiHaCvsesFromMnRejected, cmiMrIfStatus=cmiMrIfStatus, cmiMrIfRegisteredCoA=cmiMrIfRegisteredCoA, cmiMaInterfaceAddressType=cmiMaInterfaceAddressType, cmiFaRegVisitorRegFlagsRev1=cmiFaRegVisitorRegFlagsRev1, cmiMnRegFlags=cmiMnRegFlags, ciscoMobileIpComplianceV12R05=ciscoMobileIpComplianceV12R05, ciscoMobileIpHaRegGroupV12R03r1=ciscoMobileIpHaRegGroupV12R03r1, cmiMrMaAdvMaxLifetime=cmiMrMaAdvMaxLifetime, cmiFaSystem=cmiFaSystem, cmiMrRegRetransMax=cmiMrRegRetransMax, ciscoMobileIpMrNotificationGroupV2=ciscoMobileIpMrNotificationGroupV2, ciscoMobileIpHaRegGroupV12R03r2=ciscoMobileIpHaRegGroupV12R03r2) mibBuilder.exportSymbols("CISCO-MOBILE-IP-MIB", ciscoMobileIpHaRegGroupV12R03=ciscoMobileIpHaRegGroupV12R03, cmiMaReg=cmiMaReg, cmiMrMaAddress=cmiMrMaAddress, ciscoMobileIpComplianceV12R10=ciscoMobileIpComplianceV12R10, cmiMrTunnelPktsSent=cmiMrTunnelPktsSent, cmiHaRedunReceivedBUs=cmiHaRedunReceivedBUs, ciscoMobileIpHaRegTunnelStatsGroup=ciscoMobileIpHaRegTunnelStatsGroup, cmiHaRedunDroppedBIAcks=cmiHaRedunDroppedBIAcks, cmiHaRegTunnelStatsOutPkts=cmiHaRegTunnelStatsOutPkts, cmiHaMobNetStatus=cmiHaMobNetStatus, cmiNtRegHomeAddressType=cmiNtRegHomeAddressType, cmiNtRegNAI=cmiNtRegNAI, cmiHaRegDateMaxRegsProcLoc=cmiHaRegDateMaxRegsProcLoc, cmiMaAdvMinInterval=cmiMaAdvMinInterval, cmiHaInitRegRequestsReceived=cmiHaInitRegRequestsReceived, ciscoMobileIpFaRegGroup=ciscoMobileIpFaRegGroup, cmiHaRegMaxTimeRegsProcByAAA=cmiHaRegMaxTimeRegsProcByAAA, cmiHaMrMultiPath=cmiHaMrMultiPath, cmiMrIfTable=cmiMrIfTable, cmiFaCvsesFromHaRejected=cmiFaCvsesFromHaRejected, cmiFaCoaRegAsymLink=cmiFaCoaRegAsymLink, cmiFaRegVisitorTimeGranted=cmiFaRegVisitorTimeGranted, cmiSecRecentViolationReason=cmiSecRecentViolationReason, cmiFaChallengeEnable=cmiFaChallengeEnable, cmiNtRegDeniedCode=cmiNtRegDeniedCode, cmiMrCoaChange=cmiMrCoaChange, cmiHaRegMnIfID=cmiHaRegMnIfID, cmiFaCoaInterfaceOnly=cmiFaCoaInterfaceOnly, cmiHaMrAddr=cmiHaMrAddr, cmiFaAdvertChallengeChapSPI=cmiFaAdvertChallengeChapSPI, cmiFaRegVisitorRegFlags=cmiFaRegVisitorRegFlags, cmiMaAdvertisementGroup=cmiMaAdvertisementGroup, cmiMrMaAdvSequence=cmiMrMaAdvSequence, ciscoMobileIpMIBNotifications=ciscoMobileIpMIBNotifications, cmiSecRecentViolationIDLow=cmiSecRecentViolationIDLow, cmiHaRegTunnelStatsSrcAddr=cmiHaRegTunnelStatsSrcAddr, cmiHaReRegRequestsReceived=cmiHaReRegRequestsReceived, cmiHaRegMobilityBindingTable=cmiHaRegMobilityBindingTable, ciscoMobileIpMIB=ciscoMobileIpMIB, ciscoMobileIpMrSystemGroupV1=ciscoMobileIpMrSystemGroupV1, cmiHaCvsesFromFaRejected=cmiHaCvsesFromFaRejected, cmiHaRegTunnelStatsOutPktRate=cmiHaRegTunnelStatsOutPktRate, cmiFaAdvertisement=cmiFaAdvertisement, cmiMrIfRoamPriority=cmiMrIfRoamPriority, cmiFaDeRegRequestsReceived=cmiFaDeRegRequestsReceived, cmiMrIfCCoaDefaultGwType=cmiMrIfCCoaDefaultGwType, cmiHaDeRegRequestsDiscarded=cmiHaDeRegRequestsDiscarded, ciscoMobileIpComplianceRev1=ciscoMobileIpComplianceRev1, cmiMrMaAdvLifetimeRemaining=cmiMrMaAdvLifetimeRemaining, cmiHaMobNetEntry=cmiHaMobNetEntry, cmiMnRecentAdvReceived=cmiMnRecentAdvReceived, cmiHaRedunFailedBIReps=cmiHaRedunFailedBIReps, cmiHaRedunSentBIReps=cmiHaRedunSentBIReps, cmiMrHaTunnelIfIndex=cmiMrHaTunnelIfIndex, cmiHaRegTunnelStatsEntry=cmiHaRegTunnelStatsEntry, cmiHaMnHaAuthFailures=cmiHaMnHaAuthFailures, PYSNMP_MODULE_ID=ciscoMobileIpMIB, ciscoMobileIpMnRegistrationGroup=ciscoMobileIpMnRegistrationGroup, ciscoMobileIpHaRegGroupV12R03r2Sup1=ciscoMobileIpHaRegGroupV12R03r2Sup1, cmiMrBetterIfDetected=cmiMrBetterIfDetected, ciscoMobileIpComplianceV12R04=ciscoMobileIpComplianceV12R04, cmiMrMaAdvTable=cmiMrMaAdvTable, cmiHaRegTotalProcLocRegs=cmiHaRegTotalProcLocRegs, ciscoMobileIpMrSystemGroupV2=ciscoMobileIpMrSystemGroupV2, cmiFaAdvertConfEntry=cmiFaAdvertConfEntry, cmiHaMobNetAddressType=cmiHaMobNetAddressType, cmiSecReplayMethod=cmiSecReplayMethod, ciscoMobileIpComplianceV12R02=ciscoMobileIpComplianceV12R02, cmiHaRegCounterTable=cmiHaRegCounterTable, cmiSecAssocsCount=cmiSecAssocsCount, cmiMrRegRetransLimit=cmiMrRegRetransLimit, cmiHaReg=cmiHaReg, cmiMrTunnelPktsRcvd=cmiMrTunnelPktsRcvd, cmiFaReRegRequestsDiscarded=cmiFaReRegRequestsDiscarded, cmiMrReverseTunnel=cmiMrReverseTunnel, cmiHaInitRegRequestsDenied=cmiHaInitRegRequestsDenied, cmiHaRegServDeniedRequests=cmiHaRegServDeniedRequests, cmiMrMaIfMacAddress=cmiMrMaIfMacAddress, ciscoMobileIpHaRegGroup=ciscoMobileIpHaRegGroup, ciscoMobileIpMrSystemGroup=ciscoMobileIpMrSystemGroup, cmiFaCvsesFromMnRejected=cmiFaCvsesFromMnRejected, cmiHaRedunSentBUAcks=cmiHaRedunSentBUAcks, cmiFaDeRegRepliesValidFromHA=cmiFaDeRegRepliesValidFromHA, cmiHaRegTunnelStatsInPktRate=cmiHaRegTunnelStatsInPktRate, ciscoMobileIpMrSystemGroupV3=ciscoMobileIpMrSystemGroupV3, ciscoMobileIpHaRedunGroup=ciscoMobileIpHaRedunGroup, cmiMrRegExtendExpire=cmiMrRegExtendExpire, ciscoMobileIpComplianceRev2=ciscoMobileIpComplianceRev2, cmiFaRegVisitorChallengeValue=cmiFaRegVisitorChallengeValue, cmiMaRegInLastMinuteRegs=cmiMaRegInLastMinuteRegs, cmiNtRegHomeAddress=cmiNtRegHomeAddress, cmiHaRedunSentBUs=cmiHaRedunSentBUs, cmiSecRecentViolationSPI=cmiSecRecentViolationSPI, cmiFaRegVisitorIdentifierType=cmiFaRegVisitorIdentifierType, ciscoMobileIpHaRegGroupV12R02=ciscoMobileIpHaRegGroupV12R02, cmiFaReRegRepliesValidRelayToMN=cmiFaReRegRepliesValidRelayToMN, cmiMrMaAdvMaxRegLifetime=cmiMrMaAdvMaxRegLifetime, cmiFaReverseTunnelUnavailable=cmiFaReverseTunnelUnavailable, cmiHaRegTunnelStatsTable=cmiHaRegTunnelStatsTable, cmiMrIfCCoaRegistration=cmiMrIfCCoaRegistration, cmiHaRegMnId=cmiHaRegMnId, cmiFaAdvertRegRequired=cmiFaAdvertRegRequired, cmiHaRegTunnelStatsInPkts=cmiHaRegTunnelStatsInPkts, cmiHaRedunTotalSentBIReqs=cmiHaRedunTotalSentBIReqs, cmiHaMnRegReqFailed=cmiHaMnRegReqFailed, cmiHaEncapsulationUnavailable=cmiHaEncapsulationUnavailable, cmiMrHABest=cmiMrHABest, cmiMrIfCCoaDefaultGw=cmiMrIfCCoaDefaultGw, cmiHaNvsesFromMnNeglected=cmiHaNvsesFromMnNeglected, cmiHaRegTunnelStatsOutBitRate=cmiHaRegTunnelStatsOutBitRate, cmiHaRegMnIdentifierType=cmiHaRegMnIdentifierType, cmiHaEncapUnavailable=cmiHaEncapUnavailable, cmiMaAdvMaxRegLifetime=cmiMaAdvMaxRegLifetime, cmiHaRedunSecViolations=cmiHaRedunSecViolations, cmiFaRegVisitorEntry=cmiFaRegVisitorEntry, cmiHaInitRegRequestsDiscarded=cmiHaInitRegRequestsDiscarded, cmiFaDeRegRequestsDiscarded=cmiFaDeRegRequestsDiscarded, cmiFaDeRegRequestsDenied=cmiFaDeRegRequestsDenied, cmiFaAdvertChallengeTable=cmiFaAdvertChallengeTable, cmiHaRegTunnelStatsTunnelType=cmiHaRegTunnelStatsTunnelType, cmiFaTotalRegReplies=cmiFaTotalRegReplies, cmiHaRegTunnelStatsSrcAddrType=cmiHaRegTunnelStatsSrcAddrType, cmiHaRegTunnelStatsNumUsers=cmiHaRegTunnelStatsNumUsers, cmiMrIfSolicitRetransRemaining=cmiMrIfSolicitRetransRemaining, cmiTrapObjects=cmiTrapObjects, cmiMrDiscovery=cmiMrDiscovery, ciscoMobileIpTrapObjectsGroupV2=ciscoMobileIpTrapObjectsGroupV2, cmiMrIfSolicitRetransCurrent=cmiMrIfSolicitRetransCurrent, ciscoMobileIpCompliance=ciscoMobileIpCompliance, cmiMrIfHaTunnelIfIndex=cmiMrIfHaTunnelIfIndex, cmiHaMobNet=cmiHaMobNet, cmiMrIfSolicitInterval=cmiMrIfSolicitInterval, ciscoMobileIpHaSystemGroupV1=ciscoMobileIpHaSystemGroupV1, cmiMaRegDateMaxRegsReceived=cmiMaRegDateMaxRegsReceived, cmiFaMnFaAuthFailures=cmiFaMnFaAuthFailures, cmiMrHAPriority=cmiMrHAPriority, cmiFaReRegRequestsReceived=cmiFaReRegRequestsReceived, cmiMrMaHoldDownRemaining=cmiMrMaHoldDownRemaining, cmiMrMaIsHa=cmiMrMaIsHa, cmiMrNewMA=cmiMrNewMA, cmiMaAdvMaxInterval=cmiMaAdvMaxInterval, cmiMrIfRoamStatus=cmiMrIfRoamStatus, cmiSecKey=cmiSecKey, cmiMrIfRegisteredMaAddrType=cmiMrIfRegisteredMaAddrType, cmiFaInterfaceTable=cmiFaInterfaceTable, cmiHaRegRecentServDeniedCode=cmiHaRegRecentServDeniedCode, cmiMrRegLifetime=cmiMrRegLifetime, cmiSecPeerIdentifierType=cmiSecPeerIdentifierType, cmiMrIfHoldDown=cmiMrIfHoldDown, cmiMnDiscovery=cmiMnDiscovery, ciscoMobileIpHaRegGroupV12R03r2Sup2=ciscoMobileIpHaRegGroupV12R03r2Sup2, cmiFaCoaTable=cmiFaCoaTable, cmiMrMobNetAddrType=cmiMrMobNetAddrType)
(integer, object_identifier, octet_string) = mibBuilder.importSymbols('ASN1', 'Integer', 'ObjectIdentifier', 'OctetString') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (value_range_constraint, value_size_constraint, constraints_union, single_value_constraint, constraints_intersection) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueRangeConstraint', 'ValueSizeConstraint', 'ConstraintsUnion', 'SingleValueConstraint', 'ConstraintsIntersection') (cisco_mgmt,) = mibBuilder.importSymbols('CISCO-SMI', 'ciscoMgmt') (counter_based_gauge64,) = mibBuilder.importSymbols('HCNUM-TC', 'CounterBasedGauge64') (interface_index_or_zero, if_index, interface_index) = mibBuilder.importSymbols('IF-MIB', 'InterfaceIndexOrZero', 'ifIndex', 'InterfaceIndex') (inet_address_type, inet_address_prefix_length, inet_address) = mibBuilder.importSymbols('INET-ADDRESS-MIB', 'InetAddressType', 'InetAddressPrefixLength', 'InetAddress') (fa_coa_entry, mn_reg_agent_address, mn_reg_coa, ha_mobility_binding_entry, mn_state, mn_registration_entry, registration_flags, mn_ha_entry) = mibBuilder.importSymbols('MIP-MIB', 'faCOAEntry', 'mnRegAgentAddress', 'mnRegCOA', 'haMobilityBindingEntry', 'mnState', 'mnRegistrationEntry', 'RegistrationFlags', 'mnHAEntry') (zero_based_counter32,) = mibBuilder.importSymbols('RMON2-MIB', 'ZeroBasedCounter32') (snmp_admin_string,) = mibBuilder.importSymbols('SNMP-FRAMEWORK-MIB', 'SnmpAdminString') (object_group, module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ObjectGroup', 'ModuleCompliance', 'NotificationGroup') (time_ticks, gauge32, counter64, object_identity, mib_identifier, mib_scalar, mib_table, mib_table_row, mib_table_column, module_identity, counter32, notification_type, iso, unsigned32, bits, ip_address, integer32) = mibBuilder.importSymbols('SNMPv2-SMI', 'TimeTicks', 'Gauge32', 'Counter64', 'ObjectIdentity', 'MibIdentifier', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'ModuleIdentity', 'Counter32', 'NotificationType', 'iso', 'Unsigned32', 'Bits', 'IpAddress', 'Integer32') (textual_convention, mac_address, time_stamp, date_and_time, row_status, display_string, time_interval, truth_value) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'MacAddress', 'TimeStamp', 'DateAndTime', 'RowStatus', 'DisplayString', 'TimeInterval', 'TruthValue') cisco_mobile_ip_mib = module_identity((1, 3, 6, 1, 4, 1, 9, 9, 174)) ciscoMobileIpMIB.setRevisions(('2009-06-26 00:00', '2009-01-22 00:00', '2008-12-11 00:00', '2005-05-31 00:00', '2004-05-28 00:00', '2004-01-23 00:00', '2003-11-27 00:00', '2003-09-05 00:00', '2003-06-30 00:00', '2003-01-23 00:00', '2002-11-18 00:00', '2002-05-17 00:00', '2001-07-06 00:00', '2001-01-25 00:00')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): if mibBuilder.loadTexts: ciscoMobileIpMIB.setRevisionsDescriptions(('Added cmiHaRegTunnelStatsTable The following objects has been added to cmiHaReg. [1] cmiHaRegIntervalSize [2] cmiHaRegIntervalMaxActiveBindings [3] cmiHaRegInterval3gpp2MaxActiveBindings [4] cmiHaRegIntervalWimaxMaxActiveBindings The following object groups has been added to ciscoMobileIpGroups. [1] ciscoMobileIpHaRegIntervalStatsGroup [2] ciscoMobileIpHaRegTunnelStatsGroup The MODULE-COMPLIANCE ciscoMobileIpComplianceRev1 has been deprecated by ciscoMobileIpComplianceRev2.', 'The following objects have been added [1] cmiHaMaximumBindings [2] cmiHaSystemVersion The following notifications have been added [1] cmiHaMaxBindingsNotif The Object cmiTrapControl has been modified to include a new bit for cmiHaMaxBindingsNotif. The following object-groups have been added [1] ciscoMobileIpHaRegGroupV1 [2] ciscoMobileIpMrNotificationGroupV3 [3] ciscoMobileIpHaSystemGroupV1 The compliance statement ciscoMobileIpComplianceV12R11 has been deprecated by ciscoMobileIpComplianceRev1.', 'Added a new object cmiHaRegMobilityBindingMacAddress to cmiHaRegMobilityBindingTable. Added a new object group ciscoMobileIpHaRegGroupV12R03r2Sup2 and a compliance group ciscoMobileIpComplianceV12R11 which deprecates ciscoMobileIpComplianceV12R10.', 'Added mobile node access interface attribute objects and multi-path specific objects. Following object groups have been created for the objects added for multi-path: ciscoMobileIpHaRegGroupV12R03r2Sup1 ciscoMobileIpHaMobNetGroupSup1 ciscoMobileIpMrSystemGroupV3Sup1', 'Added Mobile router roaming interface objects - cmiMrIfRoamStatus, cmiMrIfRegisteredCoAType, cmiMrIfRegisteredCoA, cmiMrIfRegisteredMaAddrType and cmiMrIfRegisteredMaAddr.', 'Added trap cmiHaMnRegReqFailed', 'Added objects cmiFaTotalRegRequests, miFaTotalRegReplies, cmiFaMnFaAuthFailures, cmiFaMnAAAAuthFailures, cmiHaMnHaAuthFailures, and cmiHaMnAAAAuthFailures.', 'Added object cmiMrIfCCoaEnable', 'Added objects cmiMrIfCCoaRegistration, cmiMrIfCCoaOnly and cmiMrCollocatedTunnel', '1. Duplicated maAdvConfigTable from MIP-MIB with the index changed to IfIndex instead of ip address. 2. Deprecated cmiSecKey object and added cmSecKey2 as the range needs to be extended. It should accept strings of length 1 to 16. 3. Added hmacMD5 type in cmiSecAlgorithmType', 'Added objects for Reverse tunneling, Challenge, VSEs and Mobile Router features.', 'Add HA/FA initial registration,re-registration, de-registration counters for more granularity.', 'Add cmiFaRegVisitorTable, cmiHaRegCounterTable, cmiHaRegMobilityBindingTable, cmiSecAssocTable, and cmiSecViolationTable. Add counters for home agent redundancy feature. Add performance counters for registration function of the mobility agents.', 'Initial version of this MIB module.')) if mibBuilder.loadTexts: ciscoMobileIpMIB.setLastUpdated('200906260000Z') if mibBuilder.loadTexts: ciscoMobileIpMIB.setOrganization('Cisco Systems, Inc.') if mibBuilder.loadTexts: ciscoMobileIpMIB.setContactInfo('Cisco Systems Customer Service Postal: 170 W. Tasman Drive San Jose, CA 95134 USA Tel: +1 800 553-NETS E-mail: cs-mobileip@cisco.com') if mibBuilder.loadTexts: ciscoMobileIpMIB.setDescription("An extension to the IETF MIB module defined in RFC-2006 for managing Mobile IP implementations. Mobile IP introduces the following new functional entities: Mobile Node(MN) A host or router that changes its point of attachment from one network or subnetwork to another. A mobile node may change its location without changing its IP address; it may continue to communicate with other Internet nodes at any location using its (constant) IP address, assuming link-layer connectivity to a point of attachment is available. Home Agent(HA) A router on a mobile node's home network which tunnels datagrams for delivery to the mobile node when it is away from home, and maintains current location information for the mobile node. Foreign Agent(FA) A router on a mobile node's visited network which provides routing services to the mobile node while registered. The foreign agent detunnels and delivers datagrams to the mobile node that were tunneled by the mobile node's home agent. For datagrams sent by a mobile node, the foreign agent may serve as a default router for registered mobile nodes. Mobile Router(MR) A mobile node that is a router. It provides for the mobility for one or more networks moving together. The nodes connected to the network server by the mobile router may themselves be fixed nodes, mobile nodes or routers. Mobile Network Network that moves with the mobile router. Following is the terminology associated with Mobile IP protocol: Agent Advertisement An advertisement message constructed by attaching a special Extension to a router advertisement message. Care-of Address (CoA) The termination point of a tunnel toward a mobile node, for datagrams forwarded to the mobile node while it is away from home. The protocol can use two different types of care-of address: a 'foreign agent care-of address' is an address of a foreign agent with which the mobile node is registered, and a 'co-located care-of address' (CCoA) is an externally obtained local address which the mobile node has associated with one of its own network interfaces. Correspondent Node A peer with which a mobile node is communicating. A correspondent node may be either mobile or stationary. Foreign Network Any network other than the mobile node's Home Network. Home Address An IP address that is assigned for an extended period of time to a mobile node. It remains unchanged regardless of where the node is attached to the Internet. Home Network A network, possibly virtual, having a network prefix matching that of a mobile node's home address. Note that standard IP routing mechanisms will deliver datagrams destined to a mobile node's Home Address to the mobile node's Home Network. Mobility Agent Either a home agent or a foreign agent. Mobility Binding The association of a home address with a care-of address, along with the remaining lifetime of that association. Mobility Security Association A collection of security contexts, between a pair of nodes, which may be applied to Mobile IP protocol messages exchanged between them. Each context indicates an authentication algorithm and mode, a secret (a shared key, or appropriate public/private key pair), and a style of replay protection in use. Node A host or a router. Nonce A randomly chosen value, different from previous choices, inserted in a message to protect against replays. Security Parameter Index (SPI) An index identifying a security context between a pair of nodes among the contexts available in the Mobility Security Association. SPI values 0 through 255 are reserved and MUST NOT be used in any Mobility Security Association. Tunnel The path followed by a datagram while it is encapsulated. The model is that, while it is encapsulated, a datagram is routed to a knowledgeable decapsulating agent, which decapsulates the datagram and then correctly delivers it to its ultimate destination. Visited Network A network other than a mobile node's Home Network, to which the mobile node is currently connected. Visitor List The list of mobile nodes visiting a foreign agent. Keyed Hashing for Message Authentication (HMAC) A mechanism for message authentication using cryptographic hash functions. HMAC can be used with any iterative cryptographic hash function, e.g., MD5, SHA-1, in combination with a secret shared key. The following support services are defined for Mobile IP: Agent Discovery Home agents and foreign agents may advertise their availability on each link for which they provide service. A newly arrived mobile node can send a solicitation on the link to learn if any prospective agents are present. Registration When the mobile node is away from home, it registers its care-of address with its home agent. Depending on its method of attachment, the mobile node will register either directly with its home agent, or through a foreign agent which forwards the registration to the home agent. Following is the terminology associated with the home agent redundancy feature: Peer Home Agent Active home agent and standby home agent are peers to each other. Binding Update A binding update contains the registration request information. The home agent sends the update to its peer after accepting a registration. Binding Information Binding information contains the entries in the mobility binding table. The home agent sends a binding information request to its peer to retrieve all mobility bindings for a specified home agent address. 3GPP2 3rd Generation Partnership Project 2. This is the standardization group for CDMA2000, the set of 3G standards based on earlier 2G CDMA technology. WiMAX Worldwide Interoperability for Microwave Access, Inc. (group promoting IEEE 802.16 wireless broadband standard) MIP Mobile IP This MIB is organized as described below: The IETF Mobile IP MIB module [RFC-2006] has six main groups. Three of them represent the Mobile IP entities i.e. 'MipFA': foreign agent, 'MipHA': home agent and 'MipMN': mobile node. Each of these groups have been further subdivided into different subgroups. Each of these subgroups is a collection of objects related to a particular function, performed by the entity represented by its main group e.g. 'faRegistration' is a subgroup under group 'MipFA' which has collection of objects for registration function within a foreign agent. This MIB also follows the same hierarchical structure to maintain the modularity with respect to Mobile IP.") cisco_mobile_ip_mib_objects = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1)) cmi_fa = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1)) cmi_ha = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2)) cmi_security = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3)) cmi_ma = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4)) cmi_mn = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5)) cmi_trap_objects = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 6)) cmi_fa_reg = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1)) cmi_fa_advertisement = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 2)) cmi_fa_system = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 3)) cmi_ha_reg = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1)) cmi_ha_redun = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2)) cmi_ha_mob_net = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 3)) cmi_ha_system = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 4)) cmi_ma_reg = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 1)) cmi_ma_advertisement = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 2)) cmi_mn_discovery = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 1)) cmi_mn_recent_adv_received = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 1, 1)) cmi_mn_registration = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 2)) cmi_mr_system = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3)) cmi_mr_discovery = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 4)) cmi_mr_registration = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 5)) class Cmiregistrationflags(TextualConvention, Bits): description = 'This data type is used to define the registration flags for Mobile IP registration extension: reverseTunnel -- Request to support reverse tunneling. gre -- Request to use GRE minEnc -- Request to use minimal encapsulation decapsulationByMN -- Decapsulation by mobile node broadcastDatagram -- Request to receive broadcasts simultaneousBindings -- Request to retain prior binding(s)' status = 'current' named_values = named_values(('reverseTunnel', 0), ('gre', 1), ('minEnc', 2), ('decapsulationbyMN', 3), ('broadcastDatagram', 4), ('simultaneousBindings', 5)) class Cmientityidentifiertype(TextualConvention, Integer32): description = 'A value that represents a type of Mobile IP entity identifier. other(1) Indicates identifier which is not in one of the formats defined below. ipaddress(2) IP address as defined by InetAddressIPv4 textual convention in INET-ADDRESS-MIB. nai(3) A network access identifier as defined by the CmiEntityIdentifier textual convention.' status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3)) named_values = named_values(('other', 1), ('ipaddress', 2), ('nai', 3)) class Cmientityidentifier(TextualConvention, OctetString): description = 'Represents the generic identifier for Mobile IP entities. A CmiEntityIdentifier value is always interpreted within the context of a CmiEntityIdentifierType value. Foreign agents and Home agents are identified by the IP addresses. Mobile nodes can be identified in more than one way e.g. IP addresses, network access identifiers (NAI). If mobile node is identified by something other than IP address say by NAI and it gets IP address dynamically from the home agent then value of object of this type should be same as NAI. This is because then IP address is not tied with mobile node and it can change across registrations over period of time.' status = 'current' subtype_spec = OctetString.subtypeSpec + value_size_constraint(1, 255) class Cmispi(TextualConvention, Unsigned32): reference = 'RFC-2002 - IP Mobility Support, section 3.5.1' description = 'An index identifying a security context between a pair of nodes among the contexts available in the Mobility Security Association. SPI values 0 through 255 are reserved and MUST NOT be used in any Mobility Security Association.' status = 'current' subtype_spec = Unsigned32.subtypeSpec + value_range_constraint(256, 4294967295) class Cmimultipathmetrictype(TextualConvention, Integer32): description = 'An enumerated value that represents a metric type that is used for calculating the metric for routes when multiple routes are created. hopcount(1) Hop count Routes would be inserted with metric as 1 - hop count. bandwidth(2) bandwidth Routes would be inserted with metric using the roaming interface bandwidth.' status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2)) named_values = named_values(('hopcount', 1), ('bandwidth', 2)) class Cmitunneltype(TextualConvention, Integer32): description = "This textual convention lists the tunneling protocols in use between a HA and CoA. The semantics are as follows. 'ipinip' - This indicates that IP-in-IP protocol is in use for tunnel encapsulation. 'gre' - This indicates that GRE protocol is in use for tunnel encapsulation." status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2)) named_values = named_values(('ipinip', 1), ('gre', 2)) cmi_fa_reg_total_visitors = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 1), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaRegTotalVisitors.setReference('RFC-2006 - Mobile IP MIB Definition using SMIv2') if mibBuilder.loadTexts: cmiFaRegTotalVisitors.setStatus('current') if mibBuilder.loadTexts: cmiFaRegTotalVisitors.setDescription("The current number of entries in faVisitorTable. faVisitorTable contains the foreign agent's visitor list. The foreign agent updates this table in response to registration events from mobile nodes.") cmi_fa_reg_visitor_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 2)) if mibBuilder.loadTexts: cmiFaRegVisitorTable.setStatus('current') if mibBuilder.loadTexts: cmiFaRegVisitorTable.setDescription("A table containing the foreign agent's visitor list. The foreign agent updates this table in response to registration events from mobile nodes. This table provides the same information as faVisitorTable of MIP-MIB. The difference is that indices of the table are changed so that visitors which are not identified by the IP address will also be included in the table.") cmi_fa_reg_visitor_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 2, 1)).setIndexNames((0, 'CISCO-MOBILE-IP-MIB', 'cmiFaRegVisitorIdentifierType'), (0, 'CISCO-MOBILE-IP-MIB', 'cmiFaRegVisitorIdentifier')) if mibBuilder.loadTexts: cmiFaRegVisitorEntry.setStatus('current') if mibBuilder.loadTexts: cmiFaRegVisitorEntry.setDescription('Information for one visitor regarding registration.') cmi_fa_reg_visitor_identifier_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 2, 1, 1), cmi_entity_identifier_type()) if mibBuilder.loadTexts: cmiFaRegVisitorIdentifierType.setStatus('current') if mibBuilder.loadTexts: cmiFaRegVisitorIdentifierType.setDescription("The type of the visitor's identifier.") cmi_fa_reg_visitor_identifier = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 2, 1, 2), cmi_entity_identifier()) if mibBuilder.loadTexts: cmiFaRegVisitorIdentifier.setStatus('current') if mibBuilder.loadTexts: cmiFaRegVisitorIdentifier.setDescription('The identifier associated with the visitor.') cmi_fa_reg_visitor_home_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 2, 1, 3), ip_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaRegVisitorHomeAddress.setStatus('current') if mibBuilder.loadTexts: cmiFaRegVisitorHomeAddress.setDescription('Home (IP) address of visiting mobile node.') cmi_fa_reg_visitor_home_agent_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 2, 1, 4), ip_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaRegVisitorHomeAgentAddress.setStatus('current') if mibBuilder.loadTexts: cmiFaRegVisitorHomeAgentAddress.setDescription('Home agent IP address for that visiting mobile node.') cmi_fa_reg_visitor_time_granted = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 2, 1, 5), time_interval()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaRegVisitorTimeGranted.setStatus('current') if mibBuilder.loadTexts: cmiFaRegVisitorTimeGranted.setDescription('The lifetime granted to the mobile node for this registration. Only valid if faVisitorRegIsAccepted is true(1).') cmi_fa_reg_visitor_time_remaining = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 2, 1, 6), time_interval()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaRegVisitorTimeRemaining.setStatus('current') if mibBuilder.loadTexts: cmiFaRegVisitorTimeRemaining.setDescription('The time remaining until the registration is expired. It has the same initial value as cmiFaRegVisitorTimeGranted, and is counted down by the foreign agent.') cmi_fa_reg_visitor_reg_flags = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 2, 1, 7), registration_flags()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaRegVisitorRegFlags.setStatus('deprecated') if mibBuilder.loadTexts: cmiFaRegVisitorRegFlags.setDescription('Registration flags sent by the mobile node.') cmi_fa_reg_visitor_reg_id_low = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 2, 1, 8), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaRegVisitorRegIDLow.setStatus('current') if mibBuilder.loadTexts: cmiFaRegVisitorRegIDLow.setDescription('Low 32 bits of Identification used in that registration by the mobile node.') cmi_fa_reg_visitor_reg_id_high = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 2, 1, 9), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaRegVisitorRegIDHigh.setStatus('current') if mibBuilder.loadTexts: cmiFaRegVisitorRegIDHigh.setDescription('High 32 bits of Identification used in that registration by the mobile node.') cmi_fa_reg_visitor_reg_is_accepted = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 2, 1, 10), truth_value()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaRegVisitorRegIsAccepted.setStatus('current') if mibBuilder.loadTexts: cmiFaRegVisitorRegIsAccepted.setDescription('Whether the registration has been accepted or not. If it is false(2), this registration is still pending for reply.') cmi_fa_reg_visitor_reg_flags_rev1 = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 2, 1, 11), cmi_registration_flags()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaRegVisitorRegFlagsRev1.setStatus('current') if mibBuilder.loadTexts: cmiFaRegVisitorRegFlagsRev1.setDescription('Registration flags sent by the mobile node.') cmi_fa_reg_visitor_challenge_value = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 2, 1, 12), octet_string().subtype(subtypeSpec=value_size_constraint(256, 256)).setFixedLength(256)).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaRegVisitorChallengeValue.setReference('RFC3012 - Mobile IPv4 Challenge/Response Extensions') if mibBuilder.loadTexts: cmiFaRegVisitorChallengeValue.setStatus('current') if mibBuilder.loadTexts: cmiFaRegVisitorChallengeValue.setDescription('Challenge value forwarded to MN in the previous Registration reply, which can be used by MN in the next Registration request') cmi_fa_init_reg_requests_received = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 3), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaInitRegRequestsReceived.setStatus('current') if mibBuilder.loadTexts: cmiFaInitRegRequestsReceived.setDescription('Total number of initial Registration Requests received by the foreign agent.') cmi_fa_init_reg_requests_relayed = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaInitRegRequestsRelayed.setStatus('current') if mibBuilder.loadTexts: cmiFaInitRegRequestsRelayed.setDescription('Total number of initial Registration Requests relayed by the foreign agent to the home agent.') cmi_fa_init_reg_requests_denied = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaInitRegRequestsDenied.setStatus('current') if mibBuilder.loadTexts: cmiFaInitRegRequestsDenied.setDescription('Total number of initial Registration Requests denied by the foreign agent. The reasons for which FA denies a request include: 1. FA CHAP authentication failures. 2. HA is not reachable. 3. No HA address set in the packet.') cmi_fa_init_reg_requests_discarded = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 6), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaInitRegRequestsDiscarded.setStatus('current') if mibBuilder.loadTexts: cmiFaInitRegRequestsDiscarded.setDescription('Total number of initial Registration Requests discarded by the foreign agent. The reasons for which FA discards a request include: 1. ip mobile foreign-service is not enabled on the interface on which the request is received. 2. NAI length exceeds the length of the packet. 3. There are no active COAs.') cmi_fa_init_reg_replies_valid_from_ha = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 7), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaInitRegRepliesValidFromHA.setStatus('current') if mibBuilder.loadTexts: cmiFaInitRegRepliesValidFromHA.setDescription('Total number of initial valid Registration Replies from the home agent to foreign agent.') cmi_fa_init_reg_replies_valid_relay_mn = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 8), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaInitRegRepliesValidRelayMN.setStatus('current') if mibBuilder.loadTexts: cmiFaInitRegRepliesValidRelayMN.setDescription('Total number of initial Registration Replies relayed to MN by the foreign agent.') cmi_fa_re_reg_requests_received = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 9), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaReRegRequestsReceived.setStatus('current') if mibBuilder.loadTexts: cmiFaReRegRequestsReceived.setDescription('Total number of Re-Registration Requests received by the foreign agent from mobile nodes.') cmi_fa_re_reg_requests_relayed = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 10), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaReRegRequestsRelayed.setStatus('current') if mibBuilder.loadTexts: cmiFaReRegRequestsRelayed.setDescription('Total number of Re-Registration Requests relayed to MN by the foreign agent.') cmi_fa_re_reg_requests_denied = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 11), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaReRegRequestsDenied.setStatus('current') if mibBuilder.loadTexts: cmiFaReRegRequestsDenied.setDescription('Total number of Re-Registration Requests denied by the foreign agent. Refer cmiFaInitRegRequestsDenied for the reasons for which FA denies a request.') cmi_fa_re_reg_requests_discarded = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 12), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaReRegRequestsDiscarded.setStatus('current') if mibBuilder.loadTexts: cmiFaReRegRequestsDiscarded.setDescription('Total number of Re-Registration Requests discarded by the foreign agent. Refer cmiFaInitRegRequestsDiscarded for the reasons for which FA discards a request.') cmi_fa_re_reg_replies_valid_from_ha = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 13), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaReRegRepliesValidFromHA.setStatus('current') if mibBuilder.loadTexts: cmiFaReRegRepliesValidFromHA.setDescription('Total number of valid Re-Registration Replies from home agent.') cmi_fa_re_reg_replies_valid_relay_to_mn = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 14), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaReRegRepliesValidRelayToMN.setStatus('current') if mibBuilder.loadTexts: cmiFaReRegRepliesValidRelayToMN.setDescription('Total number of valid Re-Registration Replies relayed to MN by the foreign agent.') cmi_fa_de_reg_requests_received = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 15), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaDeRegRequestsReceived.setStatus('current') if mibBuilder.loadTexts: cmiFaDeRegRequestsReceived.setDescription('Total number of De-Registration Requests received by the foreign agent.') cmi_fa_de_reg_requests_relayed = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 16), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaDeRegRequestsRelayed.setStatus('current') if mibBuilder.loadTexts: cmiFaDeRegRequestsRelayed.setDescription('Total number of De-Registration Requests relayed to home agent by the foreign agent.') cmi_fa_de_reg_requests_denied = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 17), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaDeRegRequestsDenied.setStatus('current') if mibBuilder.loadTexts: cmiFaDeRegRequestsDenied.setDescription('Total number of De-Registration Requests denied by the foreign agent. Refer cmiFaInitRegRequestsDenied for the reasons for which FA denies a request.') cmi_fa_de_reg_requests_discarded = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 18), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaDeRegRequestsDiscarded.setStatus('current') if mibBuilder.loadTexts: cmiFaDeRegRequestsDiscarded.setDescription('Total number of De-Registration Requests discarded by the foreign agent. Refer cmiFaInitRegRequestsDiscarded for the reasons for which FA discards a request.') cmi_fa_de_reg_replies_valid_from_ha = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 19), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaDeRegRepliesValidFromHA.setStatus('current') if mibBuilder.loadTexts: cmiFaDeRegRepliesValidFromHA.setDescription('Total number of valid De-Registration Replies received from the home agent by the foreign agent.') cmi_fa_de_reg_replies_valid_relay_to_mn = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 20), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaDeRegRepliesValidRelayToMN.setStatus('current') if mibBuilder.loadTexts: cmiFaDeRegRepliesValidRelayToMN.setDescription('Total number of De-Registration Replies relayed to the MN by the foreign agent.') cmi_fa_reverse_tunnel_unavailable = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 21), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaReverseTunnelUnavailable.setReference('RFC3024 - Reverse Tunneling for Mobile IP') if mibBuilder.loadTexts: cmiFaReverseTunnelUnavailable.setStatus('current') if mibBuilder.loadTexts: cmiFaReverseTunnelUnavailable.setDescription('Total number of Registration Requests denied by foreign agent -- requested reverse tunnel unavailable (Code 74).') cmi_fa_reverse_tunnel_bit_not_set = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 22), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaReverseTunnelBitNotSet.setReference('RFC3024 - Reverse Tunneling for Mobile IP') if mibBuilder.loadTexts: cmiFaReverseTunnelBitNotSet.setStatus('current') if mibBuilder.loadTexts: cmiFaReverseTunnelBitNotSet.setDescription("Total number of Registration Requests denied by foreign agent -- reverse tunnel is mandatory and 'T' bit not set (Code 75).") cmi_fa_mn_too_distant = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 23), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaMnTooDistant.setReference('RFC3024 - Reverse Tunneling for Mobile IP') if mibBuilder.loadTexts: cmiFaMnTooDistant.setStatus('current') if mibBuilder.loadTexts: cmiFaMnTooDistant.setDescription('Total number of Registration Requests denied by foreign agent -- mobile node too distant (Code 76).') cmi_fa_delivery_style_unsupported = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 24), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaDeliveryStyleUnsupported.setReference('RFC3024 - Reverse Tunneling for Mobile IP') if mibBuilder.loadTexts: cmiFaDeliveryStyleUnsupported.setStatus('current') if mibBuilder.loadTexts: cmiFaDeliveryStyleUnsupported.setDescription('Total number of Registration Requests denied by foreign agent -- delivery style not supported (Code 79).') cmi_fa_unknown_challenge = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 25), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaUnknownChallenge.setReference('RFC3012 - Mobile IPv4 Challenge/Response Extensions') if mibBuilder.loadTexts: cmiFaUnknownChallenge.setStatus('current') if mibBuilder.loadTexts: cmiFaUnknownChallenge.setDescription('Total number of Registration Requests denied by foreign agent -- challenge was unknown (code 104).') cmi_fa_missing_challenge = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 26), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaMissingChallenge.setReference('RFC3012 - Mobile IPv4 Challenge/Response Extensions') if mibBuilder.loadTexts: cmiFaMissingChallenge.setStatus('current') if mibBuilder.loadTexts: cmiFaMissingChallenge.setDescription('Total number of Registration Requests denied by foreign agent -- challenge was missing (code 105).') cmi_fa_stale_challenge = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 27), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaStaleChallenge.setReference('RFC3012 - Mobile IPv4 Challenge/Response Extensions') if mibBuilder.loadTexts: cmiFaStaleChallenge.setStatus('current') if mibBuilder.loadTexts: cmiFaStaleChallenge.setDescription('Total number of Registration Requests denied by foreign agent -- challenge was stale (code 106).') cmi_fa_cvses_from_mn_rejected = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 28), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaCvsesFromMnRejected.setReference('RFC3025 - Mobile IP Vendor/Organization-Specific Extensions') if mibBuilder.loadTexts: cmiFaCvsesFromMnRejected.setStatus('current') if mibBuilder.loadTexts: cmiFaCvsesFromMnRejected.setDescription('Total number of Registration Requests denied by foreign agent -- Unsupported Vendor-ID or unable to interpret Vendor-CVSE-Type in the CVSE sent by the mobile node to the foreign agent (code 100).') cmi_fa_cvses_from_ha_rejected = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 29), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaCvsesFromHaRejected.setReference('RFC3025 - Mobile IP Vendor/Organization-Specific Extensions') if mibBuilder.loadTexts: cmiFaCvsesFromHaRejected.setStatus('current') if mibBuilder.loadTexts: cmiFaCvsesFromHaRejected.setDescription('Total number of Registration Replies denied by foreign agent -- Unsupported Vendor-ID or unable to interpret Vendor-CVSE-Type in the CVSE sent by the home agent to the foreign agent (code 101).') cmi_fa_nvses_from_mn_neglected = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 30), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaNvsesFromMnNeglected.setReference('RFC3025 - Mobile IP Vendor/Organization-Specific Extensions') if mibBuilder.loadTexts: cmiFaNvsesFromMnNeglected.setStatus('current') if mibBuilder.loadTexts: cmiFaNvsesFromMnNeglected.setDescription('Total number of Registration Requests, which has an NVSE extension with - unsupported Vendor-ID or unable to interpret Vendor-NVSE-Type in the NVSE sent by the mobile node to the foreign agent.') cmi_fa_nvses_from_ha_neglected = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 31), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaNvsesFromHaNeglected.setReference('RFC3025 - Mobile IP Vendor/Organization-Specific Extensions') if mibBuilder.loadTexts: cmiFaNvsesFromHaNeglected.setStatus('current') if mibBuilder.loadTexts: cmiFaNvsesFromHaNeglected.setDescription('Total number of Registration Requests, which has an NVSE extension with - unsupported Vendor-ID or unable to interpret Vendor-NVSE-Type in the NVSE sent by the home agent to the foreign agent.') cmi_fa_total_reg_requests = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 32), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaTotalRegRequests.setStatus('current') if mibBuilder.loadTexts: cmiFaTotalRegRequests.setDescription('Total number of Registration Requests received from the MN by the foreign agent.') cmi_fa_total_reg_replies = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 33), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaTotalRegReplies.setStatus('current') if mibBuilder.loadTexts: cmiFaTotalRegReplies.setDescription('Total number of Registration Replies received from the MA by the foreign agent.') cmi_fa_mn_fa_auth_failures = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 34), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaMnFaAuthFailures.setStatus('current') if mibBuilder.loadTexts: cmiFaMnFaAuthFailures.setDescription('Total number of Registration Requests denied due to MN and foreign agent auth extension failures.') cmi_fa_mn_aaa_auth_failures = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 1, 35), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaMnAAAAuthFailures.setStatus('current') if mibBuilder.loadTexts: cmiFaMnAAAAuthFailures.setDescription('Total number of Registration Requests denied due to MN-AAA auth extension failures.') cmi_fa_advert_conf_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 2, 1)) if mibBuilder.loadTexts: cmiFaAdvertConfTable.setStatus('current') if mibBuilder.loadTexts: cmiFaAdvertConfTable.setDescription('A table containing additional configurable advertisement parameters beyond that provided by maAdvertConfTable for all advertisement interfaces in the foreign agent.') cmi_fa_advert_conf_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 2, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex')) if mibBuilder.loadTexts: cmiFaAdvertConfEntry.setStatus('current') if mibBuilder.loadTexts: cmiFaAdvertConfEntry.setDescription('Additional advertisement parameters beyond that provided by maAdvertConfEntry for one advertisement interface.') cmi_fa_advert_is_busy = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 2, 1, 1, 1), truth_value()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaAdvertIsBusy.setStatus('current') if mibBuilder.loadTexts: cmiFaAdvertIsBusy.setDescription("This object indicates if the foreign agent is busy. If the value of this object is true(1), agent advertisements sent by the agent on this interface will have the 'B' bit set to 1.") cmi_fa_advert_reg_required = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 2, 1, 1, 2), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: cmiFaAdvertRegRequired.setStatus('current') if mibBuilder.loadTexts: cmiFaAdvertRegRequired.setDescription("This object specifies if foreign agent registration is required on this interface. If the value of this object is true(1), agent advertisements sent on this interface will have the 'R' bit set to 1.") cmi_fa_advert_challenge_window = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 2, 1, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 10)).clone(2)).setMaxAccess('readwrite') if mibBuilder.loadTexts: cmiFaAdvertChallengeWindow.setReference('RFC3012 - Mobile IPv4 Challenge/Response Extensions') if mibBuilder.loadTexts: cmiFaAdvertChallengeWindow.setStatus('current') if mibBuilder.loadTexts: cmiFaAdvertChallengeWindow.setDescription('Specifies the number of last challenge values which can be used by mobile node in the registration request sent to the foreign agent on this interface.') cmi_fa_advert_challenge_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 2, 2)) if mibBuilder.loadTexts: cmiFaAdvertChallengeTable.setReference('RFC3012 - Mobile IPv4 Challenge/Response Extensions') if mibBuilder.loadTexts: cmiFaAdvertChallengeTable.setStatus('current') if mibBuilder.loadTexts: cmiFaAdvertChallengeTable.setDescription("A table containing challenge values in the challenge window. Foreign agent needs to implement maAdvertisement Group (MIP-MIB), that group's maAdvConfigTable and cmiFaAdvertChallengeWindow should be greater than 0.") cmi_fa_advert_challenge_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 2, 2, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'CISCO-MOBILE-IP-MIB', 'cmiFaAdvertChallengeIndex')) if mibBuilder.loadTexts: cmiFaAdvertChallengeEntry.setStatus('current') if mibBuilder.loadTexts: cmiFaAdvertChallengeEntry.setDescription('Challenge values in challenge window specific to an interface. This entry is created whenever the foreign agent sends an agent advertisement with challenge on the interface.') cmi_fa_advert_challenge_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 2, 2, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 10))) if mibBuilder.loadTexts: cmiFaAdvertChallengeIndex.setStatus('current') if mibBuilder.loadTexts: cmiFaAdvertChallengeIndex.setDescription('The index of challenge table on an interface') cmi_fa_advert_challenge_value = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 2, 2, 1, 2), octet_string().subtype(subtypeSpec=value_size_constraint(256, 256)).setFixedLength(256)).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaAdvertChallengeValue.setStatus('current') if mibBuilder.loadTexts: cmiFaAdvertChallengeValue.setDescription('Challenge value in the challenge window of the interface.') cmi_fa_rev_tunnel_supported = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 3, 1), truth_value().clone('true')).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaRevTunnelSupported.setReference('RFC3024 - Reverse Tunneling for Mobile IP') if mibBuilder.loadTexts: cmiFaRevTunnelSupported.setStatus('current') if mibBuilder.loadTexts: cmiFaRevTunnelSupported.setDescription('Indicates whether Reverse tunnel is supported or not.') cmi_fa_challenge_supported = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 3, 2), truth_value().clone('true')).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaChallengeSupported.setReference('RFC3012 - Mobile IPv4 Challenge/Response Extensions') if mibBuilder.loadTexts: cmiFaChallengeSupported.setStatus('current') if mibBuilder.loadTexts: cmiFaChallengeSupported.setDescription('Indicates whether Foreign Agent Challenge is supported or not.') cmi_fa_encap_delivery_style_supported = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 3, 3), truth_value().clone('false')).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaEncapDeliveryStyleSupported.setReference('RFC3024 - Reverse Tunneling for Mobile IP') if mibBuilder.loadTexts: cmiFaEncapDeliveryStyleSupported.setStatus('current') if mibBuilder.loadTexts: cmiFaEncapDeliveryStyleSupported.setDescription('Indicates whether Encap delivery style is supported or not.') cmi_fa_interface_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 3, 4)) if mibBuilder.loadTexts: cmiFaInterfaceTable.setStatus('current') if mibBuilder.loadTexts: cmiFaInterfaceTable.setDescription('A table containing interface specific parameters related to the foreign agent service on a FA.') cmi_fa_interface_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 3, 4, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex')) if mibBuilder.loadTexts: cmiFaInterfaceEntry.setStatus('current') if mibBuilder.loadTexts: cmiFaInterfaceEntry.setDescription('Parameters associated with a particular foreign agent interface. Interfaces on which foreign agent service has been enabled will have a corresponding entry.') cmi_fa_reverse_tunnel_enable = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 3, 4, 1, 1), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: cmiFaReverseTunnelEnable.setStatus('current') if mibBuilder.loadTexts: cmiFaReverseTunnelEnable.setDescription('This object specifies whether reverse tunnel capability is enabled on the interface or not.') cmi_fa_challenge_enable = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 3, 4, 1, 2), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: cmiFaChallengeEnable.setReference('RFC3012 - Mobile IPv4 Challenge/Response Extensions') if mibBuilder.loadTexts: cmiFaChallengeEnable.setStatus('current') if mibBuilder.loadTexts: cmiFaChallengeEnable.setDescription('This object specifies whether FA Challenge capability is enabled on the interface or not.') cmi_fa_advert_challenge_chap_spi = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 3, 4, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 4294967295)).clone(2)).setMaxAccess('readwrite') if mibBuilder.loadTexts: cmiFaAdvertChallengeChapSPI.setReference('RFC3012 - Mobile IPv4 Challenge/Response Extensions') if mibBuilder.loadTexts: cmiFaAdvertChallengeChapSPI.setStatus('current') if mibBuilder.loadTexts: cmiFaAdvertChallengeChapSPI.setDescription('Specifies the CHAP_SPI number for FA challenge authentication.') cmi_fa_coa_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 3, 5)) if mibBuilder.loadTexts: cmiFaCoaTable.setStatus('current') if mibBuilder.loadTexts: cmiFaCoaTable.setDescription('A table containing additional parameters for all care-of-addresses in the foreign agent beyond that provided by MIP MIB faCOATable.') cmi_fa_coa_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 3, 5, 1)) faCOAEntry.registerAugmentions(('CISCO-MOBILE-IP-MIB', 'cmiFaCoaEntry')) cmiFaCoaEntry.setIndexNames(*faCOAEntry.getIndexNames()) if mibBuilder.loadTexts: cmiFaCoaEntry.setStatus('current') if mibBuilder.loadTexts: cmiFaCoaEntry.setDescription('Additional information about a particular entry on the faCOATable beyond that provided by MIP MIB faCOAEntry.') cmi_fa_coa_interface_only = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 3, 5, 1, 1), truth_value().clone('false')).setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiFaCoaInterfaceOnly.setStatus('current') if mibBuilder.loadTexts: cmiFaCoaInterfaceOnly.setDescription('Specifies whether the FA interface associated with this CoA should advertise only this CoA or not. If it is true, all the other configured care-of-addresses will not be advertised.') cmi_fa_coa_transmit_only = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 3, 5, 1, 2), truth_value().clone('false')).setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiFaCoaTransmitOnly.setStatus('current') if mibBuilder.loadTexts: cmiFaCoaTransmitOnly.setDescription('Specifies whether the FA interface associated with this CoA is a transmit-only (uplink) interface or not. If it is true, the FA treats all registration requests received (on any interface) for this CoA as having arrived on the care-of interface. This object can be set to true only for serial care-of-interfaces.') cmi_fa_coa_reg_asym_link = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 1, 3, 5, 1, 3), zero_based_counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiFaCoaRegAsymLink.setStatus('current') if mibBuilder.loadTexts: cmiFaCoaRegAsymLink.setDescription('The number of registration requests which were received for this CoA on other interfaces (asymmetric links) and have been treated as received on this CoA interface. The count will thus be zero if the CoA interface is not set as transmit-only.') cmi_ha_reg_total_mobility_bindings = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 1), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegTotalMobilityBindings.setReference('RFC-2006 - Mobile IP MIB Definition using SMIv2') if mibBuilder.loadTexts: cmiHaRegTotalMobilityBindings.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTotalMobilityBindings.setDescription("The current number of entries in haMobilityBindingTable. haMobilityBindingTable contains the home agent's mobility binding list. The home agent updates this table in response to registration events from mobile nodes.") cmi_ha_reg_mobility_binding_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 2)) if mibBuilder.loadTexts: cmiHaRegMobilityBindingTable.setStatus('current') if mibBuilder.loadTexts: cmiHaRegMobilityBindingTable.setDescription('The home agent updates this table in response to registration events from mobile nodes.') cmi_ha_reg_mobility_binding_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 2, 1)) haMobilityBindingEntry.registerAugmentions(('CISCO-MOBILE-IP-MIB', 'cmiHaRegMobilityBindingEntry')) cmiHaRegMobilityBindingEntry.setIndexNames(*haMobilityBindingEntry.getIndexNames()) if mibBuilder.loadTexts: cmiHaRegMobilityBindingEntry.setStatus('current') if mibBuilder.loadTexts: cmiHaRegMobilityBindingEntry.setDescription('Additional information about a particular entry on the mobility binding list beyond that provided by MIP MIB haMobilityBindingEntry.') cmi_ha_reg_mn_identifier_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 2, 1, 1), cmi_entity_identifier_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegMnIdentifierType.setStatus('current') if mibBuilder.loadTexts: cmiHaRegMnIdentifierType.setDescription("The type of the mobile node's identifier.") cmi_ha_reg_mn_identifier = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 2, 1, 2), cmi_entity_identifier()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegMnIdentifier.setStatus('current') if mibBuilder.loadTexts: cmiHaRegMnIdentifier.setDescription('The identifier associated with the mobile node.') cmi_ha_reg_mobility_binding_reg_flags = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 2, 1, 3), cmi_registration_flags()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegMobilityBindingRegFlags.setStatus('current') if mibBuilder.loadTexts: cmiHaRegMobilityBindingRegFlags.setDescription('Registration flags sent by mobile node.') cmi_ha_reg_mn_if_description = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 2, 1, 4), snmp_admin_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegMnIfDescription.setStatus('current') if mibBuilder.loadTexts: cmiHaRegMnIfDescription.setDescription('Description of the access type for the roaming interface of the registering mobile node or router.') cmi_ha_reg_mn_if_bandwidth = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 2, 1, 5), unsigned32()).setUnits('kilobits/second').setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegMnIfBandwidth.setStatus('current') if mibBuilder.loadTexts: cmiHaRegMnIfBandwidth.setDescription('Bandwidth of the roaming interface through which mobile node or router is registered.') cmi_ha_reg_mn_if_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 2, 1, 6), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegMnIfID.setStatus('current') if mibBuilder.loadTexts: cmiHaRegMnIfID.setDescription('A unique number identifying the roaming interface through which mobile node or router is registered. This is also used as an unique identifier for the tunnel from home agent to the mobile router.') cmi_ha_reg_mn_if_path_metric_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 2, 1, 7), cmi_multi_path_metric_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegMnIfPathMetricType.setStatus('current') if mibBuilder.loadTexts: cmiHaRegMnIfPathMetricType.setDescription('Specifies the metric to use when multiple path is enabled.') cmi_ha_reg_mobility_binding_mac_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 2, 1, 8), mac_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegMobilityBindingMacAddress.setStatus('current') if mibBuilder.loadTexts: cmiHaRegMobilityBindingMacAddress.setDescription('This object represents the MAC address of Mobile Node.') cmi_ha_reg_counter_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 3)) if mibBuilder.loadTexts: cmiHaRegCounterTable.setStatus('current') if mibBuilder.loadTexts: cmiHaRegCounterTable.setDescription('A table containing registration statistics for all mobile nodes authorized to use this home agent. This table provides the same information as haCounterTable of MIP MIB. The only difference is that indices of table are changed so that mobile nodes which are not identified by the IP address will also be included in the table.') cmi_ha_reg_counter_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 3, 1)).setIndexNames((0, 'CISCO-MOBILE-IP-MIB', 'cmiHaRegMnIdType'), (0, 'CISCO-MOBILE-IP-MIB', 'cmiHaRegMnId')) if mibBuilder.loadTexts: cmiHaRegCounterEntry.setStatus('current') if mibBuilder.loadTexts: cmiHaRegCounterEntry.setDescription('Registration statistics for a single mobile node.') cmi_ha_reg_mn_id_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 3, 1, 1), cmi_entity_identifier_type()) if mibBuilder.loadTexts: cmiHaRegMnIdType.setStatus('current') if mibBuilder.loadTexts: cmiHaRegMnIdType.setDescription("The type of the mobile node's identifier.") cmi_ha_reg_mn_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 3, 1, 2), cmi_entity_identifier()) if mibBuilder.loadTexts: cmiHaRegMnId.setStatus('current') if mibBuilder.loadTexts: cmiHaRegMnId.setDescription('The identifier associated with the mobile node.') cmi_ha_reg_serv_accepted_requests = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 3, 1, 3), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegServAcceptedRequests.setReference('RFC-2002 - IP Mobility Support, section 3.4') if mibBuilder.loadTexts: cmiHaRegServAcceptedRequests.setStatus('current') if mibBuilder.loadTexts: cmiHaRegServAcceptedRequests.setDescription('Total number of service requests for the mobile node accepted by the home agent (Code 0 + Code 1).') cmi_ha_reg_serv_denied_requests = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 3, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegServDeniedRequests.setReference('RFC-2002 - IP Mobility Support, section 3.4') if mibBuilder.loadTexts: cmiHaRegServDeniedRequests.setStatus('current') if mibBuilder.loadTexts: cmiHaRegServDeniedRequests.setDescription('Total number of service requests for the mobile node denied by the home agent (sum of all registrations denied with Code 128 through Code 159).') cmi_ha_reg_overall_serv_time = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 3, 1, 5), time_interval()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegOverallServTime.setStatus('current') if mibBuilder.loadTexts: cmiHaRegOverallServTime.setDescription('Overall service time that has accumulated for the mobile node since the home agent last rebooted.') cmi_ha_reg_recent_serv_accepted_time = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 3, 1, 6), time_stamp()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegRecentServAcceptedTime.setReference('RFC-2002 - IP Mobility Support, section 3') if mibBuilder.loadTexts: cmiHaRegRecentServAcceptedTime.setStatus('current') if mibBuilder.loadTexts: cmiHaRegRecentServAcceptedTime.setDescription('The time at which the most recent Registration Request was accepted by the home agent for this mobile node.') cmi_ha_reg_recent_serv_denied_time = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 3, 1, 7), time_stamp()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegRecentServDeniedTime.setReference('RFC-2002 - IP Mobility Support, section 3') if mibBuilder.loadTexts: cmiHaRegRecentServDeniedTime.setStatus('current') if mibBuilder.loadTexts: cmiHaRegRecentServDeniedTime.setDescription('The time at which the most recent Registration Request was denied by the home agent for this mobile node.') cmi_ha_reg_recent_serv_denied_code = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 3, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(128, 129, 130, 131, 132, 133, 134, 135, 136, 137, 138, 139))).clone(namedValues=named_values(('reasonUnspecified', 128), ('admProhibited', 129), ('insufficientResource', 130), ('mnAuthenticationFailure', 131), ('faAuthenticationFailure', 132), ('idMismatch', 133), ('poorlyFormedRequest', 134), ('tooManyBindings', 135), ('unknownHA', 136), ('reverseTunnelUnavailable', 137), ('reverseTunnelBitNotSet', 138), ('encapsulationUnavailable', 139)))).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegRecentServDeniedCode.setReference('RFC-2002 - IP Mobility Support, section 3.4') if mibBuilder.loadTexts: cmiHaRegRecentServDeniedCode.setStatus('current') if mibBuilder.loadTexts: cmiHaRegRecentServDeniedCode.setDescription('The Code indicating the reason why the most recent Registration Request for this mobile node was rejected by the home agent.') cmi_ha_reg_total_proc_loc_regs = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegTotalProcLocRegs.setReference('RFC-2002 - IP Mobility Support, section 3') if mibBuilder.loadTexts: cmiHaRegTotalProcLocRegs.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTotalProcLocRegs.setDescription('The total number of Registration Requests processed by the home agent. It includes only those Registration Requests which were authenticated locally by the home agent.') cmi_ha_reg_max_proc_loc_in_min_regs = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegMaxProcLocInMinRegs.setReference('RFC-2002 - IP Mobility Support, section 3') if mibBuilder.loadTexts: cmiHaRegMaxProcLocInMinRegs.setStatus('current') if mibBuilder.loadTexts: cmiHaRegMaxProcLocInMinRegs.setDescription('The maximum number of Registration Requests processed in a minute by the home agent. It includes only those Registration Requests which were authenticated locally by the home agent.') cmi_ha_reg_date_max_regs_proc_loc = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 6), date_and_time()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegDateMaxRegsProcLoc.setReference('RFC-2002 - IP Mobility Support, section 3') if mibBuilder.loadTexts: cmiHaRegDateMaxRegsProcLoc.setStatus('current') if mibBuilder.loadTexts: cmiHaRegDateMaxRegsProcLoc.setDescription('The time at which number of Registration Requests processed in a minute by the home agent were maximum. It includes only those Registration Requests which were authenticated locally by the home agent.') cmi_ha_reg_proc_loc_in_last_min_regs = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 7), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegProcLocInLastMinRegs.setReference('RFC-2002 - IP Mobility Support, section 3') if mibBuilder.loadTexts: cmiHaRegProcLocInLastMinRegs.setStatus('current') if mibBuilder.loadTexts: cmiHaRegProcLocInLastMinRegs.setDescription('The number of Registration Requests processed in the last minute by the home agent. It includes only those Registration Requests which were authenticated locally by the home agent.') cmi_ha_reg_total_proc_by_aaa_regs = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 8), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegTotalProcByAAARegs.setReference('RFC-2002 - IP Mobility Support, section 3') if mibBuilder.loadTexts: cmiHaRegTotalProcByAAARegs.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTotalProcByAAARegs.setDescription('The total number of Registration Requests processed by the home agent. It includes only those Registration Requests which were authenticated by the AAA server.') cmi_ha_reg_max_proc_by_aaa_in_min_regs = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 9), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegMaxProcByAAAInMinRegs.setReference('RFC-2002 - IP Mobility Support, section 3') if mibBuilder.loadTexts: cmiHaRegMaxProcByAAAInMinRegs.setStatus('current') if mibBuilder.loadTexts: cmiHaRegMaxProcByAAAInMinRegs.setDescription('The maximum number of Registration Requests processed in a minute by the home agent. It includes only those Registration Requests which were authenticated by the AAA server.') cmi_ha_reg_date_max_regs_proc_by_aaa = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 10), date_and_time()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegDateMaxRegsProcByAAA.setReference('RFC-2002 - IP Mobility Support, section 3') if mibBuilder.loadTexts: cmiHaRegDateMaxRegsProcByAAA.setStatus('current') if mibBuilder.loadTexts: cmiHaRegDateMaxRegsProcByAAA.setDescription('The time at which number of Registration Requests processed in a minute by the home agent were maximum. It includes only those Registration Requests which were authenticated by the AAA server.') cmi_ha_reg_proc_aaa_in_last_by_min_regs = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 11), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegProcAAAInLastByMinRegs.setReference('RFC-2002 - IP Mobility Support, section 3') if mibBuilder.loadTexts: cmiHaRegProcAAAInLastByMinRegs.setStatus('current') if mibBuilder.loadTexts: cmiHaRegProcAAAInLastByMinRegs.setDescription('The number of Registration Requests processed in the last minute by the home agent. It includes only those Registration Requests which were authenticated by the AAA server.') cmi_ha_reg_avg_time_regs_proc_by_aaa = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 12), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setUnits('milli seconds').setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegAvgTimeRegsProcByAAA.setReference('RFC-2002 - IP Mobility Support, section 3') if mibBuilder.loadTexts: cmiHaRegAvgTimeRegsProcByAAA.setStatus('current') if mibBuilder.loadTexts: cmiHaRegAvgTimeRegsProcByAAA.setDescription('The average time taken by the home agent to process a Registration Request. It is calculated based on only those Registration Requests which were authenticated by the AAA server.') cmi_ha_reg_max_time_regs_proc_by_aaa = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 13), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setUnits('milli seconds').setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegMaxTimeRegsProcByAAA.setReference('RFC-2002 - IP Mobility Support, section 3') if mibBuilder.loadTexts: cmiHaRegMaxTimeRegsProcByAAA.setStatus('current') if mibBuilder.loadTexts: cmiHaRegMaxTimeRegsProcByAAA.setDescription('The maximum time taken by the home agent to process a Registration Request. It considers only those Registration Requests which were authenticated by the AAA server.') cmi_ha_reg_requests_received = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 14), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegRequestsReceived.setStatus('current') if mibBuilder.loadTexts: cmiHaRegRequestsReceived.setDescription('Total number of Registration Requests received by the home agent. This include initial registration requests, re-registration requests and de-registration requests.') cmi_ha_reg_requests_denied = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 15), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegRequestsDenied.setStatus('current') if mibBuilder.loadTexts: cmiHaRegRequestsDenied.setDescription("Total number of Registration Requests denied by the home agent. The reasons for which HA denies a request include: 1. Can't allocate IP address for MN. 2. Request parsing failed. 3. NAI length exceeds the packet length.") cmi_ha_reg_requests_discarded = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 16), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegRequestsDiscarded.setStatus('current') if mibBuilder.loadTexts: cmiHaRegRequestsDiscarded.setDescription('Total number of Registration Requests discarded by the home agent. The reasons for which HA discards a request include: 1. ip mobile home-agent service is not enabled. 2. HA-CHAP authentication failed. 3. MN Security Association retrieval failed.') cmi_ha_encap_unavailable = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 17), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaEncapUnavailable.setStatus('current') if mibBuilder.loadTexts: cmiHaEncapUnavailable.setDescription('Total number of Registration Requests denied by the home agent due to an unsupported encapsulation.') cmi_ha_nai_check_failures = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 18), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaNAICheckFailures.setStatus('current') if mibBuilder.loadTexts: cmiHaNAICheckFailures.setDescription('Total number of Registration Requests denied by the home agent due to an NAI check failures.') cmi_ha_init_reg_requests_received = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 19), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaInitRegRequestsReceived.setStatus('current') if mibBuilder.loadTexts: cmiHaInitRegRequestsReceived.setDescription('Total number of initial Registration Requests received by the home agent.') cmi_ha_init_reg_requests_accepted = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 20), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaInitRegRequestsAccepted.setStatus('current') if mibBuilder.loadTexts: cmiHaInitRegRequestsAccepted.setDescription('Total number of initial Registration Requests accepted by the home agent.') cmi_ha_init_reg_requests_denied = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 21), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaInitRegRequestsDenied.setStatus('current') if mibBuilder.loadTexts: cmiHaInitRegRequestsDenied.setDescription('Total number of initial Registration Requests denied by the home agent. Refer cmiHaRegRequestsReceived for the reasons for which HA denies a request.') cmi_ha_init_reg_requests_discarded = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 22), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaInitRegRequestsDiscarded.setStatus('current') if mibBuilder.loadTexts: cmiHaInitRegRequestsDiscarded.setDescription('Total number of initial Registration Requests discarded by the home agent. Refer cmiHaRegRequestsDiscarded for the reasons for which HA discards a request.') cmi_ha_re_reg_requests_received = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 23), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaReRegRequestsReceived.setStatus('current') if mibBuilder.loadTexts: cmiHaReRegRequestsReceived.setDescription('Total number of Re-Registration Requests received by the home agent.') cmi_ha_re_reg_requests_accepted = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 24), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaReRegRequestsAccepted.setStatus('current') if mibBuilder.loadTexts: cmiHaReRegRequestsAccepted.setDescription('Total number of Re-Registration Requests accepted by the home agent.') cmi_ha_re_reg_requests_denied = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 25), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaReRegRequestsDenied.setStatus('current') if mibBuilder.loadTexts: cmiHaReRegRequestsDenied.setDescription('Total number of Re-Registration Requests denied by the home agent. Refer cmiHaRegRequestsReceived for the reasons for which HA denies a request.') cmi_ha_re_reg_requests_discarded = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 26), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaReRegRequestsDiscarded.setStatus('current') if mibBuilder.loadTexts: cmiHaReRegRequestsDiscarded.setDescription('Total number of Re-Registration Requests discarded by the home agent. Refer cmiHaRegRequestsDiscarded for the reasons for which HA discards a request.') cmi_ha_de_reg_requests_received = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 27), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaDeRegRequestsReceived.setStatus('current') if mibBuilder.loadTexts: cmiHaDeRegRequestsReceived.setDescription('Total number of De-Registration Requests received by the home agent.') cmi_ha_de_reg_requests_accepted = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 28), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaDeRegRequestsAccepted.setStatus('current') if mibBuilder.loadTexts: cmiHaDeRegRequestsAccepted.setDescription('Total number of De-Registration Requests accepted by the home agent.') cmi_ha_de_reg_requests_denied = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 29), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaDeRegRequestsDenied.setStatus('current') if mibBuilder.loadTexts: cmiHaDeRegRequestsDenied.setDescription('Total number of De-Registration Requests denied by the home agent. Refer cmiHaRegRequestsReceived for the reasons for which HA denies a request.') cmi_ha_de_reg_requests_discarded = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 30), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaDeRegRequestsDiscarded.setStatus('current') if mibBuilder.loadTexts: cmiHaDeRegRequestsDiscarded.setDescription('Total number of De-Registration Requests discarded by the home agent. Refer cmiHaRegRequestsDiscarded for the reasons for which HA discards a request.') cmi_ha_reverse_tunnel_unavailable = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 31), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaReverseTunnelUnavailable.setReference('RFC3024 - Reverse Tunneling for Mobile IP') if mibBuilder.loadTexts: cmiHaReverseTunnelUnavailable.setStatus('current') if mibBuilder.loadTexts: cmiHaReverseTunnelUnavailable.setDescription('Total number of Registration Requests denied by the home agent -- requested reverse tunnel unavailable (Code 137).') cmi_ha_reverse_tunnel_bit_not_set = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 32), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaReverseTunnelBitNotSet.setReference('RFC3024 - Reverse Tunneling for Mobile IP') if mibBuilder.loadTexts: cmiHaReverseTunnelBitNotSet.setStatus('current') if mibBuilder.loadTexts: cmiHaReverseTunnelBitNotSet.setDescription("Total number of Registration Requests denied by the home agent -- reverse tunnel is mandatory and 'T' bit not set (Code 138).") cmi_ha_encapsulation_unavailable = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 33), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaEncapsulationUnavailable.setReference('RFC3024 - Reverse Tunneling for Mobile IP') if mibBuilder.loadTexts: cmiHaEncapsulationUnavailable.setStatus('current') if mibBuilder.loadTexts: cmiHaEncapsulationUnavailable.setDescription('Total number of Registration Requests denied by the home agent -- requested encapsulation unavailable (Code 72).') cmi_ha_cvses_from_mn_rejected = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 34), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaCvsesFromMnRejected.setReference('RFC3025 - Mobile IP Vendor/Organization-Specific Extensions') if mibBuilder.loadTexts: cmiHaCvsesFromMnRejected.setStatus('current') if mibBuilder.loadTexts: cmiHaCvsesFromMnRejected.setDescription('Total number of Registration Requests denied by the home agent -- Unsupported Vendor-ID or unable to interpret Vendor-CVSE-Type in the CVSE sent by the mobile node to the home agent (code 140).') cmi_ha_cvses_from_fa_rejected = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 35), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaCvsesFromFaRejected.setReference('RFC3025 - Mobile IP Vendor/Organization-Specific Extensions') if mibBuilder.loadTexts: cmiHaCvsesFromFaRejected.setStatus('current') if mibBuilder.loadTexts: cmiHaCvsesFromFaRejected.setDescription('Total number of Registration Requests denied by the home agent -- Unsupported Vendor-ID or unable to interpret Vendor-CVSE-Type in the CVSE sent by the foreign agent to the home agent (code 141).') cmi_ha_nvses_from_mn_neglected = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 36), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaNvsesFromMnNeglected.setReference('RFC3025 - Mobile IP Vendor/Organization-Specific Extensions') if mibBuilder.loadTexts: cmiHaNvsesFromMnNeglected.setStatus('current') if mibBuilder.loadTexts: cmiHaNvsesFromMnNeglected.setDescription('Total number of Registration Requests, which has an NVSE extension with - unsupported Vendor-ID or unable to interpret Vendor-NVSE-Type in the NVSE sent by the mobile node to the home agent.') cmi_ha_nvses_from_fa_neglected = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 37), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaNvsesFromFaNeglected.setReference('RFC3025 - Mobile IP Vendor/Organization-Specific Extensions') if mibBuilder.loadTexts: cmiHaNvsesFromFaNeglected.setStatus('current') if mibBuilder.loadTexts: cmiHaNvsesFromFaNeglected.setDescription('Total number of Registration Requests, which has an NVSE extension with - unsupported Vendor-ID or unable to interpret Vendor-NVSE-Type in the NVSE sent by the foreign agent to the home agent.') cmi_ha_mn_ha_auth_failures = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 38), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaMnHaAuthFailures.setStatus('current') if mibBuilder.loadTexts: cmiHaMnHaAuthFailures.setDescription('Total number of Registration Requests denied due to MN and home agent auth extension failures.') cmi_ha_mn_aaa_auth_failures = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 39), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaMnAAAAuthFailures.setStatus('current') if mibBuilder.loadTexts: cmiHaMnAAAAuthFailures.setDescription('Total number of Registration Requests denied due to MN-AAA auth extension failures.') cmi_ha_maximum_bindings = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 40), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 500000)).clone(235000)).setMaxAccess('readwrite') if mibBuilder.loadTexts: cmiHaMaximumBindings.setStatus('current') if mibBuilder.loadTexts: cmiHaMaximumBindings.setDescription('This object represents the maximum number of registrations allowed by the home agent.') cmi_ha_reg_interval_size = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 41), unsigned32().subtype(subtypeSpec=value_range_constraint(15, 300)).clone(30)).setUnits('minutes').setMaxAccess('readwrite') if mibBuilder.loadTexts: cmiHaRegIntervalSize.setStatus('current') if mibBuilder.loadTexts: cmiHaRegIntervalSize.setDescription('This object represents the interval for which cmiHaRegIntervalMaxActiveBindings, cmiHaRegInterval3gpp2MaxActiveBindings, cmiHaRegIntervalWimaxMaxActiveBindings are calculated.') cmi_ha_reg_interval_max_active_bindings = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 42), gauge32()).setUnits('MIP call per interval').setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegIntervalMaxActiveBindings.setStatus('current') if mibBuilder.loadTexts: cmiHaRegIntervalMaxActiveBindings.setDescription('This object represents the maximum number of active bindings present at any time during the elapsed time interval configured through cmiHaRegIntervalSize. When the time interval is modified through cmiHaRegIntervalSize, a value of zero will be populated till one complete new interval is elapsed.') cmi_ha_reg_interval3gpp2_max_active_bindings = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 43), gauge32()).setUnits('MIP call per interval').setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegInterval3gpp2MaxActiveBindings.setStatus('current') if mibBuilder.loadTexts: cmiHaRegInterval3gpp2MaxActiveBindings.setDescription('This object represents the maximum number of active 3GPP2 bindings present at any time during the elapsed time interval configured through cmiHaRegIntervalSize. When the time interval is modified through cmiHaRegIntervalSize, a value of zero will be populated till one complete new interval is elapsed.') cmi_ha_reg_interval_wimax_max_active_bindings = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 44), gauge32()).setUnits('MIP call per interval').setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegIntervalWimaxMaxActiveBindings.setStatus('current') if mibBuilder.loadTexts: cmiHaRegIntervalWimaxMaxActiveBindings.setDescription('This object represents the maximum number of active WIMAX bindings present at any time during the elapsed time interval configured through cmiHaRegIntervalSize. When the time interval is modified through cmiHaRegIntervalSize, a value of zero will be populated till one complete new interval is elapsed.') cmi_ha_reg_tunnel_stats_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 45)) if mibBuilder.loadTexts: cmiHaRegTunnelStatsTable.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTunnelStatsTable.setDescription('This table provides the statistics about the active tunnels between HA and CoA. A row is added to this table when a new tunnel is created between HA and CoA. A row is deleted in this table when an existing tunnel between HA and CoA is deleted.') cmi_ha_reg_tunnel_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 45, 1)).setIndexNames((0, 'CISCO-MOBILE-IP-MIB', 'cmiHaRegTunnelStatsSrcAddrType'), (0, 'CISCO-MOBILE-IP-MIB', 'cmiHaRegTunnelStatsSrcAddr'), (0, 'CISCO-MOBILE-IP-MIB', 'cmiHaRegTunnelStatsDestAddrType'), (0, 'CISCO-MOBILE-IP-MIB', 'cmiHaRegTunnelStatsDestAddr')) if mibBuilder.loadTexts: cmiHaRegTunnelStatsEntry.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTunnelStatsEntry.setDescription('Each entry represents a conceptual row in cmiHaRegTunnelStatsTable and corresponds to the statistics for a single active tunnel between HA and CoA.') cmi_ha_reg_tunnel_stats_src_addr_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 45, 1, 1), inet_address_type()) if mibBuilder.loadTexts: cmiHaRegTunnelStatsSrcAddrType.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTunnelStatsSrcAddrType.setDescription('This object represents the type of the address stored in cmiHaRegTunnelStatsSrcAddr.') cmi_ha_reg_tunnel_stats_src_addr = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 45, 1, 2), inet_address()) if mibBuilder.loadTexts: cmiHaRegTunnelStatsSrcAddr.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTunnelStatsSrcAddr.setDescription('This object represents the source address of the tunnel.') cmi_ha_reg_tunnel_stats_dest_addr_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 45, 1, 3), inet_address_type()) if mibBuilder.loadTexts: cmiHaRegTunnelStatsDestAddrType.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTunnelStatsDestAddrType.setDescription('This object represents the type of the address stored in cmiHaRegTunnelStatsDestAddr.') cmi_ha_reg_tunnel_stats_dest_addr = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 45, 1, 4), inet_address()) if mibBuilder.loadTexts: cmiHaRegTunnelStatsDestAddr.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTunnelStatsDestAddr.setDescription('This object represents the destination address of the tunnel.') cmi_ha_reg_tunnel_stats_tunnel_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 45, 1, 5), cmi_tunnel_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegTunnelStatsTunnelType.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTunnelStatsTunnelType.setDescription('This object represents the tunneling protocol in use between the HA and CoA.') cmi_ha_reg_tunnel_stats_num_users = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 45, 1, 6), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegTunnelStatsNumUsers.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTunnelStatsNumUsers.setDescription('This object represents the number of users on the tunnel.') cmi_ha_reg_tunnel_stats_data_rate_int = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 45, 1, 7), unsigned32()).setUnits('seconds').setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegTunnelStatsDataRateInt.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTunnelStatsDataRateInt.setDescription('This object represents the interval for which cmiHaRegTunnelStatsInBitRate, cmiHaRegTunnelStatsInPktRate, cmiHaRegTunnelStatsOutBitRate and cmiHaRegTunnelStatsOutPktRate are calculated.') cmi_ha_reg_tunnel_stats_in_bit_rate = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 45, 1, 8), counter_based_gauge64()).setUnits('bits per second').setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegTunnelStatsInBitRate.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTunnelStatsInBitRate.setDescription('This object represents the number of bits received at the tunnel per second in the interval represented by cmiHaRegTunnelStatsDataRateInt.') cmi_ha_reg_tunnel_stats_in_pkt_rate = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 45, 1, 9), counter_based_gauge64()).setUnits('packets per second').setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegTunnelStatsInPktRate.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTunnelStatsInPktRate.setDescription('This object represents the number of packets received at the tunnel per second in the interval represented by cmiHaRegTunnelStatsDataRateInt.') cmi_ha_reg_tunnel_stats_in_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 45, 1, 10), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegTunnelStatsInBytes.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTunnelStatsInBytes.setDescription('This object represents the total number of bytes received at the tunnel.') cmi_ha_reg_tunnel_stats_in_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 45, 1, 11), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegTunnelStatsInPkts.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTunnelStatsInPkts.setDescription('This object represents the total number of packets received at the tunnel.') cmi_ha_reg_tunnel_stats_out_bit_rate = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 45, 1, 12), counter_based_gauge64()).setUnits('bits per second').setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegTunnelStatsOutBitRate.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTunnelStatsOutBitRate.setDescription('This object represents the number of bits transmitted from the tunnel per second in the interval represented by cmiHaRegTunnelStatsDataRateInt.') cmi_ha_reg_tunnel_stats_out_pkt_rate = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 45, 1, 13), counter_based_gauge64()).setUnits('packets per second').setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegTunnelStatsOutPktRate.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTunnelStatsOutPktRate.setDescription('This object represents the number of packets transmitted from the tunnel per second in the interval represented by cmiHaRegTunnelStatsDataRateInt.') cmi_ha_reg_tunnel_stats_out_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 45, 1, 14), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegTunnelStatsOutBytes.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTunnelStatsOutBytes.setDescription('This object represents the total number of bytes transmitted from the tunnel.') cmi_ha_reg_tunnel_stats_out_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 1, 45, 1, 15), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRegTunnelStatsOutPkts.setStatus('current') if mibBuilder.loadTexts: cmiHaRegTunnelStatsOutPkts.setDescription('This object represents the total number of packets transmitted from the tunnel.') cmi_ha_redun_sent_b_us = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 1), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRedunSentBUs.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunSentBUs.setDescription('Total number of binding updates sent by the home agent.') cmi_ha_redun_failed_b_us = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 2), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRedunFailedBUs.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunFailedBUs.setDescription('Total number of binding updates sent by the home agent for which no acknowledgement is received from the standby home agent.') cmi_ha_redun_received_bu_acks = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 3), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRedunReceivedBUAcks.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunReceivedBUAcks.setDescription('Total number of acknowledgements received in response to binding updates sent by the home agent.') cmi_ha_redun_total_sent_b_us = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRedunTotalSentBUs.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunTotalSentBUs.setDescription('Total number of binding updates sent by the home agent including retransmissions of same binding update.') cmi_ha_redun_received_b_us = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRedunReceivedBUs.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunReceivedBUs.setDescription('Total number of binding updates received by the home agent.') cmi_ha_redun_sent_bu_acks = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 6), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRedunSentBUAcks.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunSentBUAcks.setDescription('Total number of acknowledgements sent in response to binding updates received by the home agent.') cmi_ha_redun_sent_bi_reqs = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 7), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRedunSentBIReqs.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunSentBIReqs.setDescription('Total number of binding information requests sent by the home agent.') cmi_ha_redun_failed_bi_reqs = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 8), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRedunFailedBIReqs.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunFailedBIReqs.setDescription('Total number of binding information requests sent by the home agent for which no reply is received from the active home agent.') cmi_ha_redun_total_sent_bi_reqs = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 9), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRedunTotalSentBIReqs.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunTotalSentBIReqs.setDescription('Total number of binding information requests sent by the home agent including retransmissions of the same request.') cmi_ha_redun_received_bi_reps = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 10), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRedunReceivedBIReps.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunReceivedBIReps.setDescription('Total number of binding information replies received by the home agent.') cmi_ha_redun_dropped_bi_reps = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 11), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRedunDroppedBIReps.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunDroppedBIReps.setDescription('Total number of binding information replies dropped since there is no corresponding binding information request sent by the home agent.') cmi_ha_redun_sent_bi_acks = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 12), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRedunSentBIAcks.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunSentBIAcks.setDescription('Total number of acknowledgements sent in response to binding information replies received by the home agent.') cmi_ha_redun_received_bi_reqs = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 13), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRedunReceivedBIReqs.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunReceivedBIReqs.setDescription('Total number of binding information requests received by the home agent.') cmi_ha_redun_sent_bi_reps = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 14), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRedunSentBIReps.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunSentBIReps.setDescription('Total number of binding information replies sent by the home agent.') cmi_ha_redun_failed_bi_reps = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 15), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRedunFailedBIReps.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunFailedBIReps.setDescription('Total number of binding information replies sent by by the home agent for which no acknowledgement is received from the standby home agent.') cmi_ha_redun_total_sent_bi_reps = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 16), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRedunTotalSentBIReps.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunTotalSentBIReps.setDescription('Total number of binding information replies sent by the home agent including retransmissions of the same reply.') cmi_ha_redun_received_bi_acks = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 17), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRedunReceivedBIAcks.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunReceivedBIAcks.setDescription('Total number of acknowledgements received in response to binding information replies sent by the home agent.') cmi_ha_redun_dropped_bi_acks = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 18), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRedunDroppedBIAcks.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunDroppedBIAcks.setDescription('Total number of acknowledgements dropped by the home agent since there are no corresponding binding information replies sent by it.') cmi_ha_redun_sec_violations = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 2, 19), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaRedunSecViolations.setStatus('current') if mibBuilder.loadTexts: cmiHaRedunSecViolations.setDescription('Total number of security violations in the home agent caused by processing of the packets received from the peer home agent. Security violations can occur due to the following reasons. - the authenticator value in the packet is invalid. - value stored in the identification field of the packet is invalid.') cmi_ha_mr_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 3, 1)) if mibBuilder.loadTexts: cmiHaMrTable.setStatus('current') if mibBuilder.loadTexts: cmiHaMrTable.setDescription('A table containing details about all mobile routers associated with the Home Agent.') cmi_ha_mr_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 3, 1, 1)).setIndexNames((0, 'CISCO-MOBILE-IP-MIB', 'cmiHaMrAddrType'), (0, 'CISCO-MOBILE-IP-MIB', 'cmiHaMrAddr')) if mibBuilder.loadTexts: cmiHaMrEntry.setStatus('current') if mibBuilder.loadTexts: cmiHaMrEntry.setDescription('Information related to a single mobile router associated with the Home Agent.') cmi_ha_mr_addr_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 3, 1, 1, 1), inet_address_type()) if mibBuilder.loadTexts: cmiHaMrAddrType.setStatus('current') if mibBuilder.loadTexts: cmiHaMrAddrType.setDescription('Represents the type of IP address stored in cmiHaMrAddr. Only IPv4 address type is supported.') cmi_ha_mr_addr = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 3, 1, 1, 2), inet_address().subtype(subtypeSpec=constraints_union(value_size_constraint(4, 4), value_size_constraint(16, 16)))) if mibBuilder.loadTexts: cmiHaMrAddr.setStatus('current') if mibBuilder.loadTexts: cmiHaMrAddr.setDescription('IP address of a mobile router providing mobility to one or more networks. Only IPv4 addresses are supported.') cmi_ha_mr_dynamic = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 3, 1, 1, 3), truth_value().clone('false')).setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiHaMrDynamic.setStatus('current') if mibBuilder.loadTexts: cmiHaMrDynamic.setDescription('Specifies whether the mobile router is capable of registering networks dynamically or not.') cmi_ha_mr_status = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 3, 1, 1, 4), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiHaMrStatus.setStatus('current') if mibBuilder.loadTexts: cmiHaMrStatus.setDescription('The row status for the MR entry.') cmi_ha_mr_multi_path = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 3, 1, 1, 5), truth_value().clone('false')).setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiHaMrMultiPath.setStatus('current') if mibBuilder.loadTexts: cmiHaMrMultiPath.setDescription('Specifies whether multiple path is enabled on this mobile router or not.') cmi_ha_mr_multi_path_metric_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 3, 1, 1, 6), cmi_multi_path_metric_type().clone('bandwidth')).setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiHaMrMultiPathMetricType.setStatus('current') if mibBuilder.loadTexts: cmiHaMrMultiPathMetricType.setDescription('Specifies the metric to use when multiple path is enabled.') cmi_ha_mob_net_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 3, 2)) if mibBuilder.loadTexts: cmiHaMobNetTable.setStatus('current') if mibBuilder.loadTexts: cmiHaMobNetTable.setDescription('A table containing information about all the mobile networks associated with a Home Agent.') cmi_ha_mob_net_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 3, 2, 1)).setIndexNames((0, 'CISCO-MOBILE-IP-MIB', 'cmiHaMrAddrType'), (0, 'CISCO-MOBILE-IP-MIB', 'cmiHaMrAddr'), (0, 'CISCO-MOBILE-IP-MIB', 'cmiHaMobNetAddressType'), (0, 'CISCO-MOBILE-IP-MIB', 'cmiHaMobNetAddress'), (0, 'CISCO-MOBILE-IP-MIB', 'cmiHaMobNetPfxLen')) if mibBuilder.loadTexts: cmiHaMobNetEntry.setStatus('current') if mibBuilder.loadTexts: cmiHaMobNetEntry.setDescription('Information of a single mobile network associated with a Home Agent.') cmi_ha_mob_net_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 3, 2, 1, 1), inet_address_type()) if mibBuilder.loadTexts: cmiHaMobNetAddressType.setStatus('current') if mibBuilder.loadTexts: cmiHaMobNetAddressType.setDescription('Represents the type of IP address stored in cmiHaMobNetAddress. Only IPv4 address type is supported.') cmi_ha_mob_net_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 3, 2, 1, 2), inet_address().subtype(subtypeSpec=constraints_union(value_size_constraint(4, 4), value_size_constraint(16, 16)))) if mibBuilder.loadTexts: cmiHaMobNetAddress.setStatus('current') if mibBuilder.loadTexts: cmiHaMobNetAddress.setDescription('IP address of the mobile network. Only IPv4 addresses are supported.') cmi_ha_mob_net_pfx_len = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 3, 2, 1, 3), inet_address_prefix_length()) if mibBuilder.loadTexts: cmiHaMobNetPfxLen.setStatus('current') if mibBuilder.loadTexts: cmiHaMobNetPfxLen.setDescription('Prefix length associated with the mobile network ip address.') cmi_ha_mob_net_dynamic = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 3, 2, 1, 4), truth_value()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaMobNetDynamic.setStatus('current') if mibBuilder.loadTexts: cmiHaMobNetDynamic.setDescription('Indicates whether the mobile network has been registered dynamically or not.') cmi_ha_mob_net_status = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 3, 2, 1, 5), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiHaMobNetStatus.setStatus('current') if mibBuilder.loadTexts: cmiHaMobNetStatus.setDescription('The row status for the mobile network entry.') cmi_sec_assocs_count = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 1), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiSecAssocsCount.setStatus('current') if mibBuilder.loadTexts: cmiSecAssocsCount.setDescription('Total number of mobility security associations known to the entity i.e. the number of entries in the cmiSecAssocTable.') cmi_sec_assoc_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 2)) if mibBuilder.loadTexts: cmiSecAssocTable.setStatus('current') if mibBuilder.loadTexts: cmiSecAssocTable.setDescription('A table containing Mobility Security Associations. This table provides the same information as mipSecAssocTable of MIP MIB. The differences are: - indices of the table are changed so that mobile nodes which are not identified by the IP address will also be included in the table. - rowStatus object is added to the table.') cmi_sec_assoc_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 2, 1)).setIndexNames((0, 'CISCO-MOBILE-IP-MIB', 'cmiSecPeerIdentifierType'), (0, 'CISCO-MOBILE-IP-MIB', 'cmiSecPeerIdentifier'), (0, 'CISCO-MOBILE-IP-MIB', 'cmiSecSPI')) if mibBuilder.loadTexts: cmiSecAssocEntry.setStatus('current') if mibBuilder.loadTexts: cmiSecAssocEntry.setDescription('One particular Mobility Security Association.') cmi_sec_peer_identifier_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 2, 1, 1), cmi_entity_identifier_type()) if mibBuilder.loadTexts: cmiSecPeerIdentifierType.setStatus('current') if mibBuilder.loadTexts: cmiSecPeerIdentifierType.setDescription("The type of the peer entity's identifier.") cmi_sec_peer_identifier = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 2, 1, 2), cmi_entity_identifier()) if mibBuilder.loadTexts: cmiSecPeerIdentifier.setStatus('current') if mibBuilder.loadTexts: cmiSecPeerIdentifier.setDescription('The identifier of the peer entity with which this node shares the mobility security association.') cmi_sec_spi = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 2, 1, 3), cmi_spi()) if mibBuilder.loadTexts: cmiSecSPI.setStatus('current') if mibBuilder.loadTexts: cmiSecSPI.setDescription('The SPI is the 4-byte index within the Mobility Security Association which selects the specific security parameters to be used to authenticate the peer, i.e. the rest of the variables in this cmiSecAssocEntry.') cmi_sec_algorithm_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('other', 1), ('md5', 2), ('hmacMD5', 3))).clone('md5')).setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiSecAlgorithmType.setReference('RFC-2002 - IP Mobility Support, section 3.5.1') if mibBuilder.loadTexts: cmiSecAlgorithmType.setStatus('current') if mibBuilder.loadTexts: cmiSecAlgorithmType.setDescription('Type of authentication algorithm. other(1) Any other authentication algorithm not specified here. md5(2) MD5 message-digest algorithm. hmacMD5(3) HMAC MD5 message-digest algorithm.') cmi_sec_algorithm_mode = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 2, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('other', 1), ('prefixSuffix', 2))).clone('prefixSuffix')).setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiSecAlgorithmMode.setReference('RFC-2002 - IP Mobility Support, section 3.5.1') if mibBuilder.loadTexts: cmiSecAlgorithmMode.setStatus('current') if mibBuilder.loadTexts: cmiSecAlgorithmMode.setDescription('Security mode used by this algorithm. other(1) Any other mode not specified here. prefixSuffix(2) In this mode, data over which authenticator value needs to be calculated is preceded and followed by the 128 bit shared secret key.') cmi_sec_key = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 2, 1, 6), octet_string().subtype(subtypeSpec=value_size_constraint(16, 16)).setFixedLength(16)).setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiSecKey.setStatus('deprecated') if mibBuilder.loadTexts: cmiSecKey.setDescription('The shared secret key for the security associations. Reading this object will always return zero length value.') cmi_sec_replay_method = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 2, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('other', 1), ('timestamps', 2), ('nonces', 3))).clone('timestamps')).setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiSecReplayMethod.setReference('RFC-2002 - IP Mobility Support, section 5.6') if mibBuilder.loadTexts: cmiSecReplayMethod.setStatus('current') if mibBuilder.loadTexts: cmiSecReplayMethod.setDescription('The replay-protection method supported for this SPI within this Mobility Security Association. other(1) Any other replay protection method not specified here. timestamps(2) Timestamp based replay protection method. nonces(3) Nonce based replay protection method.') cmi_sec_status = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 2, 1, 8), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiSecStatus.setStatus('current') if mibBuilder.loadTexts: cmiSecStatus.setDescription('The row status for this table.') cmi_sec_key2 = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 2, 1, 9), octet_string().subtype(subtypeSpec=value_size_constraint(0, 16))).setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiSecKey2.setStatus('current') if mibBuilder.loadTexts: cmiSecKey2.setDescription('The shared secret key for the security associations. Reading this object will always return zero length value. If the value is given in hex, it should be 16 bytes in length. If it is in ascii, it can vary from 1 to 16 characters.') cmi_ha_system_version = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 2, 4, 1), snmp_admin_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiHaSystemVersion.setStatus('current') if mibBuilder.loadTexts: cmiHaSystemVersion.setDescription('MobileIP HA Release Version') cmi_sec_violation_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 3)) if mibBuilder.loadTexts: cmiSecViolationTable.setReference('RFC-2002 - IP Mobility Support, sections 3.6.2.1, 3.7.2.1 and 3.8.2.1') if mibBuilder.loadTexts: cmiSecViolationTable.setStatus('current') if mibBuilder.loadTexts: cmiSecViolationTable.setDescription('A table containing information about security violations. This table provides the same information as mipSecViolationTable of MIP MIB. The only difference is that indices of the table are changed so that mobile nodes which are not identified by the IP address will also be included in the table.') cmi_sec_violation_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 3, 1)).setIndexNames((0, 'CISCO-MOBILE-IP-MIB', 'cmiSecViolatorIdentifierType'), (0, 'CISCO-MOBILE-IP-MIB', 'cmiSecViolatorIdentifier')) if mibBuilder.loadTexts: cmiSecViolationEntry.setStatus('current') if mibBuilder.loadTexts: cmiSecViolationEntry.setDescription('Information about one particular security violation.') cmi_sec_violator_identifier_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 3, 1, 1), cmi_entity_identifier_type()) if mibBuilder.loadTexts: cmiSecViolatorIdentifierType.setStatus('current') if mibBuilder.loadTexts: cmiSecViolatorIdentifierType.setDescription("The type of Violator's identifier.") cmi_sec_violator_identifier = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 3, 1, 2), cmi_entity_identifier()) if mibBuilder.loadTexts: cmiSecViolatorIdentifier.setStatus('current') if mibBuilder.loadTexts: cmiSecViolatorIdentifier.setDescription("Violator's identifier. The violator is not necessary in the cmiSecAssocTable.") cmi_sec_total_violations = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 3, 1, 3), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiSecTotalViolations.setStatus('current') if mibBuilder.loadTexts: cmiSecTotalViolations.setDescription('Total number of security violations for this peer.') cmi_sec_recent_violation_spi = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 3, 1, 4), cmi_spi()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiSecRecentViolationSPI.setStatus('current') if mibBuilder.loadTexts: cmiSecRecentViolationSPI.setDescription('SPI of the most recent security violation for this peer. If the security violation is due to an identification mismatch, then this is the SPI from the Mobile-Home Authentication Extension. If the security violation is due to an invalid authenticator, then this is the SPI from the offending authentication extension. In all other cases, it should be set to zero.') cmi_sec_recent_violation_time = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 3, 1, 5), time_stamp()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiSecRecentViolationTime.setStatus('current') if mibBuilder.loadTexts: cmiSecRecentViolationTime.setDescription('Time of the most recent security violation for this peer.') cmi_sec_recent_violation_id_low = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 3, 1, 6), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiSecRecentViolationIDLow.setStatus('current') if mibBuilder.loadTexts: cmiSecRecentViolationIDLow.setDescription('Low-order 32 bits of identification used in request or reply of the most recent security violation for this peer.') cmi_sec_recent_violation_id_high = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 3, 1, 7), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiSecRecentViolationIDHigh.setStatus('current') if mibBuilder.loadTexts: cmiSecRecentViolationIDHigh.setDescription('High-order 32 bits of identification used in request or reply of the most recent security violation for this peer.') cmi_sec_recent_violation_reason = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 3, 3, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('noMobilitySecurityAssociation', 1), ('badAuthenticator', 2), ('badIdentifier', 3), ('badSPI', 4), ('missingSecurityExtension', 5), ('other', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiSecRecentViolationReason.setReference('RFC-2002 - IP Mobility Support') if mibBuilder.loadTexts: cmiSecRecentViolationReason.setStatus('current') if mibBuilder.loadTexts: cmiSecRecentViolationReason.setDescription('Reason for the most recent security violation for this peer.') cmi_ma_reg_max_in_minute_regs = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 1, 1), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMaRegMaxInMinuteRegs.setStatus('current') if mibBuilder.loadTexts: cmiMaRegMaxInMinuteRegs.setDescription('The maximum number of Registration Requests received in a minute by the mobility agent.') cmi_ma_reg_date_max_regs_received = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 1, 2), date_and_time()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMaRegDateMaxRegsReceived.setStatus('current') if mibBuilder.loadTexts: cmiMaRegDateMaxRegsReceived.setDescription('The time at which number of Registration Requests received in a minute by the mobility agent were maximum.') cmi_ma_reg_in_last_minute_regs = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 1, 3), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMaRegInLastMinuteRegs.setStatus('current') if mibBuilder.loadTexts: cmiMaRegInLastMinuteRegs.setDescription('The number of Registration Requests received in the last minute by the mobility agent.') cmi_mn_adv_flags = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 1, 1, 1), bits().clone(namedValues=named_values(('gre', 0), ('minEnc', 1), ('foreignAgent', 2), ('homeAgent', 3), ('busy', 4), ('regRequired', 5), ('reverseTunnel', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMnAdvFlags.setStatus('current') if mibBuilder.loadTexts: cmiMnAdvFlags.setDescription('The flags are contained in the 7th byte in the extension of the most recently received mobility agent advertisement: gre -- Agent offers Generic Routing Encapsulation minEnc, -- Agent offers Minimal Encapsulation foreignAgent, -- Agent is a Foreign Agent homeAgent, -- Agent is a Home Agent busy, -- Foreign Agent is busy regRequired, -- FA registration is required reverseTunnel, -- Agent supports reverse tunneling.') cmi_mn_registration_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 2, 1)) if mibBuilder.loadTexts: cmiMnRegistrationTable.setStatus('current') if mibBuilder.loadTexts: cmiMnRegistrationTable.setDescription("A table containing information about the mobile node's attempted registration(s). The mobile node updates this table based upon Registration Requests sent and Registration Replies received in response to these requests. Certain variables within this table are also updated when Registration Requests are retransmitted.") cmi_mn_registration_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 2, 1, 1)) mnRegistrationEntry.registerAugmentions(('CISCO-MOBILE-IP-MIB', 'cmiMnRegistrationEntry')) cmiMnRegistrationEntry.setIndexNames(*mnRegistrationEntry.getIndexNames()) if mibBuilder.loadTexts: cmiMnRegistrationEntry.setStatus('current') if mibBuilder.loadTexts: cmiMnRegistrationEntry.setDescription('Information about one registration attempt.') cmi_mn_reg_flags = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 2, 1, 1, 1), cmi_registration_flags()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMnRegFlags.setStatus('current') if mibBuilder.loadTexts: cmiMnRegFlags.setDescription('Registration flags sent by the mobile node. It is the second byte in the Mobile IP Registration Request message.') cmi_mr_reverse_tunnel = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 1), truth_value().clone('true')).setMaxAccess('readwrite') if mibBuilder.loadTexts: cmiMrReverseTunnel.setStatus('current') if mibBuilder.loadTexts: cmiMrReverseTunnel.setDescription('Specifies whether reverse tunneling is enabled on the mobile router or not.') cmi_mr_redundancy_group = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 2), snmp_admin_string()).setMaxAccess('readwrite') if mibBuilder.loadTexts: cmiMrRedundancyGroup.setStatus('current') if mibBuilder.loadTexts: cmiMrRedundancyGroup.setDescription('Name of the redundancy group used to provide network availability for the mobile router.') cmi_mr_mob_net_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 3)) if mibBuilder.loadTexts: cmiMrMobNetTable.setStatus('current') if mibBuilder.loadTexts: cmiMrMobNetTable.setDescription('A table containing information about all the networks for which mobility is provided by the mobile router.') cmi_mr_mob_net_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 3, 1)).setIndexNames((0, 'CISCO-MOBILE-IP-MIB', 'cmiMrMobNetIfIndex')) if mibBuilder.loadTexts: cmiMrMobNetEntry.setStatus('current') if mibBuilder.loadTexts: cmiMrMobNetEntry.setDescription('Details of a single mobile network on mobile router.') cmi_mr_mob_net_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 3, 1, 1), interface_index()) if mibBuilder.loadTexts: cmiMrMobNetIfIndex.setStatus('current') if mibBuilder.loadTexts: cmiMrMobNetIfIndex.setDescription('The ifIndex value from Interfaces table of MIB II for the interface on the mobile router connected to the mobile network.') cmi_mr_mob_net_addr_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 3, 1, 2), inet_address_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrMobNetAddrType.setStatus('current') if mibBuilder.loadTexts: cmiMrMobNetAddrType.setDescription('Represents the type of IP address stored in cmiMrMobNetAddr.') cmi_mr_mob_net_addr = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 3, 1, 3), inet_address().subtype(subtypeSpec=constraints_union(value_size_constraint(4, 4), value_size_constraint(16, 16)))).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrMobNetAddr.setStatus('current') if mibBuilder.loadTexts: cmiMrMobNetAddr.setDescription('IP address of the mobile network.') cmi_mr_mob_net_pfx_len = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 3, 1, 4), inet_address_prefix_length()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrMobNetPfxLen.setStatus('current') if mibBuilder.loadTexts: cmiMrMobNetPfxLen.setDescription('Prefix length associated with the mobile network ip address.') cmi_mr_mob_net_status = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 3, 1, 5), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiMrMobNetStatus.setStatus('current') if mibBuilder.loadTexts: cmiMrMobNetStatus.setDescription('The row status for the mobile network entry.') cmi_mr_ha_tunnel_if_index = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 4), interface_index_or_zero()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrHaTunnelIfIndex.setStatus('current') if mibBuilder.loadTexts: cmiMrHaTunnelIfIndex.setDescription('The ifIndex value from Interfaces table of MIB II for the tunnel interface (to HA) of the mobile router.') cmi_mr_ha_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 5)) if mibBuilder.loadTexts: cmiMrHATable.setStatus('current') if mibBuilder.loadTexts: cmiMrHATable.setDescription('A table containing additional parameters related to a home agent beyond that provided by MIP MIB mnHATable.') cmi_mr_ha_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 5, 1)) mnHAEntry.registerAugmentions(('CISCO-MOBILE-IP-MIB', 'cmiMrHAEntry')) cmiMrHAEntry.setIndexNames(*mnHAEntry.getIndexNames()) if mibBuilder.loadTexts: cmiMrHAEntry.setStatus('current') if mibBuilder.loadTexts: cmiMrHAEntry.setDescription('Additional information about a particular entry in the mnHATable beyond that provided by MIP MIB mnHAEntry.') cmi_mr_ha_priority = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 5, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 255)).clone(100)).setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiMrHAPriority.setStatus('current') if mibBuilder.loadTexts: cmiMrHAPriority.setDescription('The priority for this home agent.') cmi_mr_ha_best = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 5, 1, 2), truth_value()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrHABest.setStatus('current') if mibBuilder.loadTexts: cmiMrHABest.setDescription('Indicates whether this home agent is the best (in terms of the priority or the configuration time, when multiple home agents have the same priority) or not. When it is true, the mobile router will try to register with this home agent first.') cmi_mr_if_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6)) if mibBuilder.loadTexts: cmiMrIfTable.setStatus('current') if mibBuilder.loadTexts: cmiMrIfTable.setDescription('A table containing roaming/solicitation parameters for all roaming interfaces on the mobile router.') cmi_mr_if_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1)).setIndexNames((0, 'CISCO-MOBILE-IP-MIB', 'cmiMrIfIndex')) if mibBuilder.loadTexts: cmiMrIfEntry.setStatus('current') if mibBuilder.loadTexts: cmiMrIfEntry.setDescription('Roaming/solicitation parameters for one interface.') cmi_mr_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 1), interface_index()) if mibBuilder.loadTexts: cmiMrIfIndex.setStatus('current') if mibBuilder.loadTexts: cmiMrIfIndex.setDescription('The ifIndex value from Interfaces table of MIB II for an interface on the Mobile router.') cmi_mr_if_description = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 2), snmp_admin_string()).setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiMRIfDescription.setStatus('current') if mibBuilder.loadTexts: cmiMRIfDescription.setDescription('Description of the access type for the mobile router interface.') cmi_mr_if_hold_down = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 3600))).setUnits('seconds').setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiMrIfHoldDown.setStatus('current') if mibBuilder.loadTexts: cmiMrIfHoldDown.setDescription('Waiting time after which mobile router registers to agents heard on this interface.') cmi_mr_if_roam_priority = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 4), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 255)).clone(100)).setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiMrIfRoamPriority.setStatus('current') if mibBuilder.loadTexts: cmiMrIfRoamPriority.setDescription('The priority value used to select an interface among multiple interfaces to send registration request.') cmi_mr_if_solicit_periodic = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 5), truth_value().clone('false')).setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiMrIfSolicitPeriodic.setStatus('current') if mibBuilder.loadTexts: cmiMrIfSolicitPeriodic.setDescription('Specifies whether periodic agent solicitation is enabled or not. If this object is set to true(1), the mobile router will send solicitations on this interface periodically according to other configured parameters.') cmi_mr_if_solicit_interval = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 6), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 65535)).clone(600)).setUnits('seconds').setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiMrIfSolicitInterval.setStatus('current') if mibBuilder.loadTexts: cmiMrIfSolicitInterval.setDescription('The time interval after which a solicitation has to be sent once an agent advertisement is heard on the interface.') cmi_mr_if_solicit_retrans_initial = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 7), unsigned32().subtype(subtypeSpec=value_range_constraint(10, 10000)).clone(1000)).setUnits('milliseconds').setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiMrIfSolicitRetransInitial.setStatus('current') if mibBuilder.loadTexts: cmiMrIfSolicitRetransInitial.setDescription('The wait period before first retransmission of a solicitation when no agent advertisement is heard.') cmi_mr_if_solicit_retrans_max = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 8), unsigned32().subtype(subtypeSpec=value_range_constraint(10, 10000)).clone(5000)).setUnits('milliseconds').setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiMrIfSolicitRetransMax.setStatus('current') if mibBuilder.loadTexts: cmiMrIfSolicitRetransMax.setDescription('This value specifies the maximum limit for the solicitation retransmission timeout. For each successive solicit message retransmission timeout period is twice the previous period.') cmi_mr_if_solicit_retrans_limit = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 9), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 10)).clone(3)).setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiMrIfSolicitRetransLimit.setStatus('current') if mibBuilder.loadTexts: cmiMrIfSolicitRetransLimit.setDescription('The maximum number of solicitation retransmissions allowed.') cmi_mr_if_solicit_retrans_current = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 10), unsigned32().subtype(subtypeSpec=value_range_constraint(10, 10000))).setUnits('milliseconds').setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrIfSolicitRetransCurrent.setStatus('current') if mibBuilder.loadTexts: cmiMrIfSolicitRetransCurrent.setDescription('Current retransmission interval.') cmi_mr_if_solicit_retrans_remaining = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 11), gauge32()).setUnits('milliseconds').setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrIfSolicitRetransRemaining.setStatus('current') if mibBuilder.loadTexts: cmiMrIfSolicitRetransRemaining.setDescription('Time remaining before the current retransmission interval expires.') cmi_mr_if_solicit_retrans_count = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 12), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrIfSolicitRetransCount.setStatus('current') if mibBuilder.loadTexts: cmiMrIfSolicitRetransCount.setDescription('The number of retransmissions of the solicitation.') cmi_mr_if_c_coa_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 13), inet_address_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrIfCCoaAddressType.setStatus('current') if mibBuilder.loadTexts: cmiMrIfCCoaAddressType.setDescription('Represents the type of IP address stored in cmiMrIfCCoaAddress.') cmi_mr_if_c_coa_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 14), inet_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrIfCCoaAddress.setStatus('current') if mibBuilder.loadTexts: cmiMrIfCCoaAddress.setDescription('Interface address to be used as a collocated care-of IP address. Currently, the primary interface IP address is used as the CCoA.') cmi_mr_if_c_coa_default_gw_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 15), inet_address_type()).setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiMrIfCCoaDefaultGwType.setStatus('current') if mibBuilder.loadTexts: cmiMrIfCCoaDefaultGwType.setDescription('Represents the type of IP address stored in cmiMrIfCCoaDefaultGw.') cmi_mr_if_c_coa_default_gw = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 16), inet_address().subtype(subtypeSpec=constraints_union(value_size_constraint(4, 4), value_size_constraint(16, 16)))).setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiMrIfCCoaDefaultGw.setStatus('current') if mibBuilder.loadTexts: cmiMrIfCCoaDefaultGw.setDescription('Gateway IP address to be used with CCoA registrations on an interface other than serial interface with a static (fixed) IP address.') cmi_mr_if_c_coa_reg_retry = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 17), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 65535)).clone(60)).setUnits('seconds').setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiMrIfCCoaRegRetry.setStatus('current') if mibBuilder.loadTexts: cmiMrIfCCoaRegRetry.setDescription('Time to wait between successive registration attempts after CCoA registration failure.') cmi_mr_if_c_coa_reg_retry_remaining = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 18), gauge32()).setUnits('seconds').setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrIfCCoaRegRetryRemaining.setStatus('current') if mibBuilder.loadTexts: cmiMrIfCCoaRegRetryRemaining.setDescription('Time remaining before the current CCoA registration retry interval expires.') cmi_mr_if_status = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 19), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiMrIfStatus.setStatus('current') if mibBuilder.loadTexts: cmiMrIfStatus.setDescription('The row status for this table.') cmi_mr_if_c_coa_registration = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 20), truth_value()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrIfCCoaRegistration.setStatus('current') if mibBuilder.loadTexts: cmiMrIfCCoaRegistration.setDescription("This indicates the type of registraton mobile router will currently attempt on this interface. If cmiMrIfCCoaRegistration is false, the mobile router will attempt to register through a foreign agent. If cmiMrIfCCoaRegistration is true, the mobile router will attempt CCoA registration. cmiMrIfCCoaRegistration will be true when cmiMrIfCCoaOnly is set to true. cmiMrIfCCoaRegistration will also be true when cmiMrIfCCoaOnly is set to 'false' and foreign agent advertisements are not heard on the interface.") cmi_mr_if_c_coa_only = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 21), truth_value().clone('false')).setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiMrIfCCoaOnly.setStatus('current') if mibBuilder.loadTexts: cmiMrIfCCoaOnly.setDescription("This specifies whether 'ccoa-only' state is enabled or not on this mobile router interface. When this variable is set to true, mobile router will attempt to register directly using a CCoA and will not attempt foreign agent registrations even if foreign agent advertisements are heard on this interface. When set to false, the mobile router will attempt to register via a foreign agent whenever foreign agent advertisements are heard. When foreign agent advertisements are not heard, then the interface will attempt CCoA registration.") cmi_mr_if_c_coa_enable = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 22), truth_value().clone('false')).setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiMrIfCCoaEnable.setStatus('current') if mibBuilder.loadTexts: cmiMrIfCCoaEnable.setDescription('This enables CCoA registrations on the mobile router interface. When this object is set to false, the mobile router will attempt only foreign agent registrations on this interface. When this object is set to true, the interface is enabled for CCoA registration. Depending on the value of the cmiMrIfCCoaOnly object, the mobile router may register with a CCoA or with a foreign agent.') cmi_mr_if_roam_status = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 23), truth_value()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrIfRoamStatus.setStatus('current') if mibBuilder.loadTexts: cmiMrIfRoamStatus.setDescription('Indicates whether the mobile router is currently registered through this interface.') cmi_mr_if_registered_co_a_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 24), inet_address_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrIfRegisteredCoAType.setStatus('current') if mibBuilder.loadTexts: cmiMrIfRegisteredCoAType.setDescription('Represents the type of address stored in cmiMrIfRegisteredCoA.') cmi_mr_if_registered_co_a = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 25), inet_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrIfRegisteredCoA.setStatus('current') if mibBuilder.loadTexts: cmiMrIfRegisteredCoA.setDescription('Represents the care-of address registered by the mobile router through this interface. This will be zero when the mobile router is at home or not registered. If the registration is through a foreign agent, this contains the foreign agent care-of address. If the registration uses a collocated care-of address, this contains the collocated care-of address.') cmi_mr_if_registered_ma_addr_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 26), inet_address_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrIfRegisteredMaAddrType.setStatus('current') if mibBuilder.loadTexts: cmiMrIfRegisteredMaAddrType.setDescription('Represents the type of address stored in cmiMrIfRegisteredMaAddr.') cmi_mr_if_registered_ma_addr = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 27), inet_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrIfRegisteredMaAddr.setStatus('current') if mibBuilder.loadTexts: cmiMrIfRegisteredMaAddr.setDescription('Represents the address of the mobility agent through which this mobile router interface is registered. It contains the home agent address if registered using a collocated care-of address. It contains the foreign agent address if registered through a foreign agent. It is zero when the mobile router is at home or not registered.') cmi_mr_if_ha_tunnel_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 28), interface_index_or_zero()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrIfHaTunnelIfIndex.setStatus('current') if mibBuilder.loadTexts: cmiMrIfHaTunnelIfIndex.setDescription('The ifIndex value from Interfaces table of MIB II for the tunnel interface (to home agent) of the mobile router through this roaming interface.') cmi_mr_if_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 6, 1, 29), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrIfID.setStatus('current') if mibBuilder.loadTexts: cmiMrIfID.setDescription('A unique number identifying the roaming interface. This is also used as an unique identifier for the tunnel between home agent and mobile router.') cmi_mr_better_if_detected = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 7), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrBetterIfDetected.setStatus('current') if mibBuilder.loadTexts: cmiMrBetterIfDetected.setDescription('Number of times that the mobile router has detected a better interface.') cmi_mr_tunnel_pkts_rcvd = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 8), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrTunnelPktsRcvd.setStatus('current') if mibBuilder.loadTexts: cmiMrTunnelPktsRcvd.setDescription('Number of packets received on the MR-HA tunnel.') cmi_mr_tunnel_pkts_sent = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 9), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrTunnelPktsSent.setStatus('current') if mibBuilder.loadTexts: cmiMrTunnelPktsSent.setDescription('Number of packets sent through the MR-HA tunnel.') cmi_mr_tunnel_bytes_rcvd = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 10), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrTunnelBytesRcvd.setStatus('current') if mibBuilder.loadTexts: cmiMrTunnelBytesRcvd.setDescription('Number of bytes received on the MR-HA tunnel.') cmi_mr_tunnel_bytes_sent = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 11), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrTunnelBytesSent.setStatus('current') if mibBuilder.loadTexts: cmiMrTunnelBytesSent.setDescription('Number of bytes sent through the MR-HA tunnel.') cmi_mr_red_state_active = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 12), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrRedStateActive.setStatus('current') if mibBuilder.loadTexts: cmiMrRedStateActive.setDescription('Number of times the redundancy state of the mobile router changed to active.') cmi_mr_red_state_passive = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 13), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrRedStatePassive.setStatus('current') if mibBuilder.loadTexts: cmiMrRedStatePassive.setDescription('Number of times the redundancy state of the mobile router changed to passive.') cmi_mr_collocated_tunnel = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 14), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('single', 1), ('double', 2))).clone('single')).setMaxAccess('readwrite') if mibBuilder.loadTexts: cmiMrCollocatedTunnel.setStatus('current') if mibBuilder.loadTexts: cmiMrCollocatedTunnel.setDescription('This indicates whether a single tunnel or dual tunnels will be created between MR and HA when the mobile router registers with a CCoA.') cmi_mr_multi_path = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 15), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: cmiMrMultiPath.setStatus('current') if mibBuilder.loadTexts: cmiMrMultiPath.setDescription('Specifies whether multiple path is enabled on the mobile router or not.') cmi_mr_multi_path_metric_type = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 3, 16), cmi_multi_path_metric_type().clone('bandwidth')).setMaxAccess('readwrite') if mibBuilder.loadTexts: cmiMrMultiPathMetricType.setStatus('current') if mibBuilder.loadTexts: cmiMrMultiPathMetricType.setDescription('Specifies the metric to use when multiple path is enabled on the mobile router.') cmi_mr_ma_adv_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 4, 1)) if mibBuilder.loadTexts: cmiMrMaAdvTable.setStatus('current') if mibBuilder.loadTexts: cmiMrMaAdvTable.setDescription('A table with information related to all the agent advertisements heard by the mobile router.') cmi_mr_ma_adv_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 4, 1, 1)).setIndexNames((0, 'CISCO-MOBILE-IP-MIB', 'cmiMrMaAddressType'), (0, 'CISCO-MOBILE-IP-MIB', 'cmiMrMaAddress')) if mibBuilder.loadTexts: cmiMrMaAdvEntry.setStatus('current') if mibBuilder.loadTexts: cmiMrMaAdvEntry.setDescription('Information related to a single agent advertisement.') cmi_mr_ma_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 4, 1, 1, 1), inet_address_type()) if mibBuilder.loadTexts: cmiMrMaAddressType.setStatus('current') if mibBuilder.loadTexts: cmiMrMaAddressType.setDescription('Represents the type of IP address stored in cmiMrMaAddress. Only IPv4 address type is supported.') cmi_mr_ma_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 4, 1, 1, 2), inet_address().subtype(subtypeSpec=constraints_union(value_size_constraint(4, 4), value_size_constraint(16, 16)))) if mibBuilder.loadTexts: cmiMrMaAddress.setStatus('current') if mibBuilder.loadTexts: cmiMrMaAddress.setDescription('IP address of the mobile agent from which the advertisement was received. Only IPv4 addresses are supported.') cmi_mr_ma_is_ha = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 4, 1, 1, 3), truth_value()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrMaIsHa.setStatus('current') if mibBuilder.loadTexts: cmiMrMaIsHa.setDescription("Indicates whether the mobile agent is a home agent for the mobile router or not. If true, it means that the agent is one of the mobile router's configured home agents.") cmi_mr_ma_adv_rcv_if = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 4, 1, 1, 4), interface_index()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrMaAdvRcvIf.setStatus('current') if mibBuilder.loadTexts: cmiMrMaAdvRcvIf.setDescription('The ifIndex value from Interfaces table of MIB II for the interface of mobile router on which the advertisement from the mobile agent was received.') cmi_mr_ma_if_mac_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 4, 1, 1, 5), mac_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrMaIfMacAddress.setStatus('current') if mibBuilder.loadTexts: cmiMrMaIfMacAddress.setDescription('Mobile agent advertising interface MAC address.') cmi_mr_ma_adv_sequence = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 4, 1, 1, 6), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrMaAdvSequence.setStatus('current') if mibBuilder.loadTexts: cmiMrMaAdvSequence.setDescription('The sequence number of the most recently received agent advertisement. The sequence number ranges from 0 to 0xffff. After the sequence number attains the value 0xffff, it will roll over to 256.') cmi_mr_ma_adv_flags = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 4, 1, 1, 7), bits().clone(namedValues=named_values(('reverseTunnel', 0), ('gre', 1), ('minEnc', 2), ('foreignAgent', 3), ('homeAgent', 4), ('busy', 5), ('regRequired', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrMaAdvFlags.setStatus('current') if mibBuilder.loadTexts: cmiMrMaAdvFlags.setDescription('The flags contained in the 7th byte in the extension of the most recently received mobility agent advertisement: reverseTunnel, -- Agent supports reverse tunneling gre, -- Agent offers Generic Routing Encapsulation minEnc, -- Agent offers Minimal Encapsulation foreignAgent, -- Agent is a Foreign Agent homeAgent, -- Agent is a Home Agent busy, -- Foreign Agent is busy regRequired -- FA registration is required.') cmi_mr_ma_adv_max_reg_lifetime = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 4, 1, 1, 8), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setUnits('seconds').setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrMaAdvMaxRegLifetime.setStatus('current') if mibBuilder.loadTexts: cmiMrMaAdvMaxRegLifetime.setDescription('The longest registration lifetime in seconds that the agent is willing to accept in any registration request.') cmi_mr_ma_adv_max_lifetime = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 4, 1, 1, 9), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setUnits('seconds').setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrMaAdvMaxLifetime.setReference('AdvertisementLifeTime in RFC1256.') if mibBuilder.loadTexts: cmiMrMaAdvMaxLifetime.setStatus('current') if mibBuilder.loadTexts: cmiMrMaAdvMaxLifetime.setDescription('The maximum length of time that the Advertisement is considered valid in the absence of further Advertisements.') cmi_mr_ma_adv_lifetime_remaining = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 4, 1, 1, 10), gauge32()).setUnits('seconds').setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrMaAdvLifetimeRemaining.setStatus('current') if mibBuilder.loadTexts: cmiMrMaAdvLifetimeRemaining.setDescription('The time remaining for the advertisement lifetime expiration.') cmi_mr_ma_adv_time_received = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 4, 1, 1, 11), time_stamp()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrMaAdvTimeReceived.setStatus('current') if mibBuilder.loadTexts: cmiMrMaAdvTimeReceived.setDescription('The time at which the most recently received advertisement was received.') cmi_mr_ma_adv_time_first_heard = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 4, 1, 1, 12), time_stamp()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrMaAdvTimeFirstHeard.setStatus('current') if mibBuilder.loadTexts: cmiMrMaAdvTimeFirstHeard.setDescription('The time at which the first Advertisement from the mobile agent was received.') cmi_mr_ma_hold_down_remaining = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 4, 1, 1, 13), gauge32()).setUnits('seconds').setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrMaHoldDownRemaining.setStatus('current') if mibBuilder.loadTexts: cmiMrMaHoldDownRemaining.setDescription('The time remaining for the hold down period expiration.') cmi_mr_reg_extend_expire = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 5, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 3600))).setUnits('seconds').setMaxAccess('readwrite') if mibBuilder.loadTexts: cmiMrRegExtendExpire.setStatus('current') if mibBuilder.loadTexts: cmiMrRegExtendExpire.setDescription('Time in seconds before lifetime expiration to send registration request.') cmi_mr_reg_extend_retry = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 5, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 10))).setMaxAccess('readwrite') if mibBuilder.loadTexts: cmiMrRegExtendRetry.setStatus('current') if mibBuilder.loadTexts: cmiMrRegExtendRetry.setDescription('The number of retries to be sent.') cmi_mr_reg_extend_interval = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 5, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 3600))).setUnits('seconds').setMaxAccess('readwrite') if mibBuilder.loadTexts: cmiMrRegExtendInterval.setStatus('current') if mibBuilder.loadTexts: cmiMrRegExtendInterval.setDescription('Time after which the mobile router is to send another registration request when no reply is received.') cmi_mr_reg_lifetime = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 5, 4), unsigned32().subtype(subtypeSpec=value_range_constraint(3, 65535))).setUnits('seconds').setMaxAccess('readwrite') if mibBuilder.loadTexts: cmiMrRegLifetime.setStatus('current') if mibBuilder.loadTexts: cmiMrRegLifetime.setDescription('The requested lifetime in registration requests.') cmi_mr_reg_retrans_initial = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 5, 5), unsigned32().subtype(subtypeSpec=value_range_constraint(10, 10000))).setUnits('milli-seconds').setMaxAccess('readwrite') if mibBuilder.loadTexts: cmiMrRegRetransInitial.setStatus('current') if mibBuilder.loadTexts: cmiMrRegRetransInitial.setDescription('Time to wait before retransmission for the first time when no reply is received.') cmi_mr_reg_retrans_max = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 5, 6), unsigned32().subtype(subtypeSpec=value_range_constraint(10, 10000))).setUnits('milli-seconds').setMaxAccess('readwrite') if mibBuilder.loadTexts: cmiMrRegRetransMax.setStatus('current') if mibBuilder.loadTexts: cmiMrRegRetransMax.setDescription('Maximum retransmission time allowed.') cmi_mr_reg_retrans_limit = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 5, 7), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 10))).setMaxAccess('readwrite') if mibBuilder.loadTexts: cmiMrRegRetransLimit.setStatus('current') if mibBuilder.loadTexts: cmiMrRegRetransLimit.setDescription('The maximum number of retransmissions allowed.') cmi_mr_reg_new_ha = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 5, 5, 8), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMrRegNewHa.setStatus('current') if mibBuilder.loadTexts: cmiMrRegNewHa.setDescription('The number of times MR registers with a different HA due to changes in HA / HA priority.') cmi_trap_control = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 6, 1), bits().clone(namedValues=named_values(('cmiMrStateChangeTrap', 0), ('cmiMrCoaChangeTrap', 1), ('cmiMrNewMATrap', 2), ('cmiHaMnRegFailedTrap', 3), ('cmiHaMaxBindingsNotif', 4)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: cmiTrapControl.setStatus('current') if mibBuilder.loadTexts: cmiTrapControl.setDescription("An object to turn Mobile IP notification generation on and off. Setting a notification type's bit to 1 enables generation of notifications of that type, subject to further filtering resulting from entries in the snmpNotificationMIB. Setting the bit to 0 disables generation of notifications of that type.") cmi_nt_reg_coa_type = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 6, 3), inet_address_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiNtRegCOAType.setStatus('current') if mibBuilder.loadTexts: cmiNtRegCOAType.setDescription('Represents the type of the address stored in cmiHaRegMnCOA.') cmi_nt_reg_coa = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 6, 4), inet_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiNtRegCOA.setStatus('current') if mibBuilder.loadTexts: cmiNtRegCOA.setDescription("The Mobile Node's Care-of address.") cmi_nt_reg_ha_addr_type = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 6, 5), inet_address_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiNtRegHAAddrType.setStatus('current') if mibBuilder.loadTexts: cmiNtRegHAAddrType.setDescription('Represents the type of the address stored in cmiHaRegMnHa.') cmi_nt_reg_home_agent = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 6, 6), inet_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiNtRegHomeAgent.setStatus('current') if mibBuilder.loadTexts: cmiNtRegHomeAgent.setDescription("The Mobile Node's Home Agent address.") cmi_nt_reg_home_address_type = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 6, 7), inet_address_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiNtRegHomeAddressType.setStatus('current') if mibBuilder.loadTexts: cmiNtRegHomeAddressType.setDescription('Represents the type of the address stored in cmiHaRegRecentHomeAddress.') cmi_nt_reg_home_address = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 6, 8), ip_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiNtRegHomeAddress.setStatus('current') if mibBuilder.loadTexts: cmiNtRegHomeAddress.setDescription('Home (IP) address of visiting mobile node.') cmi_nt_reg_nai = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 6, 9), octet_string().subtype(subtypeSpec=value_size_constraint(1, 255))).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiNtRegNAI.setStatus('current') if mibBuilder.loadTexts: cmiNtRegNAI.setDescription('The identifier associated with the mobile node.') cmi_nt_reg_denied_code = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 6, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(128, 129, 130, 131, 132, 133, 134, 135, 136, 137, 138, 139))).clone(namedValues=named_values(('reasonUnspecified', 128), ('admProhibited', 129), ('insufficientResource', 130), ('mnAuthenticationFailure', 131), ('faAuthenticationFailure', 132), ('idMismatch', 133), ('poorlyFormedRequest', 134), ('tooManyBindings', 135), ('unknownHA', 136), ('reverseTunnelUnavailable', 137), ('reverseTunnelBitNotSet', 138), ('encapsulationUnavailable', 139)))).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiNtRegDeniedCode.setStatus('current') if mibBuilder.loadTexts: cmiNtRegDeniedCode.setDescription('The Code indicating the reason why the most recent Registration Request for this mobile node was rejected by the home agent.') cisco_mobile_ip_mib_notifications = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 0)) cmi_mr_state_change = notification_type((1, 3, 6, 1, 4, 1, 9, 9, 174, 0, 1)).setObjects(('MIP-MIB', 'mnState')) if mibBuilder.loadTexts: cmiMrStateChange.setStatus('current') if mibBuilder.loadTexts: cmiMrStateChange.setDescription('The Mobile Router state change notification. This notification is sent when the Mobile Router has undergone a state change from its previous state of Mobile IP. Generation of this notification is controlled by the cmiTrapControl object.') cmi_mr_coa_change = notification_type((1, 3, 6, 1, 4, 1, 9, 9, 174, 0, 2)).setObjects(('MIP-MIB', 'mnRegCOA'), ('MIP-MIB', 'mnRegAgentAddress')) if mibBuilder.loadTexts: cmiMrCoaChange.setStatus('current') if mibBuilder.loadTexts: cmiMrCoaChange.setDescription('The Mobile Router care-of-address change notification. This notification is sent when the Mobile Router has changed its care-of-address. Generation of this notification is controlled by the cmiTrapControl object.') cmi_mr_new_ma = notification_type((1, 3, 6, 1, 4, 1, 9, 9, 174, 0, 3)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiMrMaIsHa'), ('CISCO-MOBILE-IP-MIB', 'cmiMrMaAdvFlags'), ('CISCO-MOBILE-IP-MIB', 'cmiMrMaAdvRcvIf')) if mibBuilder.loadTexts: cmiMrNewMA.setStatus('current') if mibBuilder.loadTexts: cmiMrNewMA.setDescription('The Mobile Router new agent discovery notification. This notification is sent when the Mobile Router has heard an agent advertisement from a new mobile agent. Generation of this notification is controlled by the cmiTrapControl object.') cmi_ha_mn_reg_req_failed = notification_type((1, 3, 6, 1, 4, 1, 9, 9, 174, 0, 4)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiNtRegCOAType'), ('CISCO-MOBILE-IP-MIB', 'cmiNtRegCOA'), ('CISCO-MOBILE-IP-MIB', 'cmiNtRegHAAddrType'), ('CISCO-MOBILE-IP-MIB', 'cmiNtRegHomeAgent'), ('CISCO-MOBILE-IP-MIB', 'cmiNtRegHomeAddressType'), ('CISCO-MOBILE-IP-MIB', 'cmiNtRegHomeAddress'), ('CISCO-MOBILE-IP-MIB', 'cmiNtRegNAI'), ('CISCO-MOBILE-IP-MIB', 'cmiNtRegDeniedCode')) if mibBuilder.loadTexts: cmiHaMnRegReqFailed.setStatus('current') if mibBuilder.loadTexts: cmiHaMnRegReqFailed.setDescription('The MN registration request failed notification. This notification is sent when the registration request from MN is rejected by Home Agent.') cmi_ha_max_bindings_notif = notification_type((1, 3, 6, 1, 4, 1, 9, 9, 174, 0, 5)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiHaRegTotalMobilityBindings'), ('CISCO-MOBILE-IP-MIB', 'cmiHaMaximumBindings')) if mibBuilder.loadTexts: cmiHaMaxBindingsNotif.setStatus('current') if mibBuilder.loadTexts: cmiHaMaxBindingsNotif.setDescription('This notification is generated when the registration request from an MN is rejected by the home agent, and the total number of registrations on the home agent has already reached the maximum number of allowed bindings represented by cmiHaMaximumBindings.') cmi_ma_adv_config_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 2, 1)) if mibBuilder.loadTexts: cmiMaAdvConfigTable.setStatus('current') if mibBuilder.loadTexts: cmiMaAdvConfigTable.setDescription('A table containing configurable advertisement parameters for all advertisement interfaces in the mobility agent.') cmi_ma_adv_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 2, 1, 1)).setIndexNames((0, 'CISCO-MOBILE-IP-MIB', 'cmiMaAdvInterfaceIndex')) if mibBuilder.loadTexts: cmiMaAdvConfigEntry.setStatus('current') if mibBuilder.loadTexts: cmiMaAdvConfigEntry.setDescription('Advertisement parameters for one advertisement interface.') cmi_ma_adv_interface_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 2, 1, 1, 1), interface_index()) if mibBuilder.loadTexts: cmiMaAdvInterfaceIndex.setStatus('current') if mibBuilder.loadTexts: cmiMaAdvInterfaceIndex.setDescription('The ifIndex value from Interfaces table of MIB II for the interface which is advertising.') cmi_ma_interface_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 2, 1, 1, 2), inet_address_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMaInterfaceAddressType.setStatus('current') if mibBuilder.loadTexts: cmiMaInterfaceAddressType.setDescription('Represents the type of IP address stored in cmiMaInterfaceAddress.') cmi_ma_interface_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 2, 1, 1, 3), inet_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmiMaInterfaceAddress.setStatus('current') if mibBuilder.loadTexts: cmiMaInterfaceAddress.setDescription('IP address for advertisement interface.') cmi_ma_adv_max_reg_lifetime = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 2, 1, 1, 4), unsigned32().subtype(subtypeSpec=value_range_constraint(3, 65535)).clone(36000)).setUnits('seconds').setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiMaAdvMaxRegLifetime.setStatus('current') if mibBuilder.loadTexts: cmiMaAdvMaxRegLifetime.setDescription('The longest lifetime in seconds that mobility agent is willing to accept in any registration request.') cmi_ma_adv_prefix_length_inclusion = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 2, 1, 1, 5), truth_value().clone('false')).setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiMaAdvPrefixLengthInclusion.setStatus('current') if mibBuilder.loadTexts: cmiMaAdvPrefixLengthInclusion.setDescription('Whether the advertisement should include the Prefix- Lengths Extension. If it is true, all advertisements sent over this interface should include the Prefix-Lengths Extension.') cmi_ma_adv_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 2, 1, 1, 6), inet_address_type()).setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiMaAdvAddressType.setStatus('current') if mibBuilder.loadTexts: cmiMaAdvAddressType.setDescription('Represents the type of IP address stored in cmiMaAdvAddress.') cmi_ma_adv_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 2, 1, 1, 7), inet_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiMaAdvAddress.setReference('AdvertisementAddress in RFC1256.') if mibBuilder.loadTexts: cmiMaAdvAddress.setStatus('current') if mibBuilder.loadTexts: cmiMaAdvAddress.setDescription('The IP destination address to be used for advertisements sent from the interface. The only permissible values are the all-systems multicast address (224.0.0.1) or the limited-broadcast address (255.255.255.255). Default value is 224.0.0.1 if the router supports IP multicast on the interface, else 255.255.255.255') cmi_ma_adv_max_interval = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 2, 1, 1, 8), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(4, 1800)))).setUnits('seconds').setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiMaAdvMaxInterval.setReference('MaxAdvertisementInterval in RFC1256.') if mibBuilder.loadTexts: cmiMaAdvMaxInterval.setStatus('current') if mibBuilder.loadTexts: cmiMaAdvMaxInterval.setDescription('The maximum time in seconds between successive transmissions of Agent Advertisements from this interface. The default value will be 600 seconds for an interface which uses IEEE 802 style headers and for ATM interface. In other cases, default value will be zero.') cmi_ma_adv_min_interval = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 2, 1, 1, 9), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(3, 1800)))).setUnits('seconds').setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiMaAdvMinInterval.setReference('MinAdvertisementInterval in RFC1256.') if mibBuilder.loadTexts: cmiMaAdvMinInterval.setStatus('current') if mibBuilder.loadTexts: cmiMaAdvMinInterval.setDescription('The minimum time in seconds between successive transmissions of Agent Advertisements from this interface. Default value is 0.75 * cmiMaAdvMaxInterval.') cmi_ma_adv_max_adv_lifetime = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 2, 1, 1, 10), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(4, 9000)))).setUnits('seconds').setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiMaAdvMaxAdvLifetime.setReference('AdvertisementLifetime in RFC1256.') if mibBuilder.loadTexts: cmiMaAdvMaxAdvLifetime.setStatus('current') if mibBuilder.loadTexts: cmiMaAdvMaxAdvLifetime.setDescription('The time (in seconds) to be placed in the Lifetime field of the RFC 1256-portion of the Agent Advertisements sent over this interface. Default value is 3 * cmiMaAdvMaxInterval.') cmi_ma_adv_response_solicitation_only = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 2, 1, 1, 11), truth_value()).setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiMaAdvResponseSolicitationOnly.setStatus('current') if mibBuilder.loadTexts: cmiMaAdvResponseSolicitationOnly.setDescription('The flag indicates whether the advertisement from that interface should be sent only in response to an Agent Solicitation message. This value depends upon cmiMaAdvMaxInterval. If cmiMaAdvMaxInterval is zero, this value will be set to true. If this is set to True, then cmiMaAdvMaxInterval will be set to zero.') cmi_ma_adv_status = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 174, 1, 4, 2, 1, 1, 12), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: cmiMaAdvStatus.setStatus('current') if mibBuilder.loadTexts: cmiMaAdvStatus.setDescription("The row status for the agent advertisement table. If this column status is 'active', the manager should not change any column in the row. Only cmiMaAdvInterfaceIndex is mandatory for creating a new row. The interface should already exist.") cisco_mobile_ip_mib_conformance = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 3)) cisco_mobile_ip_compliances = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 1)) cisco_mobile_ip_groups = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2)) cisco_mobile_ip_compliance = module_compliance((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 1, 1)).setObjects(('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpFaRegGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRegGroup')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_compliance = ciscoMobileIpCompliance.setStatus('obsolete') if mibBuilder.loadTexts: ciscoMobileIpCompliance.setDescription('The compliance statement for management entities which implement the Cisco Mobile IP MIB. Superseded by ciscoMobileIPComplianceV12R02.') cisco_mobile_ip_compliance_v12_r02 = module_compliance((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 1, 2)).setObjects(('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpFaRegGroupV12R02'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRegGroupV12R02'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRedunGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpSecAssocGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpSecViolationGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMaRegGroup')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_compliance_v12_r02 = ciscoMobileIpComplianceV12R02.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpComplianceV12R02.setDescription('The compliance statement for management entities which implement the Cisco Mobile IP MIB. Superseded by ciscoMobileIPComplianceV12R03.') cisco_mobile_ip_compliance_v12_r03 = module_compliance((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 1, 3)).setObjects(('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpFaRegGroupV12R03'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRegGroupV12R03'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRedunGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpSecAssocGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpSecViolationGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMaRegGroup')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_compliance_v12_r03 = ciscoMobileIpComplianceV12R03.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpComplianceV12R03.setDescription('The compliance statement for management entities which implement the Cisco Mobile IP MIB. Superseded by ciscoMobileIPComplianceV12R03r1') cisco_mobile_ip_compliance_v12_r03r1 = module_compliance((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 1, 4)).setObjects(('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpFaRegGroupV12R03r1'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRegGroupV12R03r1'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRedunGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpSecAssocGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpSecViolationGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMaRegGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpFaAdvertisementGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpFaSystemGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMnDiscoveryGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMnRegistrationGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaMobNetGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrSystemGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrDiscoveryGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrRegistrationGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpTrapObjectsGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrNotificationGroup')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_compliance_v12_r03r1 = ciscoMobileIpComplianceV12R03r1.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpComplianceV12R03r1.setDescription('The compliance statement for management entities which implement the Cisco Mobile IP MIB.') cisco_mobile_ip_compliance_v12_r04 = module_compliance((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 1, 5)).setObjects(('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpFaRegGroupV12R03r1'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRegGroupV12R03r1'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRedunGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpSecAssocGroupV12R02'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpSecViolationGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMaRegGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpFaAdvertisementGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpFaSystemGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMnDiscoveryGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMnRegistrationGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaMobNetGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrSystemGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrDiscoveryGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrRegistrationGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpTrapObjectsGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrNotificationGroup'), ('CISCO-MOBILE-IP-MIB', 'cmiMaAdvertisementGroup')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_compliance_v12_r04 = ciscoMobileIpComplianceV12R04.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpComplianceV12R04.setDescription('The compliance statement for management entities which implement the Cisco Mobile IP MIB.') cisco_mobile_ip_compliance_v12_r05 = module_compliance((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 1, 6)).setObjects(('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpFaRegGroupV12R03r1'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRegGroupV12R03r1'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRedunGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpSecAssocGroupV12R02'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpSecViolationGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMaRegGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpFaAdvertisementGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpFaSystemGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMnDiscoveryGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMnRegistrationGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaMobNetGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrSystemGroupV1'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrDiscoveryGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrRegistrationGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpTrapObjectsGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrNotificationGroup'), ('CISCO-MOBILE-IP-MIB', 'cmiMaAdvertisementGroup')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_compliance_v12_r05 = ciscoMobileIpComplianceV12R05.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpComplianceV12R05.setDescription('The compliance statement for management entities which implement the Cisco Mobile IP MIB.') cisco_mobile_ip_compliance_v12_r06 = module_compliance((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 1, 7)).setObjects(('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpFaRegGroupV12R03r1'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRegGroupV12R03r1'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRedunGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpSecAssocGroupV12R02'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpSecViolationGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMaRegGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpFaAdvertisementGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpFaSystemGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMnDiscoveryGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMnRegistrationGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaMobNetGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrSystemGroupV2'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrDiscoveryGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrRegistrationGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpTrapObjectsGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrNotificationGroup'), ('CISCO-MOBILE-IP-MIB', 'cmiMaAdvertisementGroup')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_compliance_v12_r06 = ciscoMobileIpComplianceV12R06.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpComplianceV12R06.setDescription('The compliance statement for management entities which implement the Cisco Mobile IP MIB.') cisco_mobile_ip_compliance_v12_r07 = module_compliance((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 1, 8)).setObjects(('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpFaRegGroupV12R03r2'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRegGroupV12R03r2'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRedunGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpSecAssocGroupV12R02'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpSecViolationGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMaRegGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpFaAdvertisementGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpFaSystemGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMnDiscoveryGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMnRegistrationGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaMobNetGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrSystemGroupV2'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrDiscoveryGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrRegistrationGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpTrapObjectsGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrNotificationGroup'), ('CISCO-MOBILE-IP-MIB', 'cmiMaAdvertisementGroup')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_compliance_v12_r07 = ciscoMobileIpComplianceV12R07.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpComplianceV12R07.setDescription('The compliance statement for management entities which implement the Cisco Mobile IP MIB.') cisco_mobile_ip_compliance_v12_r08 = module_compliance((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 1, 9)).setObjects(('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpFaRegGroupV12R03r2'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRegGroupV12R03r2'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRedunGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpSecAssocGroupV12R02'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpSecViolationGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMaRegGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpFaAdvertisementGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpFaSystemGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMnDiscoveryGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMnRegistrationGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaMobNetGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrSystemGroupV2'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrDiscoveryGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrRegistrationGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpTrapObjectsGroupV2'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrNotificationGroupV2'), ('CISCO-MOBILE-IP-MIB', 'cmiMaAdvertisementGroup')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_compliance_v12_r08 = ciscoMobileIpComplianceV12R08.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpComplianceV12R08.setDescription('The compliance statement for management entities which implement the Cisco Mobile IP MIB.') cisco_mobile_ip_compliance_v12_r09 = module_compliance((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 1, 10)).setObjects(('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpFaRegGroupV12R03r2'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRegGroupV12R03r2'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRedunGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpSecAssocGroupV12R02'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpSecViolationGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMaRegGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpFaAdvertisementGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpFaSystemGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMnDiscoveryGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMnRegistrationGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaMobNetGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrSystemGroupV3'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrDiscoveryGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrRegistrationGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpTrapObjectsGroupV2'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrNotificationGroupV2'), ('CISCO-MOBILE-IP-MIB', 'cmiMaAdvertisementGroup')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_compliance_v12_r09 = ciscoMobileIpComplianceV12R09.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpComplianceV12R09.setDescription('The compliance statement for management entities which implement the Cisco Mobile IP MIB.') cisco_mobile_ip_compliance_v12_r10 = module_compliance((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 1, 11)).setObjects(('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpFaRegGroupV12R03r2'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRegGroupV12R03r2'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRegGroupV12R03r2Sup1'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRedunGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpSecAssocGroupV12R02'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpSecViolationGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMaRegGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpFaAdvertisementGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpFaSystemGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMnDiscoveryGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMnRegistrationGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaMobNetGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaMobNetGroupSup1'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrSystemGroupV3'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrSystemGroupV3Sup1'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrDiscoveryGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrRegistrationGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpTrapObjectsGroupV2'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrNotificationGroupV2'), ('CISCO-MOBILE-IP-MIB', 'cmiMaAdvertisementGroup')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_compliance_v12_r10 = ciscoMobileIpComplianceV12R10.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpComplianceV12R10.setDescription('The compliance statement for management entities which implement the Cisco Mobile IP MIB.') cisco_mobile_ip_compliance_v12_r11 = module_compliance((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 1, 12)).setObjects(('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpFaRegGroupV12R03r2'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRegGroupV12R03r2'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRegGroupV12R03r2Sup1'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRedunGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpSecAssocGroupV12R02'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpSecViolationGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMaRegGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpFaAdvertisementGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpFaSystemGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMnDiscoveryGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMnRegistrationGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaMobNetGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaMobNetGroupSup1'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrSystemGroupV3'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrSystemGroupV3Sup1'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrDiscoveryGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrRegistrationGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpTrapObjectsGroupV2'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrNotificationGroupV2'), ('CISCO-MOBILE-IP-MIB', 'cmiMaAdvertisementGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRegGroupV12R03r2Sup2')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_compliance_v12_r11 = ciscoMobileIpComplianceV12R11.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpComplianceV12R11.setDescription('The compliance statement for management entities which implement the Cisco Mobile IP MIB.') cisco_mobile_ip_compliance_rev1 = module_compliance((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 1, 13)).setObjects(('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaSystemGroupV1'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRegGroupV1'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrNotificationGroupV3'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpFaRegGroupV12R03r2'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRegGroupV12R03r2'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRegGroupV12R03r2Sup1'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRedunGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpSecAssocGroupV12R02'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpSecViolationGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMaRegGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpFaAdvertisementGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpFaSystemGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMnDiscoveryGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMnRegistrationGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaMobNetGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaMobNetGroupSup1'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrSystemGroupV3'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrSystemGroupV3Sup1'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrDiscoveryGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrRegistrationGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpTrapObjectsGroupV2'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrNotificationGroupV2'), ('CISCO-MOBILE-IP-MIB', 'cmiMaAdvertisementGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRegGroupV12R03r2Sup2')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_compliance_rev1 = ciscoMobileIpComplianceRev1.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpComplianceRev1.setDescription('The compliance statement for management entities which implement the Cisco Mobile IP MIB.') cisco_mobile_ip_compliance_rev2 = module_compliance((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 1, 14)).setObjects(('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaSystemGroupV1'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRegGroupV1'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrNotificationGroupV3'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpFaRegGroupV12R03r2'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRegGroupV12R03r2'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRegGroupV12R03r2Sup1'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRedunGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpSecAssocGroupV12R02'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpSecViolationGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMaRegGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpFaAdvertisementGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpFaSystemGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMnDiscoveryGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMnRegistrationGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaMobNetGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaMobNetGroupSup1'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrSystemGroupV3'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrSystemGroupV3Sup1'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrDiscoveryGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrRegistrationGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpTrapObjectsGroupV2'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpMrNotificationGroupV2'), ('CISCO-MOBILE-IP-MIB', 'cmiMaAdvertisementGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRegGroupV12R03r2Sup2'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRegIntervalStatsGroup'), ('CISCO-MOBILE-IP-MIB', 'ciscoMobileIpHaRegTunnelStatsGroup')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_compliance_rev2 = ciscoMobileIpComplianceRev2.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpComplianceRev2.setDescription('The compliance statement for management entities which implement the Cisco Mobile IP MIB.') cisco_mobile_ip_fa_reg_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 1)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiFaRegTotalVisitors')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_fa_reg_group = ciscoMobileIpFaRegGroup.setStatus('obsolete') if mibBuilder.loadTexts: ciscoMobileIpFaRegGroup.setDescription('A collection of objects providing management information for the registration function within a foreign agent. Superseded by ciscoMobileIpFaRegGroupV12R02.') cisco_mobile_ip_ha_reg_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 2)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiHaRegTotalMobilityBindings')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_ha_reg_group = ciscoMobileIpHaRegGroup.setStatus('obsolete') if mibBuilder.loadTexts: ciscoMobileIpHaRegGroup.setDescription('A collection of objects providing management information for the registration function within a home agent. Superseded by ciscoMobileIpHaRegGroupV12R02.') cisco_mobile_ip_fa_reg_group_v12_r02 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 3)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiFaRegTotalVisitors'), ('CISCO-MOBILE-IP-MIB', 'cmiFaRegVisitorHomeAddress'), ('CISCO-MOBILE-IP-MIB', 'cmiFaRegVisitorHomeAgentAddress'), ('CISCO-MOBILE-IP-MIB', 'cmiFaRegVisitorTimeGranted'), ('CISCO-MOBILE-IP-MIB', 'cmiFaRegVisitorTimeRemaining'), ('CISCO-MOBILE-IP-MIB', 'cmiFaRegVisitorRegFlags'), ('CISCO-MOBILE-IP-MIB', 'cmiFaRegVisitorRegIDLow'), ('CISCO-MOBILE-IP-MIB', 'cmiFaRegVisitorRegIDHigh'), ('CISCO-MOBILE-IP-MIB', 'cmiFaRegVisitorRegIsAccepted')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_fa_reg_group_v12_r02 = ciscoMobileIpFaRegGroupV12R02.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpFaRegGroupV12R02.setDescription('A collection of objects providing management information for the registration function within a foreign agent. Superseded by ciscoMobileIpFaRegGroupV12R03.') cisco_mobile_ip_ha_reg_group_v12_r02 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 4)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiHaRegTotalMobilityBindings'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegMnIdentifierType'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegMnIdentifier'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegServAcceptedRequests'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegServDeniedRequests'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegOverallServTime'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegRecentServAcceptedTime'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegRecentServDeniedTime'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegRecentServDeniedCode'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegTotalProcLocRegs'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegMaxProcLocInMinRegs'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegDateMaxRegsProcLoc'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegProcLocInLastMinRegs'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegTotalProcByAAARegs'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegMaxProcByAAAInMinRegs'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegDateMaxRegsProcByAAA'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegProcAAAInLastByMinRegs'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegAvgTimeRegsProcByAAA'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegMaxTimeRegsProcByAAA')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_ha_reg_group_v12_r02 = ciscoMobileIpHaRegGroupV12R02.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpHaRegGroupV12R02.setDescription('A collection of objects providing management information for the registration function within a home agent. Superseded by ciscoMobileIpHaRegGroupV12R03.') cisco_mobile_ip_fa_reg_group_v12_r03 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 9)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiFaRegTotalVisitors'), ('CISCO-MOBILE-IP-MIB', 'cmiFaRegVisitorHomeAddress'), ('CISCO-MOBILE-IP-MIB', 'cmiFaRegVisitorHomeAgentAddress'), ('CISCO-MOBILE-IP-MIB', 'cmiFaRegVisitorTimeGranted'), ('CISCO-MOBILE-IP-MIB', 'cmiFaRegVisitorTimeRemaining'), ('CISCO-MOBILE-IP-MIB', 'cmiFaRegVisitorRegFlags'), ('CISCO-MOBILE-IP-MIB', 'cmiFaRegVisitorRegIDLow'), ('CISCO-MOBILE-IP-MIB', 'cmiFaRegVisitorRegIDHigh'), ('CISCO-MOBILE-IP-MIB', 'cmiFaRegVisitorRegIsAccepted'), ('CISCO-MOBILE-IP-MIB', 'cmiFaInitRegRequestsReceived'), ('CISCO-MOBILE-IP-MIB', 'cmiFaInitRegRequestsDiscarded'), ('CISCO-MOBILE-IP-MIB', 'cmiFaInitRegRequestsRelayed'), ('CISCO-MOBILE-IP-MIB', 'cmiFaInitRegRequestsDenied'), ('CISCO-MOBILE-IP-MIB', 'cmiFaInitRegRepliesValidFromHA'), ('CISCO-MOBILE-IP-MIB', 'cmiFaInitRegRepliesValidRelayMN'), ('CISCO-MOBILE-IP-MIB', 'cmiFaReRegRequestsReceived'), ('CISCO-MOBILE-IP-MIB', 'cmiFaReRegRequestsDiscarded'), ('CISCO-MOBILE-IP-MIB', 'cmiFaReRegRequestsRelayed'), ('CISCO-MOBILE-IP-MIB', 'cmiFaReRegRequestsDenied'), ('CISCO-MOBILE-IP-MIB', 'cmiFaReRegRepliesValidFromHA'), ('CISCO-MOBILE-IP-MIB', 'cmiFaReRegRepliesValidRelayToMN'), ('CISCO-MOBILE-IP-MIB', 'cmiFaDeRegRequestsReceived'), ('CISCO-MOBILE-IP-MIB', 'cmiFaDeRegRequestsDiscarded'), ('CISCO-MOBILE-IP-MIB', 'cmiFaDeRegRequestsRelayed'), ('CISCO-MOBILE-IP-MIB', 'cmiFaDeRegRequestsDenied'), ('CISCO-MOBILE-IP-MIB', 'cmiFaDeRegRepliesValidFromHA'), ('CISCO-MOBILE-IP-MIB', 'cmiFaDeRegRepliesValidRelayToMN')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_fa_reg_group_v12_r03 = ciscoMobileIpFaRegGroupV12R03.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpFaRegGroupV12R03.setDescription('A collection of objects providing management information for the registration function within a foreign agent. Superseded by ciscoMobileIpFaRegGroupV12R03r1') cisco_mobile_ip_ha_reg_group_v12_r03 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 10)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiHaRegTotalMobilityBindings'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegMnIdentifierType'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegMnIdentifier'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegServAcceptedRequests'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegServDeniedRequests'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegOverallServTime'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegRecentServAcceptedTime'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegRecentServDeniedTime'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegRecentServDeniedCode'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegTotalProcLocRegs'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegMaxProcLocInMinRegs'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegDateMaxRegsProcLoc'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegProcLocInLastMinRegs'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegTotalProcByAAARegs'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegMaxProcByAAAInMinRegs'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegDateMaxRegsProcByAAA'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegProcAAAInLastByMinRegs'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegAvgTimeRegsProcByAAA'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegMaxTimeRegsProcByAAA'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegRequestsReceived'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegRequestsDenied'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegRequestsDiscarded'), ('CISCO-MOBILE-IP-MIB', 'cmiHaEncapUnavailable'), ('CISCO-MOBILE-IP-MIB', 'cmiHaNAICheckFailures'), ('CISCO-MOBILE-IP-MIB', 'cmiHaInitRegRequestsReceived'), ('CISCO-MOBILE-IP-MIB', 'cmiHaInitRegRequestsAccepted'), ('CISCO-MOBILE-IP-MIB', 'cmiHaInitRegRequestsDenied'), ('CISCO-MOBILE-IP-MIB', 'cmiHaInitRegRequestsDiscarded'), ('CISCO-MOBILE-IP-MIB', 'cmiHaReRegRequestsReceived'), ('CISCO-MOBILE-IP-MIB', 'cmiHaReRegRequestsAccepted'), ('CISCO-MOBILE-IP-MIB', 'cmiHaReRegRequestsDenied'), ('CISCO-MOBILE-IP-MIB', 'cmiHaReRegRequestsDiscarded'), ('CISCO-MOBILE-IP-MIB', 'cmiHaDeRegRequestsReceived'), ('CISCO-MOBILE-IP-MIB', 'cmiHaDeRegRequestsAccepted'), ('CISCO-MOBILE-IP-MIB', 'cmiHaDeRegRequestsDenied'), ('CISCO-MOBILE-IP-MIB', 'cmiHaDeRegRequestsDiscarded')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_ha_reg_group_v12_r03 = ciscoMobileIpHaRegGroupV12R03.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpHaRegGroupV12R03.setDescription('A collection of objects providing management information for the registration function within a home agent. Superseded by ciscoMobileIpHaRegGroupV12R03r1') cisco_mobile_ip_sec_assoc_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 6)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiSecAssocsCount'), ('CISCO-MOBILE-IP-MIB', 'cmiSecAlgorithmType'), ('CISCO-MOBILE-IP-MIB', 'cmiSecAlgorithmMode'), ('CISCO-MOBILE-IP-MIB', 'cmiSecKey'), ('CISCO-MOBILE-IP-MIB', 'cmiSecReplayMethod'), ('CISCO-MOBILE-IP-MIB', 'cmiSecStatus')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_sec_assoc_group = ciscoMobileIpSecAssocGroup.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpSecAssocGroup.setDescription('A collection of objects providing the management information for security associations of Mobile IP entities. Superseded by ciscoMobileIpSecAssocGroupV12R02') cisco_mobile_ip_ha_redun_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 5)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiHaRedunSentBUs'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRedunFailedBUs'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRedunReceivedBUAcks'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRedunTotalSentBUs'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRedunReceivedBUs'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRedunSentBUAcks'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRedunSentBIReqs'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRedunFailedBIReqs'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRedunTotalSentBIReqs'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRedunReceivedBIReps'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRedunDroppedBIReps'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRedunSentBIAcks'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRedunReceivedBIReqs'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRedunSentBIReps'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRedunFailedBIReps'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRedunTotalSentBIReps'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRedunReceivedBIAcks'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRedunDroppedBIAcks'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRedunSecViolations')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_ha_redun_group = ciscoMobileIpHaRedunGroup.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpHaRedunGroup.setDescription('A collection of objects providing management information for the redundancy function within a home agent.') cisco_mobile_ip_sec_violation_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 7)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiSecTotalViolations'), ('CISCO-MOBILE-IP-MIB', 'cmiSecRecentViolationSPI'), ('CISCO-MOBILE-IP-MIB', 'cmiSecRecentViolationTime'), ('CISCO-MOBILE-IP-MIB', 'cmiSecRecentViolationIDLow'), ('CISCO-MOBILE-IP-MIB', 'cmiSecRecentViolationIDHigh'), ('CISCO-MOBILE-IP-MIB', 'cmiSecRecentViolationReason')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_sec_violation_group = ciscoMobileIpSecViolationGroup.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpSecViolationGroup.setDescription('A collection of objects providing the management information for security violation logging of Mobile IP entities.') cisco_mobile_ip_ma_reg_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 8)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiMaRegMaxInMinuteRegs'), ('CISCO-MOBILE-IP-MIB', 'cmiMaRegDateMaxRegsReceived'), ('CISCO-MOBILE-IP-MIB', 'cmiMaRegInLastMinuteRegs')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_ma_reg_group = ciscoMobileIpMaRegGroup.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpMaRegGroup.setDescription('A collection of objects providing the management information for the registration function within a mobility agent.') cisco_mobile_ip_fa_reg_group_v12_r03r1 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 11)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiFaRegTotalVisitors'), ('CISCO-MOBILE-IP-MIB', 'cmiFaRegVisitorHomeAddress'), ('CISCO-MOBILE-IP-MIB', 'cmiFaRegVisitorHomeAgentAddress'), ('CISCO-MOBILE-IP-MIB', 'cmiFaRegVisitorTimeGranted'), ('CISCO-MOBILE-IP-MIB', 'cmiFaRegVisitorTimeRemaining'), ('CISCO-MOBILE-IP-MIB', 'cmiFaRegVisitorRegIDLow'), ('CISCO-MOBILE-IP-MIB', 'cmiFaRegVisitorRegIDHigh'), ('CISCO-MOBILE-IP-MIB', 'cmiFaRegVisitorRegIsAccepted'), ('CISCO-MOBILE-IP-MIB', 'cmiFaRegVisitorRegFlagsRev1'), ('CISCO-MOBILE-IP-MIB', 'cmiFaRegVisitorChallengeValue'), ('CISCO-MOBILE-IP-MIB', 'cmiFaInitRegRequestsReceived'), ('CISCO-MOBILE-IP-MIB', 'cmiFaInitRegRequestsDiscarded'), ('CISCO-MOBILE-IP-MIB', 'cmiFaInitRegRequestsRelayed'), ('CISCO-MOBILE-IP-MIB', 'cmiFaInitRegRequestsDenied'), ('CISCO-MOBILE-IP-MIB', 'cmiFaInitRegRepliesValidFromHA'), ('CISCO-MOBILE-IP-MIB', 'cmiFaInitRegRepliesValidRelayMN'), ('CISCO-MOBILE-IP-MIB', 'cmiFaReRegRequestsReceived'), ('CISCO-MOBILE-IP-MIB', 'cmiFaReRegRequestsDiscarded'), ('CISCO-MOBILE-IP-MIB', 'cmiFaReRegRequestsRelayed'), ('CISCO-MOBILE-IP-MIB', 'cmiFaReRegRequestsDenied'), ('CISCO-MOBILE-IP-MIB', 'cmiFaReRegRepliesValidFromHA'), ('CISCO-MOBILE-IP-MIB', 'cmiFaReRegRepliesValidRelayToMN'), ('CISCO-MOBILE-IP-MIB', 'cmiFaDeRegRequestsReceived'), ('CISCO-MOBILE-IP-MIB', 'cmiFaDeRegRequestsDiscarded'), ('CISCO-MOBILE-IP-MIB', 'cmiFaDeRegRequestsRelayed'), ('CISCO-MOBILE-IP-MIB', 'cmiFaDeRegRequestsDenied'), ('CISCO-MOBILE-IP-MIB', 'cmiFaDeRegRepliesValidFromHA'), ('CISCO-MOBILE-IP-MIB', 'cmiFaDeRegRepliesValidRelayToMN'), ('CISCO-MOBILE-IP-MIB', 'cmiFaReverseTunnelUnavailable'), ('CISCO-MOBILE-IP-MIB', 'cmiFaReverseTunnelBitNotSet'), ('CISCO-MOBILE-IP-MIB', 'cmiFaMnTooDistant'), ('CISCO-MOBILE-IP-MIB', 'cmiFaDeliveryStyleUnsupported'), ('CISCO-MOBILE-IP-MIB', 'cmiFaUnknownChallenge'), ('CISCO-MOBILE-IP-MIB', 'cmiFaMissingChallenge'), ('CISCO-MOBILE-IP-MIB', 'cmiFaStaleChallenge'), ('CISCO-MOBILE-IP-MIB', 'cmiFaCvsesFromMnRejected'), ('CISCO-MOBILE-IP-MIB', 'cmiFaCvsesFromHaRejected'), ('CISCO-MOBILE-IP-MIB', 'cmiFaNvsesFromMnNeglected'), ('CISCO-MOBILE-IP-MIB', 'cmiFaNvsesFromHaNeglected')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_fa_reg_group_v12_r03r1 = ciscoMobileIpFaRegGroupV12R03r1.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpFaRegGroupV12R03r1.setDescription('A collection of objects providing management information for the registration function within a foreign agent.') cisco_mobile_ip_ha_reg_group_v12_r03r1 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 12)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiHaRegTotalMobilityBindings'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegMnIdentifierType'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegMnIdentifier'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegMobilityBindingRegFlags'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegServAcceptedRequests'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegServDeniedRequests'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegOverallServTime'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegRecentServAcceptedTime'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegRecentServDeniedTime'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegRecentServDeniedCode'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegTotalProcLocRegs'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegMaxProcLocInMinRegs'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegDateMaxRegsProcLoc'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegProcLocInLastMinRegs'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegTotalProcByAAARegs'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegMaxProcByAAAInMinRegs'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegDateMaxRegsProcByAAA'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegProcAAAInLastByMinRegs'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegAvgTimeRegsProcByAAA'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegMaxTimeRegsProcByAAA'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegRequestsReceived'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegRequestsDenied'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegRequestsDiscarded'), ('CISCO-MOBILE-IP-MIB', 'cmiHaEncapUnavailable'), ('CISCO-MOBILE-IP-MIB', 'cmiHaNAICheckFailures'), ('CISCO-MOBILE-IP-MIB', 'cmiHaInitRegRequestsReceived'), ('CISCO-MOBILE-IP-MIB', 'cmiHaInitRegRequestsAccepted'), ('CISCO-MOBILE-IP-MIB', 'cmiHaInitRegRequestsDenied'), ('CISCO-MOBILE-IP-MIB', 'cmiHaInitRegRequestsDiscarded'), ('CISCO-MOBILE-IP-MIB', 'cmiHaReRegRequestsReceived'), ('CISCO-MOBILE-IP-MIB', 'cmiHaReRegRequestsAccepted'), ('CISCO-MOBILE-IP-MIB', 'cmiHaReRegRequestsDenied'), ('CISCO-MOBILE-IP-MIB', 'cmiHaReRegRequestsDiscarded'), ('CISCO-MOBILE-IP-MIB', 'cmiHaDeRegRequestsReceived'), ('CISCO-MOBILE-IP-MIB', 'cmiHaDeRegRequestsAccepted'), ('CISCO-MOBILE-IP-MIB', 'cmiHaDeRegRequestsDenied'), ('CISCO-MOBILE-IP-MIB', 'cmiHaDeRegRequestsDiscarded'), ('CISCO-MOBILE-IP-MIB', 'cmiHaReverseTunnelUnavailable'), ('CISCO-MOBILE-IP-MIB', 'cmiHaReverseTunnelBitNotSet'), ('CISCO-MOBILE-IP-MIB', 'cmiHaEncapsulationUnavailable'), ('CISCO-MOBILE-IP-MIB', 'cmiHaCvsesFromMnRejected'), ('CISCO-MOBILE-IP-MIB', 'cmiHaCvsesFromFaRejected'), ('CISCO-MOBILE-IP-MIB', 'cmiHaNvsesFromMnNeglected'), ('CISCO-MOBILE-IP-MIB', 'cmiHaNvsesFromFaNeglected')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_ha_reg_group_v12_r03r1 = ciscoMobileIpHaRegGroupV12R03r1.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpHaRegGroupV12R03r1.setDescription('A collection of objects providing management information for the registration function within a home agent.') cisco_mobile_ip_fa_advertisement_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 13)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiFaAdvertIsBusy'), ('CISCO-MOBILE-IP-MIB', 'cmiFaAdvertRegRequired'), ('CISCO-MOBILE-IP-MIB', 'cmiFaAdvertChallengeWindow'), ('CISCO-MOBILE-IP-MIB', 'cmiFaAdvertChallengeValue')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_fa_advertisement_group = ciscoMobileIpFaAdvertisementGroup.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpFaAdvertisementGroup.setDescription('A collection of objects providing supplemental management information for the Agent Advertisement function within a foreign agent.') cisco_mobile_ip_fa_system_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 14)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiFaRevTunnelSupported'), ('CISCO-MOBILE-IP-MIB', 'cmiFaChallengeSupported'), ('CISCO-MOBILE-IP-MIB', 'cmiFaEncapDeliveryStyleSupported'), ('CISCO-MOBILE-IP-MIB', 'cmiFaReverseTunnelEnable'), ('CISCO-MOBILE-IP-MIB', 'cmiFaChallengeEnable'), ('CISCO-MOBILE-IP-MIB', 'cmiFaAdvertChallengeChapSPI'), ('CISCO-MOBILE-IP-MIB', 'cmiFaCoaInterfaceOnly'), ('CISCO-MOBILE-IP-MIB', 'cmiFaCoaTransmitOnly'), ('CISCO-MOBILE-IP-MIB', 'cmiFaCoaRegAsymLink')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_fa_system_group = ciscoMobileIpFaSystemGroup.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpFaSystemGroup.setDescription('A collection of objects providing the supporting/ enabled feature information within a foreign agent.') cisco_mobile_ip_mn_discovery_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 15)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiMnAdvFlags')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_mn_discovery_group = ciscoMobileIpMnDiscoveryGroup.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpMnDiscoveryGroup.setDescription('Group which supports the recently changed Adv Flag') cisco_mobile_ip_mn_registration_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 16)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiMnRegFlags')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_mn_registration_group = ciscoMobileIpMnRegistrationGroup.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpMnRegistrationGroup.setDescription('Group having information about Mn registration') cisco_mobile_ip_ha_mob_net_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 17)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiHaMrDynamic'), ('CISCO-MOBILE-IP-MIB', 'cmiHaMrStatus'), ('CISCO-MOBILE-IP-MIB', 'cmiHaMobNetDynamic'), ('CISCO-MOBILE-IP-MIB', 'cmiHaMobNetStatus')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_ha_mob_net_group = ciscoMobileIpHaMobNetGroup.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpHaMobNetGroup.setDescription('A collection of objects providing the management information related to mobile networks in a home agent.') cisco_mobile_ip_mr_system_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 18)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiMrReverseTunnel'), ('CISCO-MOBILE-IP-MIB', 'cmiMrRedundancyGroup'), ('CISCO-MOBILE-IP-MIB', 'cmiMrMobNetAddrType'), ('CISCO-MOBILE-IP-MIB', 'cmiMrMobNetAddr'), ('CISCO-MOBILE-IP-MIB', 'cmiMrMobNetPfxLen'), ('CISCO-MOBILE-IP-MIB', 'cmiMrMobNetStatus'), ('CISCO-MOBILE-IP-MIB', 'cmiMrHaTunnelIfIndex'), ('CISCO-MOBILE-IP-MIB', 'cmiMrHAPriority'), ('CISCO-MOBILE-IP-MIB', 'cmiMrHABest'), ('CISCO-MOBILE-IP-MIB', 'cmiMRIfDescription'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfHoldDown'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfRoamPriority'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfSolicitPeriodic'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfSolicitInterval'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfSolicitRetransInitial'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfSolicitRetransMax'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfSolicitRetransLimit'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfSolicitRetransCurrent'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfSolicitRetransRemaining'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfSolicitRetransCount'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfCCoaAddressType'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfCCoaAddress'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfCCoaDefaultGwType'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfCCoaDefaultGw'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfCCoaRegRetry'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfCCoaRegRetryRemaining'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfStatus'), ('CISCO-MOBILE-IP-MIB', 'cmiMrBetterIfDetected'), ('CISCO-MOBILE-IP-MIB', 'cmiMrTunnelPktsRcvd'), ('CISCO-MOBILE-IP-MIB', 'cmiMrTunnelPktsSent'), ('CISCO-MOBILE-IP-MIB', 'cmiMrTunnelBytesRcvd'), ('CISCO-MOBILE-IP-MIB', 'cmiMrTunnelBytesSent'), ('CISCO-MOBILE-IP-MIB', 'cmiMrRedStateActive'), ('CISCO-MOBILE-IP-MIB', 'cmiMrRedStatePassive')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_mr_system_group = ciscoMobileIpMrSystemGroup.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpMrSystemGroup.setDescription('A collection of objects providing the management information in a mobile router.') cisco_mobile_ip_mr_discovery_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 19)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiMrMaIsHa'), ('CISCO-MOBILE-IP-MIB', 'cmiMrMaAdvRcvIf'), ('CISCO-MOBILE-IP-MIB', 'cmiMrMaIfMacAddress'), ('CISCO-MOBILE-IP-MIB', 'cmiMrMaAdvSequence'), ('CISCO-MOBILE-IP-MIB', 'cmiMrMaAdvFlags'), ('CISCO-MOBILE-IP-MIB', 'cmiMrMaAdvMaxRegLifetime'), ('CISCO-MOBILE-IP-MIB', 'cmiMrMaAdvMaxLifetime'), ('CISCO-MOBILE-IP-MIB', 'cmiMrMaAdvLifetimeRemaining'), ('CISCO-MOBILE-IP-MIB', 'cmiMrMaAdvTimeReceived'), ('CISCO-MOBILE-IP-MIB', 'cmiMrMaAdvTimeFirstHeard'), ('CISCO-MOBILE-IP-MIB', 'cmiMrMaHoldDownRemaining')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_mr_discovery_group = ciscoMobileIpMrDiscoveryGroup.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpMrDiscoveryGroup.setDescription('A collection of objects providing the management information for the agent discovery function in a mobile router.') cisco_mobile_ip_mr_registration_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 20)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiMrRegExtendExpire'), ('CISCO-MOBILE-IP-MIB', 'cmiMrRegExtendRetry'), ('CISCO-MOBILE-IP-MIB', 'cmiMrRegExtendInterval'), ('CISCO-MOBILE-IP-MIB', 'cmiMrRegLifetime'), ('CISCO-MOBILE-IP-MIB', 'cmiMrRegRetransInitial'), ('CISCO-MOBILE-IP-MIB', 'cmiMrRegRetransMax'), ('CISCO-MOBILE-IP-MIB', 'cmiMrRegRetransLimit'), ('CISCO-MOBILE-IP-MIB', 'cmiMrRegNewHa')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_mr_registration_group = ciscoMobileIpMrRegistrationGroup.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpMrRegistrationGroup.setDescription('A collection of objects providing the management information for the registration function within a mobile router.') cisco_mobile_ip_trap_objects_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 21)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiTrapControl')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_trap_objects_group = ciscoMobileIpTrapObjectsGroup.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpTrapObjectsGroup.setDescription('A collection of objects providing the management information related to notifications in Mobile IP entities.') cisco_mobile_ip_mr_notification_group = notification_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 22)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiMrStateChange'), ('CISCO-MOBILE-IP-MIB', 'cmiMrCoaChange'), ('CISCO-MOBILE-IP-MIB', 'cmiMrNewMA')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_mr_notification_group = ciscoMobileIpMrNotificationGroup.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpMrNotificationGroup.setDescription('Group of notifications on a Mobile Router.') cisco_mobile_ip_sec_assoc_group_v12_r02 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 23)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiSecAssocsCount'), ('CISCO-MOBILE-IP-MIB', 'cmiSecAlgorithmType'), ('CISCO-MOBILE-IP-MIB', 'cmiSecAlgorithmMode'), ('CISCO-MOBILE-IP-MIB', 'cmiSecReplayMethod'), ('CISCO-MOBILE-IP-MIB', 'cmiSecStatus'), ('CISCO-MOBILE-IP-MIB', 'cmiSecKey2')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_sec_assoc_group_v12_r02 = ciscoMobileIpSecAssocGroupV12R02.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpSecAssocGroupV12R02.setDescription('A collection of objects providing the management information for security associations of Mobile IP entities.') cmi_ma_advertisement_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 24)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiMaInterfaceAddressType'), ('CISCO-MOBILE-IP-MIB', 'cmiMaInterfaceAddress'), ('CISCO-MOBILE-IP-MIB', 'cmiMaAdvMaxRegLifetime'), ('CISCO-MOBILE-IP-MIB', 'cmiMaAdvPrefixLengthInclusion'), ('CISCO-MOBILE-IP-MIB', 'cmiMaAdvAddress'), ('CISCO-MOBILE-IP-MIB', 'cmiMaAdvAddressType'), ('CISCO-MOBILE-IP-MIB', 'cmiMaAdvMaxInterval'), ('CISCO-MOBILE-IP-MIB', 'cmiMaAdvMinInterval'), ('CISCO-MOBILE-IP-MIB', 'cmiMaAdvMaxAdvLifetime'), ('CISCO-MOBILE-IP-MIB', 'cmiMaAdvResponseSolicitationOnly'), ('CISCO-MOBILE-IP-MIB', 'cmiMaAdvStatus')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cmi_ma_advertisement_group = cmiMaAdvertisementGroup.setStatus('current') if mibBuilder.loadTexts: cmiMaAdvertisementGroup.setDescription('A collection of objects providing management information for the Agent Advertisement function within mobility agents.') cisco_mobile_ip_mr_system_group_v1 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 25)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiMrReverseTunnel'), ('CISCO-MOBILE-IP-MIB', 'cmiMrRedundancyGroup'), ('CISCO-MOBILE-IP-MIB', 'cmiMrMobNetAddrType'), ('CISCO-MOBILE-IP-MIB', 'cmiMrMobNetAddr'), ('CISCO-MOBILE-IP-MIB', 'cmiMrMobNetPfxLen'), ('CISCO-MOBILE-IP-MIB', 'cmiMrMobNetStatus'), ('CISCO-MOBILE-IP-MIB', 'cmiMrHaTunnelIfIndex'), ('CISCO-MOBILE-IP-MIB', 'cmiMrHAPriority'), ('CISCO-MOBILE-IP-MIB', 'cmiMrHABest'), ('CISCO-MOBILE-IP-MIB', 'cmiMRIfDescription'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfHoldDown'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfRoamPriority'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfSolicitPeriodic'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfSolicitInterval'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfSolicitRetransInitial'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfSolicitRetransMax'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfSolicitRetransLimit'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfSolicitRetransCurrent'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfSolicitRetransRemaining'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfSolicitRetransCount'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfCCoaAddressType'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfCCoaAddress'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfCCoaDefaultGwType'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfCCoaDefaultGw'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfCCoaRegRetry'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfCCoaRegRetryRemaining'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfStatus'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfCCoaRegistration'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfCCoaOnly'), ('CISCO-MOBILE-IP-MIB', 'cmiMrBetterIfDetected'), ('CISCO-MOBILE-IP-MIB', 'cmiMrTunnelPktsRcvd'), ('CISCO-MOBILE-IP-MIB', 'cmiMrTunnelPktsSent'), ('CISCO-MOBILE-IP-MIB', 'cmiMrTunnelBytesRcvd'), ('CISCO-MOBILE-IP-MIB', 'cmiMrTunnelBytesSent'), ('CISCO-MOBILE-IP-MIB', 'cmiMrRedStateActive'), ('CISCO-MOBILE-IP-MIB', 'cmiMrRedStatePassive'), ('CISCO-MOBILE-IP-MIB', 'cmiMrCollocatedTunnel')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_mr_system_group_v1 = ciscoMobileIpMrSystemGroupV1.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpMrSystemGroupV1.setDescription('A collection of objects providing the management information in a mobile router.') cisco_mobile_ip_mr_system_group_v2 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 26)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiMrReverseTunnel'), ('CISCO-MOBILE-IP-MIB', 'cmiMrRedundancyGroup'), ('CISCO-MOBILE-IP-MIB', 'cmiMrMobNetAddrType'), ('CISCO-MOBILE-IP-MIB', 'cmiMrMobNetAddr'), ('CISCO-MOBILE-IP-MIB', 'cmiMrMobNetPfxLen'), ('CISCO-MOBILE-IP-MIB', 'cmiMrMobNetStatus'), ('CISCO-MOBILE-IP-MIB', 'cmiMrHaTunnelIfIndex'), ('CISCO-MOBILE-IP-MIB', 'cmiMrHAPriority'), ('CISCO-MOBILE-IP-MIB', 'cmiMrHABest'), ('CISCO-MOBILE-IP-MIB', 'cmiMRIfDescription'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfHoldDown'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfRoamPriority'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfSolicitPeriodic'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfSolicitInterval'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfSolicitRetransInitial'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfSolicitRetransMax'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfSolicitRetransLimit'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfSolicitRetransCurrent'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfSolicitRetransRemaining'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfSolicitRetransCount'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfCCoaAddressType'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfCCoaAddress'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfCCoaDefaultGwType'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfCCoaDefaultGw'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfCCoaRegRetry'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfCCoaRegRetryRemaining'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfStatus'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfCCoaRegistration'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfCCoaOnly'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfCCoaEnable'), ('CISCO-MOBILE-IP-MIB', 'cmiMrBetterIfDetected'), ('CISCO-MOBILE-IP-MIB', 'cmiMrTunnelPktsRcvd'), ('CISCO-MOBILE-IP-MIB', 'cmiMrTunnelPktsSent'), ('CISCO-MOBILE-IP-MIB', 'cmiMrTunnelBytesRcvd'), ('CISCO-MOBILE-IP-MIB', 'cmiMrTunnelBytesSent'), ('CISCO-MOBILE-IP-MIB', 'cmiMrRedStateActive'), ('CISCO-MOBILE-IP-MIB', 'cmiMrRedStatePassive'), ('CISCO-MOBILE-IP-MIB', 'cmiMrCollocatedTunnel')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_mr_system_group_v2 = ciscoMobileIpMrSystemGroupV2.setStatus('deprecated') if mibBuilder.loadTexts: ciscoMobileIpMrSystemGroupV2.setDescription('A collection of objects providing the management information in a mobile router.') cisco_mobile_ip_fa_reg_group_v12_r03r2 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 27)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiFaRegTotalVisitors'), ('CISCO-MOBILE-IP-MIB', 'cmiFaRegVisitorHomeAddress'), ('CISCO-MOBILE-IP-MIB', 'cmiFaRegVisitorHomeAgentAddress'), ('CISCO-MOBILE-IP-MIB', 'cmiFaRegVisitorTimeGranted'), ('CISCO-MOBILE-IP-MIB', 'cmiFaRegVisitorTimeRemaining'), ('CISCO-MOBILE-IP-MIB', 'cmiFaRegVisitorRegIDLow'), ('CISCO-MOBILE-IP-MIB', 'cmiFaRegVisitorRegIDHigh'), ('CISCO-MOBILE-IP-MIB', 'cmiFaRegVisitorRegIsAccepted'), ('CISCO-MOBILE-IP-MIB', 'cmiFaRegVisitorRegFlagsRev1'), ('CISCO-MOBILE-IP-MIB', 'cmiFaRegVisitorChallengeValue'), ('CISCO-MOBILE-IP-MIB', 'cmiFaInitRegRequestsReceived'), ('CISCO-MOBILE-IP-MIB', 'cmiFaInitRegRequestsDiscarded'), ('CISCO-MOBILE-IP-MIB', 'cmiFaInitRegRequestsRelayed'), ('CISCO-MOBILE-IP-MIB', 'cmiFaInitRegRequestsDenied'), ('CISCO-MOBILE-IP-MIB', 'cmiFaInitRegRepliesValidFromHA'), ('CISCO-MOBILE-IP-MIB', 'cmiFaInitRegRepliesValidRelayMN'), ('CISCO-MOBILE-IP-MIB', 'cmiFaReRegRequestsReceived'), ('CISCO-MOBILE-IP-MIB', 'cmiFaReRegRequestsDiscarded'), ('CISCO-MOBILE-IP-MIB', 'cmiFaReRegRequestsRelayed'), ('CISCO-MOBILE-IP-MIB', 'cmiFaReRegRequestsDenied'), ('CISCO-MOBILE-IP-MIB', 'cmiFaReRegRepliesValidFromHA'), ('CISCO-MOBILE-IP-MIB', 'cmiFaReRegRepliesValidRelayToMN'), ('CISCO-MOBILE-IP-MIB', 'cmiFaDeRegRequestsReceived'), ('CISCO-MOBILE-IP-MIB', 'cmiFaDeRegRequestsDiscarded'), ('CISCO-MOBILE-IP-MIB', 'cmiFaDeRegRequestsRelayed'), ('CISCO-MOBILE-IP-MIB', 'cmiFaDeRegRequestsDenied'), ('CISCO-MOBILE-IP-MIB', 'cmiFaDeRegRepliesValidFromHA'), ('CISCO-MOBILE-IP-MIB', 'cmiFaDeRegRepliesValidRelayToMN'), ('CISCO-MOBILE-IP-MIB', 'cmiFaReverseTunnelUnavailable'), ('CISCO-MOBILE-IP-MIB', 'cmiFaReverseTunnelBitNotSet'), ('CISCO-MOBILE-IP-MIB', 'cmiFaMnTooDistant'), ('CISCO-MOBILE-IP-MIB', 'cmiFaDeliveryStyleUnsupported'), ('CISCO-MOBILE-IP-MIB', 'cmiFaUnknownChallenge'), ('CISCO-MOBILE-IP-MIB', 'cmiFaMissingChallenge'), ('CISCO-MOBILE-IP-MIB', 'cmiFaStaleChallenge'), ('CISCO-MOBILE-IP-MIB', 'cmiFaCvsesFromMnRejected'), ('CISCO-MOBILE-IP-MIB', 'cmiFaCvsesFromHaRejected'), ('CISCO-MOBILE-IP-MIB', 'cmiFaNvsesFromMnNeglected'), ('CISCO-MOBILE-IP-MIB', 'cmiFaNvsesFromHaNeglected'), ('CISCO-MOBILE-IP-MIB', 'cmiFaTotalRegRequests'), ('CISCO-MOBILE-IP-MIB', 'cmiFaTotalRegReplies'), ('CISCO-MOBILE-IP-MIB', 'cmiFaMnFaAuthFailures'), ('CISCO-MOBILE-IP-MIB', 'cmiFaMnAAAAuthFailures')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_fa_reg_group_v12_r03r2 = ciscoMobileIpFaRegGroupV12R03r2.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpFaRegGroupV12R03r2.setDescription('A collection of objects providing management information for the registration function within a foreign agent.') cisco_mobile_ip_ha_reg_group_v12_r03r2 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 28)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiHaRegTotalMobilityBindings'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegMnIdentifierType'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegMnIdentifier'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegMobilityBindingRegFlags'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegServAcceptedRequests'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegServDeniedRequests'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegOverallServTime'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegRecentServAcceptedTime'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegRecentServDeniedTime'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegRecentServDeniedCode'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegTotalProcLocRegs'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegMaxProcLocInMinRegs'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegDateMaxRegsProcLoc'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegProcLocInLastMinRegs'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegTotalProcByAAARegs'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegMaxProcByAAAInMinRegs'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegDateMaxRegsProcByAAA'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegProcAAAInLastByMinRegs'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegAvgTimeRegsProcByAAA'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegMaxTimeRegsProcByAAA'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegRequestsReceived'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegRequestsDenied'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegRequestsDiscarded'), ('CISCO-MOBILE-IP-MIB', 'cmiHaEncapUnavailable'), ('CISCO-MOBILE-IP-MIB', 'cmiHaNAICheckFailures'), ('CISCO-MOBILE-IP-MIB', 'cmiHaInitRegRequestsReceived'), ('CISCO-MOBILE-IP-MIB', 'cmiHaInitRegRequestsAccepted'), ('CISCO-MOBILE-IP-MIB', 'cmiHaInitRegRequestsDenied'), ('CISCO-MOBILE-IP-MIB', 'cmiHaInitRegRequestsDiscarded'), ('CISCO-MOBILE-IP-MIB', 'cmiHaReRegRequestsReceived'), ('CISCO-MOBILE-IP-MIB', 'cmiHaReRegRequestsAccepted'), ('CISCO-MOBILE-IP-MIB', 'cmiHaReRegRequestsDenied'), ('CISCO-MOBILE-IP-MIB', 'cmiHaReRegRequestsDiscarded'), ('CISCO-MOBILE-IP-MIB', 'cmiHaDeRegRequestsReceived'), ('CISCO-MOBILE-IP-MIB', 'cmiHaDeRegRequestsAccepted'), ('CISCO-MOBILE-IP-MIB', 'cmiHaDeRegRequestsDenied'), ('CISCO-MOBILE-IP-MIB', 'cmiHaDeRegRequestsDiscarded'), ('CISCO-MOBILE-IP-MIB', 'cmiHaReverseTunnelUnavailable'), ('CISCO-MOBILE-IP-MIB', 'cmiHaReverseTunnelBitNotSet'), ('CISCO-MOBILE-IP-MIB', 'cmiHaEncapsulationUnavailable'), ('CISCO-MOBILE-IP-MIB', 'cmiHaCvsesFromMnRejected'), ('CISCO-MOBILE-IP-MIB', 'cmiHaCvsesFromFaRejected'), ('CISCO-MOBILE-IP-MIB', 'cmiHaNvsesFromMnNeglected'), ('CISCO-MOBILE-IP-MIB', 'cmiHaNvsesFromFaNeglected'), ('CISCO-MOBILE-IP-MIB', 'cmiHaMnHaAuthFailures'), ('CISCO-MOBILE-IP-MIB', 'cmiHaMnAAAAuthFailures')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_ha_reg_group_v12_r03r2 = ciscoMobileIpHaRegGroupV12R03r2.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpHaRegGroupV12R03r2.setDescription('A collection of objects providing management information for the registration function within a home agent.') cisco_mobile_ip_trap_objects_group_v2 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 29)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiTrapControl'), ('CISCO-MOBILE-IP-MIB', 'cmiNtRegCOA'), ('CISCO-MOBILE-IP-MIB', 'cmiNtRegCOAType'), ('CISCO-MOBILE-IP-MIB', 'cmiNtRegHAAddrType'), ('CISCO-MOBILE-IP-MIB', 'cmiNtRegHomeAgent'), ('CISCO-MOBILE-IP-MIB', 'cmiNtRegHomeAddressType'), ('CISCO-MOBILE-IP-MIB', 'cmiNtRegHomeAddress'), ('CISCO-MOBILE-IP-MIB', 'cmiNtRegNAI'), ('CISCO-MOBILE-IP-MIB', 'cmiNtRegDeniedCode')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_trap_objects_group_v2 = ciscoMobileIpTrapObjectsGroupV2.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpTrapObjectsGroupV2.setDescription('A collection of objects providing the management information related to notifications in Mobile IP entities.') cisco_mobile_ip_mr_notification_group_v2 = notification_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 30)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiMrStateChange'), ('CISCO-MOBILE-IP-MIB', 'cmiMrCoaChange'), ('CISCO-MOBILE-IP-MIB', 'cmiMrNewMA'), ('CISCO-MOBILE-IP-MIB', 'cmiHaMnRegReqFailed')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_mr_notification_group_v2 = ciscoMobileIpMrNotificationGroupV2.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpMrNotificationGroupV2.setDescription('Group of notifications on a Mobile Router.') cisco_mobile_ip_mr_system_group_v3 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 31)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiMrReverseTunnel'), ('CISCO-MOBILE-IP-MIB', 'cmiMrRedundancyGroup'), ('CISCO-MOBILE-IP-MIB', 'cmiMrMobNetAddrType'), ('CISCO-MOBILE-IP-MIB', 'cmiMrMobNetAddr'), ('CISCO-MOBILE-IP-MIB', 'cmiMrMobNetPfxLen'), ('CISCO-MOBILE-IP-MIB', 'cmiMrMobNetStatus'), ('CISCO-MOBILE-IP-MIB', 'cmiMrHaTunnelIfIndex'), ('CISCO-MOBILE-IP-MIB', 'cmiMrHAPriority'), ('CISCO-MOBILE-IP-MIB', 'cmiMrHABest'), ('CISCO-MOBILE-IP-MIB', 'cmiMRIfDescription'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfHoldDown'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfRoamPriority'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfSolicitPeriodic'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfSolicitInterval'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfSolicitRetransInitial'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfSolicitRetransMax'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfSolicitRetransLimit'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfSolicitRetransCurrent'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfSolicitRetransRemaining'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfSolicitRetransCount'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfCCoaAddressType'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfCCoaAddress'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfCCoaDefaultGwType'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfCCoaDefaultGw'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfCCoaRegRetry'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfCCoaRegRetryRemaining'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfStatus'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfCCoaRegistration'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfCCoaOnly'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfCCoaEnable'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfRoamStatus'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfRegisteredCoAType'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfRegisteredCoA'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfRegisteredMaAddrType'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfRegisteredMaAddr'), ('CISCO-MOBILE-IP-MIB', 'cmiMrBetterIfDetected'), ('CISCO-MOBILE-IP-MIB', 'cmiMrTunnelPktsRcvd'), ('CISCO-MOBILE-IP-MIB', 'cmiMrTunnelPktsSent'), ('CISCO-MOBILE-IP-MIB', 'cmiMrTunnelBytesRcvd'), ('CISCO-MOBILE-IP-MIB', 'cmiMrTunnelBytesSent'), ('CISCO-MOBILE-IP-MIB', 'cmiMrRedStateActive'), ('CISCO-MOBILE-IP-MIB', 'cmiMrRedStatePassive'), ('CISCO-MOBILE-IP-MIB', 'cmiMrCollocatedTunnel')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_mr_system_group_v3 = ciscoMobileIpMrSystemGroupV3.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpMrSystemGroupV3.setDescription('A collection of objects providing the management information in a mobile router.') cisco_mobile_ip_ha_reg_group_v12_r03r2_sup1 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 32)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiHaRegMnIfDescription'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegMnIfBandwidth'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegMnIfID'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegMnIfPathMetricType')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_ha_reg_group_v12_r03r2_sup1 = ciscoMobileIpHaRegGroupV12R03r2Sup1.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpHaRegGroupV12R03r2Sup1.setDescription('Additional objects for providing management information for the registration function within a home agent.') cisco_mobile_ip_ha_mob_net_group_sup1 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 33)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiHaMrMultiPath'), ('CISCO-MOBILE-IP-MIB', 'cmiHaMrMultiPathMetricType')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_ha_mob_net_group_sup1 = ciscoMobileIpHaMobNetGroupSup1.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpHaMobNetGroupSup1.setDescription('Additional objects providing the management information related to mobile networks in a home agent.') cisco_mobile_ip_mr_system_group_v3_sup1 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 34)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiMrIfHaTunnelIfIndex'), ('CISCO-MOBILE-IP-MIB', 'cmiMrIfID'), ('CISCO-MOBILE-IP-MIB', 'cmiMrMultiPath'), ('CISCO-MOBILE-IP-MIB', 'cmiMrMultiPathMetricType')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_mr_system_group_v3_sup1 = ciscoMobileIpMrSystemGroupV3Sup1.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpMrSystemGroupV3Sup1.setDescription('Additional objects providing the management information in a mobile router specific to multiple tunnels feature.') cisco_mobile_ip_ha_reg_group_v12_r03r2_sup2 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 35)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiHaRegMobilityBindingMacAddress')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_ha_reg_group_v12_r03r2_sup2 = ciscoMobileIpHaRegGroupV12R03r2Sup2.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpHaRegGroupV12R03r2Sup2.setDescription('Additional objects for providing management information for the registration function within a home agent.') cisco_mobile_ip_ha_system_group_v1 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 36)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiHaSystemVersion')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_ha_system_group_v1 = ciscoMobileIpHaSystemGroupV1.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpHaSystemGroupV1.setDescription('A collection of objects providing the management information in a home agent.') cisco_mobile_ip_mr_notification_group_v3 = notification_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 37)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiHaMaxBindingsNotif')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_mr_notification_group_v3 = ciscoMobileIpMrNotificationGroupV3.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpMrNotificationGroupV3.setDescription('This group supplements ciscoMobileIpMrNotificationGroupV2 with the Object cmiHaMaxBindingsNotif.') cisco_mobile_ip_ha_reg_group_v1 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 38)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiHaMaximumBindings')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_ha_reg_group_v1 = ciscoMobileIpHaRegGroupV1.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpHaRegGroupV1.setDescription('This group supplements ciscoMobileIpHaRegGroupV13R03r2 to provide the Object to configure the bindings on the home agent.') cisco_mobile_ip_ha_reg_interval_stats_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 39)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiHaRegIntervalSize'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegIntervalMaxActiveBindings'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegInterval3gpp2MaxActiveBindings'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegIntervalWimaxMaxActiveBindings')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_ha_reg_interval_stats_group = ciscoMobileIpHaRegIntervalStatsGroup.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpHaRegIntervalStatsGroup.setDescription('This collection of objects provide the management information related to the active bindings on the Home Agent.') cisco_mobile_ip_ha_reg_tunnel_stats_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 174, 3, 2, 40)).setObjects(('CISCO-MOBILE-IP-MIB', 'cmiHaRegTunnelStatsTunnelType'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegTunnelStatsNumUsers'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegTunnelStatsDataRateInt'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegTunnelStatsInBitRate'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegTunnelStatsInPktRate'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegTunnelStatsInBytes'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegTunnelStatsInPkts'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegTunnelStatsOutBitRate'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegTunnelStatsOutPktRate'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegTunnelStatsOutBytes'), ('CISCO-MOBILE-IP-MIB', 'cmiHaRegTunnelStatsOutPkts')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_mobile_ip_ha_reg_tunnel_stats_group = ciscoMobileIpHaRegTunnelStatsGroup.setStatus('current') if mibBuilder.loadTexts: ciscoMobileIpHaRegTunnelStatsGroup.setDescription('This collection of objects provide the statistics of all the active tunnels between HA and CoA.') mibBuilder.exportSymbols('CISCO-MOBILE-IP-MIB', ciscoMobileIpFaRegGroupV12R03=ciscoMobileIpFaRegGroupV12R03, cmiHaRegMaxProcLocInMinRegs=cmiHaRegMaxProcLocInMinRegs, cmiFaAdvertChallengeWindow=cmiFaAdvertChallengeWindow, cmiFaRegVisitorHomeAddress=cmiFaRegVisitorHomeAddress, cmiMnRegistrationTable=cmiMnRegistrationTable, cmiMrIfCCoaRegRetry=cmiMrIfCCoaRegRetry, cmiHaRegIntervalMaxActiveBindings=cmiHaRegIntervalMaxActiveBindings, cmiMrMaAdvFlags=cmiMrMaAdvFlags, cmiSecViolatorIdentifier=cmiSecViolatorIdentifier, cmiMrIfEntry=cmiMrIfEntry, ciscoMobileIpSecAssocGroup=ciscoMobileIpSecAssocGroup, cmiHaRegRequestsDenied=cmiHaRegRequestsDenied, cmiMrIfRegisteredMaAddr=cmiMrIfRegisteredMaAddr, cmiHaRedunDroppedBIReps=cmiHaRedunDroppedBIReps, cmiMrMobNetPfxLen=cmiMrMobNetPfxLen, cmiHaRedunSentBIReqs=cmiHaRedunSentBIReqs, cmiFaEncapDeliveryStyleSupported=cmiFaEncapDeliveryStyleSupported, ciscoMobileIpMrNotificationGroupV3=ciscoMobileIpMrNotificationGroupV3, ciscoMobileIpFaRegGroupV12R03r2=ciscoMobileIpFaRegGroupV12R03r2, cmiHaReRegRequestsDiscarded=cmiHaReRegRequestsDiscarded, cmiHaRedunSentBIAcks=cmiHaRedunSentBIAcks, cmiHaRegMnIfBandwidth=cmiHaRegMnIfBandwidth, cmiHaRegMobilityBindingMacAddress=cmiHaRegMobilityBindingMacAddress, cmiHaRegTunnelStatsInBitRate=cmiHaRegTunnelStatsInBitRate, cmiFaDeRegRequestsRelayed=cmiFaDeRegRequestsRelayed, cmiHaMobNetAddress=cmiHaMobNetAddress, ciscoMobileIpMrSystemGroupV3Sup1=ciscoMobileIpMrSystemGroupV3Sup1, cmiHaRegTunnelStatsInBytes=cmiHaRegTunnelStatsInBytes, cmiHaRegProcLocInLastMinRegs=cmiHaRegProcLocInLastMinRegs, cmiMrSystem=cmiMrSystem, cmiHaRedun=cmiHaRedun, ciscoMobileIpMaRegGroup=ciscoMobileIpMaRegGroup, ciscoMobileIpSecAssocGroupV12R02=ciscoMobileIpSecAssocGroupV12R02, cmiMrIfID=cmiMrIfID, cmiFaMissingChallenge=cmiFaMissingChallenge, CmiRegistrationFlags=CmiRegistrationFlags, cmiMrRegNewHa=cmiMrRegNewHa, cmiMrIfCCoaEnable=cmiMrIfCCoaEnable, ciscoMobileIpFaSystemGroup=ciscoMobileIpFaSystemGroup, cmiFa=cmiFa, cmiHaRegTunnelStatsOutBytes=cmiHaRegTunnelStatsOutBytes, cmiMnRegistrationEntry=cmiMnRegistrationEntry, cmiMrMaAddressType=cmiMrMaAddressType, ciscoMobileIpTrapObjectsGroup=ciscoMobileIpTrapObjectsGroup, cmiTrapControl=cmiTrapControl, cmiHaMrStatus=cmiHaMrStatus, ciscoMobileIpComplianceV12R08=ciscoMobileIpComplianceV12R08, cmiHaInitRegRequestsAccepted=cmiHaInitRegRequestsAccepted, cmiHaRedunTotalSentBIReps=cmiHaRedunTotalSentBIReps, cmiFaDeRegRepliesValidRelayToMN=cmiFaDeRegRepliesValidRelayToMN, cmiFaRegVisitorTimeRemaining=cmiFaRegVisitorTimeRemaining, cmiMrRegistration=cmiMrRegistration, cmiHaRegRecentServDeniedTime=cmiHaRegRecentServDeniedTime, cmiMrIfCCoaRegRetryRemaining=cmiMrIfCCoaRegRetryRemaining, ciscoMobileIpMrRegistrationGroup=ciscoMobileIpMrRegistrationGroup, cmiMaAdvInterfaceIndex=cmiMaAdvInterfaceIndex, cmiHaSystemVersion=cmiHaSystemVersion, cmiFaAdvertConfTable=cmiFaAdvertConfTable, cmiHaRegIntervalSize=cmiHaRegIntervalSize, cmiHaRegMnIfDescription=cmiHaRegMnIfDescription, cmiSecTotalViolations=cmiSecTotalViolations, cmiHaRegMobilityBindingRegFlags=cmiHaRegMobilityBindingRegFlags, cmiFaInitRegRequestsDenied=cmiFaInitRegRequestsDenied, cmiHaDeRegRequestsAccepted=cmiHaDeRegRequestsAccepted, cmiFaDeliveryStyleUnsupported=cmiFaDeliveryStyleUnsupported, cmiHaRegTunnelStatsDestAddr=cmiHaRegTunnelStatsDestAddr, CmiEntityIdentifier=CmiEntityIdentifier, CmiSpi=CmiSpi, ciscoMobileIpCompliances=ciscoMobileIpCompliances, ciscoMobileIpComplianceV12R11=ciscoMobileIpComplianceV12R11, cmiMrIfSolicitRetransLimit=cmiMrIfSolicitRetransLimit, cmiFaReverseTunnelEnable=cmiFaReverseTunnelEnable, cmiFaRegVisitorTable=cmiFaRegVisitorTable, cmiHaMrDynamic=cmiHaMrDynamic, cmiHaMaxBindingsNotif=cmiHaMaxBindingsNotif, cmiHaRegTotalMobilityBindings=cmiHaRegTotalMobilityBindings, cmiFaInitRegRequestsReceived=cmiFaInitRegRequestsReceived, cmiMrMobNetIfIndex=cmiMrMobNetIfIndex, cmiFaAdvertIsBusy=cmiFaAdvertIsBusy, cmiFaReRegRequestsRelayed=cmiFaReRegRequestsRelayed, cmiMrRedundancyGroup=cmiMrRedundancyGroup, cmiHaDeRegRequestsReceived=cmiHaDeRegRequestsReceived, cmiFaRegTotalVisitors=cmiFaRegTotalVisitors, cmiHaRegRequestsReceived=cmiHaRegRequestsReceived, CmiTunnelType=CmiTunnelType, cmiHaRegAvgTimeRegsProcByAAA=cmiHaRegAvgTimeRegsProcByAAA, cmiFaRegVisitorRegIsAccepted=cmiFaRegVisitorRegIsAccepted, cmiFaCoaEntry=cmiFaCoaEntry, cmiMrHAEntry=cmiMrHAEntry, cmiFaCoaTransmitOnly=cmiFaCoaTransmitOnly, cmiMaInterfaceAddress=cmiMaInterfaceAddress, cmiHaRegCounterEntry=cmiHaRegCounterEntry, ciscoMobileIpFaRegGroupV12R03r1=ciscoMobileIpFaRegGroupV12R03r1, CmiEntityIdentifierType=CmiEntityIdentifierType, cmiHaRegTunnelStatsDataRateInt=cmiHaRegTunnelStatsDataRateInt, cmiMrIfCCoaAddress=cmiMrIfCCoaAddress, cmiHaRegServAcceptedRequests=cmiHaRegServAcceptedRequests, cmiMrHATable=cmiMrHATable, cmiHaSystem=cmiHaSystem, cmiFaTotalRegRequests=cmiFaTotalRegRequests, ciscoMobileIpMrDiscoveryGroup=ciscoMobileIpMrDiscoveryGroup, cmiMrTunnelBytesRcvd=cmiMrTunnelBytesRcvd, cmiMrTunnelBytesSent=cmiMrTunnelBytesSent, ciscoMobileIpComplianceV12R07=ciscoMobileIpComplianceV12R07, cmiFaInterfaceEntry=cmiFaInterfaceEntry, cmiSecViolatorIdentifierType=cmiSecViolatorIdentifierType, cmiHaReverseTunnelUnavailable=cmiHaReverseTunnelUnavailable, ciscoMobileIpComplianceV12R06=ciscoMobileIpComplianceV12R06, ciscoMobileIpGroups=ciscoMobileIpGroups, cmiFaRegVisitorRegIDLow=cmiFaRegVisitorRegIDLow, cmiHaRegTotalProcByAAARegs=cmiHaRegTotalProcByAAARegs, cmiMrMultiPathMetricType=cmiMrMultiPathMetricType, cmiFaReg=cmiFaReg, cmiHaReverseTunnelBitNotSet=cmiHaReverseTunnelBitNotSet, cmiHaMrAddrType=cmiHaMrAddrType, cmiMrMultiPath=cmiMrMultiPath, cmiHaRedunTotalSentBUs=cmiHaRedunTotalSentBUs, cmiHaMobNetPfxLen=cmiHaMobNetPfxLen, ciscoMobileIpHaRegGroupV1=ciscoMobileIpHaRegGroupV1, cmiMaAdvResponseSolicitationOnly=cmiMaAdvResponseSolicitationOnly, cmiHaRedunReceivedBUAcks=cmiHaRedunReceivedBUAcks, cmiMrMobNetTable=cmiMrMobNetTable, cmiMaAdvAddressType=cmiMaAdvAddressType, cmiMaAdvPrefixLengthInclusion=cmiMaAdvPrefixLengthInclusion, ciscoMobileIpFaRegGroupV12R02=ciscoMobileIpFaRegGroupV12R02, ciscoMobileIpMrNotificationGroup=ciscoMobileIpMrNotificationGroup, cmiHaRedunFailedBIReqs=cmiHaRedunFailedBIReqs, cmiFaNvsesFromMnNeglected=cmiFaNvsesFromMnNeglected, cmiMrRegExtendRetry=cmiMrRegExtendRetry, cmiHa=cmiHa, cmiSecSPI=cmiSecSPI, cmiMrRedStateActive=cmiMrRedStateActive, cmiFaAdvertChallengeValue=cmiFaAdvertChallengeValue, cmiFaReverseTunnelBitNotSet=cmiFaReverseTunnelBitNotSet, cmiFaAdvertChallengeEntry=cmiFaAdvertChallengeEntry, cmiFaAdvertChallengeIndex=cmiFaAdvertChallengeIndex, cmiHaMaximumBindings=cmiHaMaximumBindings, ciscoMobileIpComplianceV12R03r1=ciscoMobileIpComplianceV12R03r1, cmiFaInitRegRepliesValidRelayMN=cmiFaInitRegRepliesValidRelayMN, cmiFaNvsesFromHaNeglected=cmiFaNvsesFromHaNeglected, ciscoMobileIpHaMobNetGroup=ciscoMobileIpHaMobNetGroup, cmiFaMnAAAAuthFailures=cmiFaMnAAAAuthFailures, cmiHaRegMobilityBindingEntry=cmiHaRegMobilityBindingEntry, cmiFaReRegRepliesValidFromHA=cmiFaReRegRepliesValidFromHA, cmiMrCollocatedTunnel=cmiMrCollocatedTunnel, cmiMaRegMaxInMinuteRegs=cmiMaRegMaxInMinuteRegs, ciscoMobileIpHaRegIntervalStatsGroup=ciscoMobileIpHaRegIntervalStatsGroup, cmiMrIfCCoaAddressType=cmiMrIfCCoaAddressType, cmiMrIfRegisteredCoAType=cmiMrIfRegisteredCoAType, cmiMrRegRetransInitial=cmiMrRegRetransInitial, cmiMrIfCCoaOnly=cmiMrIfCCoaOnly, cmiFaRegVisitorHomeAgentAddress=cmiFaRegVisitorHomeAgentAddress, cmiHaMrEntry=cmiHaMrEntry, cmiMaAdvConfigEntry=cmiMaAdvConfigEntry, cmiMrMobNetStatus=cmiMrMobNetStatus, cmiFaMnTooDistant=cmiFaMnTooDistant, ciscoMobileIpComplianceV12R03=ciscoMobileIpComplianceV12R03, cmiMrIfSolicitPeriodic=cmiMrIfSolicitPeriodic, ciscoMobileIpMIBObjects=ciscoMobileIpMIBObjects, cmiHaRegMnIdentifier=cmiHaRegMnIdentifier, cmiMa=cmiMa, cmiSecRecentViolationIDHigh=cmiSecRecentViolationIDHigh, cmiHaRegRecentServAcceptedTime=cmiHaRegRecentServAcceptedTime, cmiMaAdvertisement=cmiMaAdvertisement, cmiNtRegCOA=cmiNtRegCOA, cmiFaReRegRequestsDenied=cmiFaReRegRequestsDenied, cmiSecRecentViolationTime=cmiSecRecentViolationTime, cmiHaDeRegRequestsDenied=cmiHaDeRegRequestsDenied, cmiNtRegCOAType=cmiNtRegCOAType, cmiSecViolationTable=cmiSecViolationTable, cmiMaAdvConfigTable=cmiMaAdvConfigTable, cmiHaRedunReceivedBIAcks=cmiHaRedunReceivedBIAcks, cmiFaRegVisitorIdentifier=cmiFaRegVisitorIdentifier, cmiHaNvsesFromFaNeglected=cmiHaNvsesFromFaNeglected, cmiMrIfSolicitRetransInitial=cmiMrIfSolicitRetransInitial, cmiSecAssocTable=cmiSecAssocTable, cmiMrMaAdvEntry=cmiMrMaAdvEntry, cmiHaRegIntervalWimaxMaxActiveBindings=cmiHaRegIntervalWimaxMaxActiveBindings, cmiMrIfIndex=cmiMrIfIndex, cmiMrIfSolicitRetransMax=cmiMrIfSolicitRetransMax, cmiFaRevTunnelSupported=cmiFaRevTunnelSupported, cmiHaRegMnIfPathMetricType=cmiHaRegMnIfPathMetricType, cmiNtRegHomeAgent=cmiNtRegHomeAgent, cmiMrMobNetEntry=cmiMrMobNetEntry, cmiFaInitRegRequestsDiscarded=cmiFaInitRegRequestsDiscarded, cmiFaInitRegRepliesValidFromHA=cmiFaInitRegRepliesValidFromHA, cmiHaRedunFailedBUs=cmiHaRedunFailedBUs, cmiMn=cmiMn, cmiHaRegInterval3gpp2MaxActiveBindings=cmiHaRegInterval3gpp2MaxActiveBindings, cmiHaRegOverallServTime=cmiHaRegOverallServTime, cmiMrMaAdvRcvIf=cmiMrMaAdvRcvIf, ciscoMobileIpFaAdvertisementGroup=ciscoMobileIpFaAdvertisementGroup, cmiSecPeerIdentifier=cmiSecPeerIdentifier, cmiHaReRegRequestsAccepted=cmiHaReRegRequestsAccepted, cmiHaMrMultiPathMetricType=cmiHaMrMultiPathMetricType, cmiHaRegMaxProcByAAAInMinRegs=cmiHaRegMaxProcByAAAInMinRegs, cmiFaStaleChallenge=cmiFaStaleChallenge, cmiMRIfDescription=cmiMRIfDescription, cmiHaReRegRequestsDenied=cmiHaReRegRequestsDenied, cmiMrStateChange=cmiMrStateChange, cmiHaRegProcAAAInLastByMinRegs=cmiHaRegProcAAAInLastByMinRegs, cmiSecAlgorithmType=cmiSecAlgorithmType, cmiMrMaAdvTimeFirstHeard=cmiMrMaAdvTimeFirstHeard, cmiFaRegVisitorRegIDHigh=cmiFaRegVisitorRegIDHigh, cmiFaUnknownChallenge=cmiFaUnknownChallenge, cmiNtRegHAAddrType=cmiNtRegHAAddrType, ciscoMobileIpMnDiscoveryGroup=ciscoMobileIpMnDiscoveryGroup, CmiMultiPathMetricType=CmiMultiPathMetricType, cmiSecAlgorithmMode=cmiSecAlgorithmMode, cmiHaRegMnIdType=cmiHaRegMnIdType, cmiHaRedunReceivedBIReps=cmiHaRedunReceivedBIReps, ciscoMobileIpComplianceV12R09=ciscoMobileIpComplianceV12R09, cmiHaRegTunnelStatsDestAddrType=cmiHaRegTunnelStatsDestAddrType, cmiMaAdvStatus=cmiMaAdvStatus, cmiSecStatus=cmiSecStatus, cmiMrMobNetAddr=cmiMrMobNetAddr, cmiSecViolationEntry=cmiSecViolationEntry, cmiFaInitRegRequestsRelayed=cmiFaInitRegRequestsRelayed, cmiMrRegExtendInterval=cmiMrRegExtendInterval, cmiHaRegRequestsDiscarded=cmiHaRegRequestsDiscarded, cmiMnAdvFlags=cmiMnAdvFlags, cmiHaMobNetTable=cmiHaMobNetTable, ciscoMobileIpMIBConformance=ciscoMobileIpMIBConformance, cmiHaMnAAAAuthFailures=cmiHaMnAAAAuthFailures, cmiMrRedStatePassive=cmiMrRedStatePassive, cmiSecAssocEntry=cmiSecAssocEntry, cmiMaAdvMaxAdvLifetime=cmiMaAdvMaxAdvLifetime, cmiMaAdvAddress=cmiMaAdvAddress, cmiSecurity=cmiSecurity, cmiHaRedunReceivedBIReqs=cmiHaRedunReceivedBIReqs, cmiMrMaAdvTimeReceived=cmiMrMaAdvTimeReceived, cmiSecKey2=cmiSecKey2, cmiMnRegistration=cmiMnRegistration, cmiHaMrTable=cmiHaMrTable, ciscoMobileIpHaMobNetGroupSup1=ciscoMobileIpHaMobNetGroupSup1, cmiHaRegDateMaxRegsProcByAAA=cmiHaRegDateMaxRegsProcByAAA, cmiFaChallengeSupported=cmiFaChallengeSupported, cmiHaMobNetDynamic=cmiHaMobNetDynamic, cmiHaNAICheckFailures=cmiHaNAICheckFailures, cmiMrIfSolicitRetransCount=cmiMrIfSolicitRetransCount, ciscoMobileIpSecViolationGroup=ciscoMobileIpSecViolationGroup, cmiHaCvsesFromMnRejected=cmiHaCvsesFromMnRejected, cmiMrIfStatus=cmiMrIfStatus, cmiMrIfRegisteredCoA=cmiMrIfRegisteredCoA, cmiMaInterfaceAddressType=cmiMaInterfaceAddressType, cmiFaRegVisitorRegFlagsRev1=cmiFaRegVisitorRegFlagsRev1, cmiMnRegFlags=cmiMnRegFlags, ciscoMobileIpComplianceV12R05=ciscoMobileIpComplianceV12R05, ciscoMobileIpHaRegGroupV12R03r1=ciscoMobileIpHaRegGroupV12R03r1, cmiMrMaAdvMaxLifetime=cmiMrMaAdvMaxLifetime, cmiFaSystem=cmiFaSystem, cmiMrRegRetransMax=cmiMrRegRetransMax, ciscoMobileIpMrNotificationGroupV2=ciscoMobileIpMrNotificationGroupV2, ciscoMobileIpHaRegGroupV12R03r2=ciscoMobileIpHaRegGroupV12R03r2) mibBuilder.exportSymbols('CISCO-MOBILE-IP-MIB', ciscoMobileIpHaRegGroupV12R03=ciscoMobileIpHaRegGroupV12R03, cmiMaReg=cmiMaReg, cmiMrMaAddress=cmiMrMaAddress, ciscoMobileIpComplianceV12R10=ciscoMobileIpComplianceV12R10, cmiMrTunnelPktsSent=cmiMrTunnelPktsSent, cmiHaRedunReceivedBUs=cmiHaRedunReceivedBUs, ciscoMobileIpHaRegTunnelStatsGroup=ciscoMobileIpHaRegTunnelStatsGroup, cmiHaRedunDroppedBIAcks=cmiHaRedunDroppedBIAcks, cmiHaRegTunnelStatsOutPkts=cmiHaRegTunnelStatsOutPkts, cmiHaMobNetStatus=cmiHaMobNetStatus, cmiNtRegHomeAddressType=cmiNtRegHomeAddressType, cmiNtRegNAI=cmiNtRegNAI, cmiHaRegDateMaxRegsProcLoc=cmiHaRegDateMaxRegsProcLoc, cmiMaAdvMinInterval=cmiMaAdvMinInterval, cmiHaInitRegRequestsReceived=cmiHaInitRegRequestsReceived, ciscoMobileIpFaRegGroup=ciscoMobileIpFaRegGroup, cmiHaRegMaxTimeRegsProcByAAA=cmiHaRegMaxTimeRegsProcByAAA, cmiHaMrMultiPath=cmiHaMrMultiPath, cmiMrIfTable=cmiMrIfTable, cmiFaCvsesFromHaRejected=cmiFaCvsesFromHaRejected, cmiFaCoaRegAsymLink=cmiFaCoaRegAsymLink, cmiFaRegVisitorTimeGranted=cmiFaRegVisitorTimeGranted, cmiSecRecentViolationReason=cmiSecRecentViolationReason, cmiFaChallengeEnable=cmiFaChallengeEnable, cmiNtRegDeniedCode=cmiNtRegDeniedCode, cmiMrCoaChange=cmiMrCoaChange, cmiHaRegMnIfID=cmiHaRegMnIfID, cmiFaCoaInterfaceOnly=cmiFaCoaInterfaceOnly, cmiHaMrAddr=cmiHaMrAddr, cmiFaAdvertChallengeChapSPI=cmiFaAdvertChallengeChapSPI, cmiFaRegVisitorRegFlags=cmiFaRegVisitorRegFlags, cmiMaAdvertisementGroup=cmiMaAdvertisementGroup, cmiMrMaAdvSequence=cmiMrMaAdvSequence, ciscoMobileIpMIBNotifications=ciscoMobileIpMIBNotifications, cmiSecRecentViolationIDLow=cmiSecRecentViolationIDLow, cmiHaRegTunnelStatsSrcAddr=cmiHaRegTunnelStatsSrcAddr, cmiHaReRegRequestsReceived=cmiHaReRegRequestsReceived, cmiHaRegMobilityBindingTable=cmiHaRegMobilityBindingTable, ciscoMobileIpMIB=ciscoMobileIpMIB, ciscoMobileIpMrSystemGroupV1=ciscoMobileIpMrSystemGroupV1, cmiHaCvsesFromFaRejected=cmiHaCvsesFromFaRejected, cmiHaRegTunnelStatsOutPktRate=cmiHaRegTunnelStatsOutPktRate, cmiFaAdvertisement=cmiFaAdvertisement, cmiMrIfRoamPriority=cmiMrIfRoamPriority, cmiFaDeRegRequestsReceived=cmiFaDeRegRequestsReceived, cmiMrIfCCoaDefaultGwType=cmiMrIfCCoaDefaultGwType, cmiHaDeRegRequestsDiscarded=cmiHaDeRegRequestsDiscarded, ciscoMobileIpComplianceRev1=ciscoMobileIpComplianceRev1, cmiMrMaAdvLifetimeRemaining=cmiMrMaAdvLifetimeRemaining, cmiHaMobNetEntry=cmiHaMobNetEntry, cmiMnRecentAdvReceived=cmiMnRecentAdvReceived, cmiHaRedunFailedBIReps=cmiHaRedunFailedBIReps, cmiHaRedunSentBIReps=cmiHaRedunSentBIReps, cmiMrHaTunnelIfIndex=cmiMrHaTunnelIfIndex, cmiHaRegTunnelStatsEntry=cmiHaRegTunnelStatsEntry, cmiHaMnHaAuthFailures=cmiHaMnHaAuthFailures, PYSNMP_MODULE_ID=ciscoMobileIpMIB, ciscoMobileIpMnRegistrationGroup=ciscoMobileIpMnRegistrationGroup, ciscoMobileIpHaRegGroupV12R03r2Sup1=ciscoMobileIpHaRegGroupV12R03r2Sup1, cmiMrBetterIfDetected=cmiMrBetterIfDetected, ciscoMobileIpComplianceV12R04=ciscoMobileIpComplianceV12R04, cmiMrMaAdvTable=cmiMrMaAdvTable, cmiHaRegTotalProcLocRegs=cmiHaRegTotalProcLocRegs, ciscoMobileIpMrSystemGroupV2=ciscoMobileIpMrSystemGroupV2, cmiFaAdvertConfEntry=cmiFaAdvertConfEntry, cmiHaMobNetAddressType=cmiHaMobNetAddressType, cmiSecReplayMethod=cmiSecReplayMethod, ciscoMobileIpComplianceV12R02=ciscoMobileIpComplianceV12R02, cmiHaRegCounterTable=cmiHaRegCounterTable, cmiSecAssocsCount=cmiSecAssocsCount, cmiMrRegRetransLimit=cmiMrRegRetransLimit, cmiHaReg=cmiHaReg, cmiMrTunnelPktsRcvd=cmiMrTunnelPktsRcvd, cmiFaReRegRequestsDiscarded=cmiFaReRegRequestsDiscarded, cmiMrReverseTunnel=cmiMrReverseTunnel, cmiHaInitRegRequestsDenied=cmiHaInitRegRequestsDenied, cmiHaRegServDeniedRequests=cmiHaRegServDeniedRequests, cmiMrMaIfMacAddress=cmiMrMaIfMacAddress, ciscoMobileIpHaRegGroup=ciscoMobileIpHaRegGroup, ciscoMobileIpMrSystemGroup=ciscoMobileIpMrSystemGroup, cmiFaCvsesFromMnRejected=cmiFaCvsesFromMnRejected, cmiHaRedunSentBUAcks=cmiHaRedunSentBUAcks, cmiFaDeRegRepliesValidFromHA=cmiFaDeRegRepliesValidFromHA, cmiHaRegTunnelStatsInPktRate=cmiHaRegTunnelStatsInPktRate, ciscoMobileIpMrSystemGroupV3=ciscoMobileIpMrSystemGroupV3, ciscoMobileIpHaRedunGroup=ciscoMobileIpHaRedunGroup, cmiMrRegExtendExpire=cmiMrRegExtendExpire, ciscoMobileIpComplianceRev2=ciscoMobileIpComplianceRev2, cmiFaRegVisitorChallengeValue=cmiFaRegVisitorChallengeValue, cmiMaRegInLastMinuteRegs=cmiMaRegInLastMinuteRegs, cmiNtRegHomeAddress=cmiNtRegHomeAddress, cmiHaRedunSentBUs=cmiHaRedunSentBUs, cmiSecRecentViolationSPI=cmiSecRecentViolationSPI, cmiFaRegVisitorIdentifierType=cmiFaRegVisitorIdentifierType, ciscoMobileIpHaRegGroupV12R02=ciscoMobileIpHaRegGroupV12R02, cmiFaReRegRepliesValidRelayToMN=cmiFaReRegRepliesValidRelayToMN, cmiMrMaAdvMaxRegLifetime=cmiMrMaAdvMaxRegLifetime, cmiFaReverseTunnelUnavailable=cmiFaReverseTunnelUnavailable, cmiHaRegTunnelStatsTable=cmiHaRegTunnelStatsTable, cmiMrIfCCoaRegistration=cmiMrIfCCoaRegistration, cmiHaRegMnId=cmiHaRegMnId, cmiFaAdvertRegRequired=cmiFaAdvertRegRequired, cmiHaRegTunnelStatsInPkts=cmiHaRegTunnelStatsInPkts, cmiHaRedunTotalSentBIReqs=cmiHaRedunTotalSentBIReqs, cmiHaMnRegReqFailed=cmiHaMnRegReqFailed, cmiHaEncapsulationUnavailable=cmiHaEncapsulationUnavailable, cmiMrHABest=cmiMrHABest, cmiMrIfCCoaDefaultGw=cmiMrIfCCoaDefaultGw, cmiHaNvsesFromMnNeglected=cmiHaNvsesFromMnNeglected, cmiHaRegTunnelStatsOutBitRate=cmiHaRegTunnelStatsOutBitRate, cmiHaRegMnIdentifierType=cmiHaRegMnIdentifierType, cmiHaEncapUnavailable=cmiHaEncapUnavailable, cmiMaAdvMaxRegLifetime=cmiMaAdvMaxRegLifetime, cmiHaRedunSecViolations=cmiHaRedunSecViolations, cmiFaRegVisitorEntry=cmiFaRegVisitorEntry, cmiHaInitRegRequestsDiscarded=cmiHaInitRegRequestsDiscarded, cmiFaDeRegRequestsDiscarded=cmiFaDeRegRequestsDiscarded, cmiFaDeRegRequestsDenied=cmiFaDeRegRequestsDenied, cmiFaAdvertChallengeTable=cmiFaAdvertChallengeTable, cmiHaRegTunnelStatsTunnelType=cmiHaRegTunnelStatsTunnelType, cmiFaTotalRegReplies=cmiFaTotalRegReplies, cmiHaRegTunnelStatsSrcAddrType=cmiHaRegTunnelStatsSrcAddrType, cmiHaRegTunnelStatsNumUsers=cmiHaRegTunnelStatsNumUsers, cmiMrIfSolicitRetransRemaining=cmiMrIfSolicitRetransRemaining, cmiTrapObjects=cmiTrapObjects, cmiMrDiscovery=cmiMrDiscovery, ciscoMobileIpTrapObjectsGroupV2=ciscoMobileIpTrapObjectsGroupV2, cmiMrIfSolicitRetransCurrent=cmiMrIfSolicitRetransCurrent, ciscoMobileIpCompliance=ciscoMobileIpCompliance, cmiMrIfHaTunnelIfIndex=cmiMrIfHaTunnelIfIndex, cmiHaMobNet=cmiHaMobNet, cmiMrIfSolicitInterval=cmiMrIfSolicitInterval, ciscoMobileIpHaSystemGroupV1=ciscoMobileIpHaSystemGroupV1, cmiMaRegDateMaxRegsReceived=cmiMaRegDateMaxRegsReceived, cmiFaMnFaAuthFailures=cmiFaMnFaAuthFailures, cmiMrHAPriority=cmiMrHAPriority, cmiFaReRegRequestsReceived=cmiFaReRegRequestsReceived, cmiMrMaHoldDownRemaining=cmiMrMaHoldDownRemaining, cmiMrMaIsHa=cmiMrMaIsHa, cmiMrNewMA=cmiMrNewMA, cmiMaAdvMaxInterval=cmiMaAdvMaxInterval, cmiMrIfRoamStatus=cmiMrIfRoamStatus, cmiSecKey=cmiSecKey, cmiMrIfRegisteredMaAddrType=cmiMrIfRegisteredMaAddrType, cmiFaInterfaceTable=cmiFaInterfaceTable, cmiHaRegRecentServDeniedCode=cmiHaRegRecentServDeniedCode, cmiMrRegLifetime=cmiMrRegLifetime, cmiSecPeerIdentifierType=cmiSecPeerIdentifierType, cmiMrIfHoldDown=cmiMrIfHoldDown, cmiMnDiscovery=cmiMnDiscovery, ciscoMobileIpHaRegGroupV12R03r2Sup2=ciscoMobileIpHaRegGroupV12R03r2Sup2, cmiFaCoaTable=cmiFaCoaTable, cmiMrMobNetAddrType=cmiMrMobNetAddrType)
# https://www.codewars.com/kata/string-cleaning/ def string_clean(s): output = "" for symbol in s: if not(symbol.isdigit()): output += symbol return output
def string_clean(s): output = '' for symbol in s: if not symbol.isdigit(): output += symbol return output
#! /usr/bin/python class PySopn: # Initialize instance def __init__(self, iface, port): self.interface = interface self.port = port self.socket = PySopn_eth(iface, port) # Set configuration def configSet(self, config): pass # Open def open(self): self.flgopen = True
class Pysopn: def __init__(self, iface, port): self.interface = interface self.port = port self.socket = py_sopn_eth(iface, port) def config_set(self, config): pass def open(self): self.flgopen = True
class Controller: user = '' mdp = '' url = '' port = 0 timeout = 0 def __init__(self, user, mdp, url, port, timeout): self.user = user self.mdp = mdp self.url = url self.port = int(port) self.timeout = int(timeout)
class Controller: user = '' mdp = '' url = '' port = 0 timeout = 0 def __init__(self, user, mdp, url, port, timeout): self.user = user self.mdp = mdp self.url = url self.port = int(port) self.timeout = int(timeout)
categories_db = \ { 'armors': { 'items': [ 'cuirass', 'banded-mail', 'scale-mail', 'ring-mail', 'chainmail', 'half-plate', 'moonplate', 'steel-cuirass', 'full-plate', 'longmail', 'noble-plate', 'silvered-scales', 'arcane-guard', 'runic-mail', 'chaos-armor', 'shining-armor', 'valkyrie-armor', 'white-fullplate', 'eldritch-mail', 'golden-heart', 'gaias-fortress', 'draconic-plate', 'twilight-cuirass', 'crimson-plate', 'earthen-mail', 'oracles-armor'], 'meta_category': 'Garments', 'name': 'Armors', 'rank': 1, 'slot': 2, 'slot_name': 'Torso'}, 'axes': { 'items': [ 'hand-axe', 'iron-axe', 'broad-axe', 'halberd', 'druidic-axe', 'hunting-axe', 'pole-axe', 'tiamat', 'labrys', 'steel-axe', 'hawk', 'lava-axe', 'reaper', 'berserkers-axe', 'bone-reaver', 'sharp-tusk', 'crystal-asunder', 'shining-axe', 'widow-maker', 'nocturne-axe', 'storm-splitter', 'infernal-rage', 'eagle', 'ragnaroks-edge', 'retribution', 'frenzied-axe', 'umbral-axe'], 'meta_category': 'Weapons', 'name': 'Axes', 'rank': 3, 'slot': 1, 'slot_name': 'Weapon'}, 'boots': { 'items': [ 'heavy-boots', 'riders-boots', 'chain-greaves', 'plated-boots', 'traveling-boots', 'moon-boots', 'red-boots', 'lion-boots', 'explorer-boots', 'valkyrie-boots', 'sabaton', 'warriors-greaves', 'knight-riders', 'silvered-greaves', 'flame-greaves', 'lords-boots', 'magic-riders', 'frost-sabatons', 'earthshakers', 'kings-boots', 'skull-stompers', 'draconic-greaves', 'adamantium-boots', 'royal-greaves', 'obsidian-greaves', 'titans-feet'], 'meta_category': 'Garments', 'name': 'Boots', 'rank': 8, 'slot': 5, 'slot_name': 'Feet'}, 'bows': { 'items': [ 'short-bow', 'long-bow', 'faerys-string', 'double-string', 'falcon-eye', 'composite-bow', 'crossbow', 'recurved-bow', 'heavy-crossbow', 'self-loader', 'forester', 'eagle-eye', 'transfixer', 'silent-arbalest', 'wind-striker', 'bow-of-light', 'valkyries-touch', 'spider', 'chimera-wings', 'evelyn', 'dragon-eye', 'lovestruck', 'griffin-wings', 'adamantium-crossbow', 'twilight-shot', 'elven-bow', 'wind-piercer'], 'meta_category': 'Weapons', 'name': 'Bows', 'rank': 7, 'slot': 1, 'slot_name': 'Weapon'}, 'clothes': { 'items': [ 'tunic', 'cloak', 'mantle', 'red-tunic', 'robe', 'doublet', 'apprentice-robes', 'ice-cloak', 'magicians-cloak', 'silk-robe', 'mage-robe', 'sacred-tunic', 'imperial-mantle', 'gaias-mantle', 'stealth-apparel', 'storm-apparel', 'night-walker', 'sorcerer-robe', 'nightmare-cape', 'sages-robe', 'shimmering-robes', 'plasmic-robe', 'archwizard-robe', 'twilight-robe', 'kings-mantle', 'mage-doublet', 'holy-tunic'], 'meta_category': 'Garments', 'name': 'Clothes', 'rank': 3, 'slot': 2, 'slot_name': 'Torso'}, 'daggers': { 'items': [ 'knife', 'pocket-knife', 'kris', 'dirk', 'parrying-dagger', 'stiletto', 'white-dagger', 'broad-blade', 'gutting-knife', 'hunting-knife', 'crimson-heart', 'mail-breaker', 'phantom-katar', 'switch-blade', 'life-stealer', 'night-shiv', 'shadowripper', 'wing-blade', 'dark-hand', 'betrayer', 'royal-dirk', 'seven-stars', 'dragon-fang', 'traitorous-blade', 'obsidian-dagger', 'aphotic-shiv'], 'meta_category': 'Weapons', 'name': 'Daggers', 'rank': 2, 'slot': 1, 'slot_name': 'Weapon'}, 'footwear': { 'items': [ 'sandals', 'shoes', 'druidic-shoes', 'leather-shoes', 'fur-loafers', 'light-boots', 'elven-boots', 'dancer-shoes', 'legion-sandals', 'horned-shoes', 'moon-walkers', 'golden-shoes', 'plumed-loafers', 'winged-sandals', 'imperial-sandals', 'genji-getas', 'path-finders', 'floating-slippers', 'wind-walkers', 'arcane-sandals', 'planeswalkers', 'adamantium-shoes', 'draconic-boots', 'jade-shoes', 'frostfire-shoes', 'firewalkers'], 'meta_category': 'Garments', 'name': 'Footwear', 'rank': 9, 'slot': 5, 'slot_name': 'Feet'}, 'gauntlets': { 'items': [ 'light-gauntlets', 'gauntlets', 'vambrace', 'long-gauntlets', 'meshed-gauntlets', 'moonlight-gauntlets', 'chainmail-gauntlets', 'jagged-gauntlets', 'lords-gauntlets', 'steel-vambrace', 'frozen-grip', 'silver-gauntlets', 'kings-gauntlets', 'bloodlust-gauntlets', 'dark-vambrace', 'protector-gauntlets', 'shockers', 'giga-brace', 'fire-smashers', 'dragonscale-gauntlets', 'twilight-fists', 'adamantium-fists', 'golden-gauntlets', 'frostfire-gauntlets', 'valkyries-grip', 'berserker-gauntlets', 'volcanic-smashers'], 'meta_category': 'Garments', 'name': 'Gauntlets', 'rank': 6, 'slot': 4, 'slot_name': 'Arms'}, 'gloves': { 'items': [ 'leather-bracers', 'gloves', 'wrist-guards', 'padded-gloves', 'fur-gloves', 'venomous-hands', 'woven-bracers', 'dexterous-gloves', 'wisdom-gloves', 'elemental-bracers', 'grandmaster-gloves', 'flaming-hands', 'shadowed-gloves', 'royal-bracers', 'alchemist-gloves', 'mage-bracers', 'sorcerers-bracers', 'shield-bracers', 'angel-gloves', 'freezing-bracers', 'runic-bracers', 'nightstalker-gloves', 'death-grip', 'cindari-gloves', 'frostfire-gloves', 'archangel-gloves'], 'meta_category': 'Garments', 'name': 'Gloves', 'rank': 7, 'slot': 4, 'slot_name': 'Arms'}, 'guns': { 'items': [ 'pistol', 'musket', 'arquebuse', 'pocket-pistol', 'long-musket', 'falconer', 'rifle', 'axe-pistol', 'flintlock', 'black-stock', 'double-barrel', 'fire-gun', 'conqueror', 'war-axe-pistol', 'thunder-shot', 'candy-cane-pistol', 'death-missive', 'rising-sun', 'one-shot', 'judgement', 'bomb-launcher', 'solar-flare', 'nordic-warfare', 'harpoon-gun', 'pirate-pistol', 'gfg', 'demonic-blast'], 'meta_category': 'Weapons', 'name': 'Guns', 'rank': 8, 'slot': 1, 'slot_name': 'Weapon'}, 'hats': { 'items': [ 'circlet', 'hood', 'monks-hat', 'buckle-hat', 'robins-hood', 'pumpkinhead', 'plumed-hat', 'thiefs-hood', 'noble-tiara', 'light-visage', 'scarlet-coif', 'skadis-tiara', 'magic-top', 'silver-crown', 'elven-coif', 'golden-crown', 'wise-cap', 'dark-visage', 'shadowhood', 'archwizards-hat', 'runic-tiara', 'thunder-crown', 'runic-coif', 'jorous-crown', 'demonic-visage', 'jade-visage', 'cultists-hood', 'lokis-mask', 'royal-tiara'], 'meta_category': 'Garments', 'name': 'Hats', 'rank': 5, 'slot': 3, 'slot_name': 'Head'}, 'helmets': { 'items': [ 'hard-hat', 'iron-cap', 'iron-helmet', 'horned-helm', 'full-helm', 'warriors-helmet', 'moonlight-cap', 'spangenhelm', 'scale-helmet', 'knights-helm', 'paladins-helmet', 'great-helm', 'frozen-helm', 'silver-helm', 'dragoons-casque', 'elirs-barbuta', 'mercurial', 'phoenix-helmet', 'champions-helm', 'dragonscale-helmet', 'viking-helm', 'adamantium-helm', 'valkyrie-helm', 'golden-helm', 'frostfire-barbuta', 'jade-helm'], 'meta_category': 'Garments', 'name': 'Helmets', 'rank': 4, 'slot': 3, 'slot_name': 'Head'}, 'maces': { 'items': [ 'club', 'spiked-club', 'shieldbreaker', 'maul', 'sledgehammer', 'mace', 'morning-star', 'heavy-mace', 'battle-mace', 'steeled-club', 'tree-trunk', 'war-gavel', 'journey-mace', 'hammer-fist', 'giants-hammer', 'demolisher', 'fury-club', 'earthquake', 'apocalyptus', 'pulverizer', 'tide-maker', 'evening-star', 'destroyer', 'hundred-ton', 'storm-basher', 'crusher', 'tenderizer'], 'meta_category': 'Weapons', 'name': 'Maces', 'rank': 5, 'slot': 1, 'slot_name': 'Weapon'}, 'music': { 'items': [ 'wood-flute', 'small-drum', 'pan-flute', 'horn', 'harp', 'iron-flute', 'lute', 'frozen-harp', 'long-flute', 'oud', 'nordic-lute', 'military-tap', 'ygg-flute', 'silvered-flute', 'soothing-harp', 'wyrm-horn', 'golden-string', 'hell-hound', 'draconian-sound', 'draconic-heartbeat', 'twilight-flute', 'angelic-strings', 'ancient-horn', 'frostfire-harp', 'angelic-bell', 'wisdom-ocarina', 'gaias-flute'], 'meta_category': 'Accessories', 'name': 'Music', 'rank': 4, 'slot': 6, 'slot_name': 'Off-Hand'}, 'pendants': { 'items': [ 'shiny-pendant', 'opal-necklace', 'scarlet-drop', 'protection-pendant', 'luna-charm', 'wind-charm', 'skeleton-ward', 'hanging-journal', 'fiery-talisman', 'azure-beads', 'timeless-locket', 'jade-amulet', 'obelisk-charm', 'turning-token', 'light-amulet', 'shielding-ward', 'phoenix-talon', 'freezing-ward', 'cats-eye', 'lichs-heart', 'skadis-charm', 'draconic-amulet', 'trine-charm', 'goddess-tear', 'adamantium-amulet', 'frostfire-talisman', 'gaias-heart'], 'meta_category': 'Accessories', 'name': 'Pendants', 'rank': 2, 'slot': 6, 'slot_name': 'Off-Hand'}, 'potions': { 'items': [ 'health-vial', 'mana-vial', 'speed-potion', 'love-splash', 'healing-potion', 'toxic-vial', 'elixir-drops', 'health-drink', 'strength-potion', 'warming-spray', 'acidic-splash', 'health-potion', 'wisdom-potion', 'mana-potion', 'demons-blood', 'elixir', 'golden-potion', 'life-potion', 'invincibility-potion', 'dragons-blood', 'megalixir', 'twilight-potion', 'gods-essence', 'clarity-potion', 'obsidian-potion', 'gaias-essence'], 'meta_category': 'Accessories', 'name': 'Potions', 'rank': 5, 'slot': 7, 'slot_name': 'Accessory'}, 'projectiles': { 'items': [ 'darts', 'sling', 'boomerang', 'kunai', 'poison-darts', 'smoke-bomb', 'metal-boomerang', 'toxic-bomb', 'sleeping-bomb', 'shock-darts', 'shuriken', 'elasti-sling', 'bladed-feather', 'chakram', 'magic-shuriken', 'singing-chakram', 'heart-seeker', 'steelarang', 'seeking-kunai', 'shredder', 'exploding-darts', 'heart-piercer', 'light-boomerang', 'thunder-clap', 'dragon-darts', 'frostfire-kunai', 'hell-bomb'], 'meta_category': 'Accessories', 'name': 'Projectiles', 'rank': 8, 'slot': 7, 'slot_name': 'Accessory'}, 'remedies': { 'items': [ 'healing-herbs', 'antidote', 'fungi-brew', 'elderflower', 'healing-mix', 'colored-powder', 'fire-moss', 'mistletoe', 'sleeping-shrooms', 'bark-tea', 'fairy-sprinkle', 'anti-venom', 'protection-dust', 'swift-seed', 'elven-cure', 'rejuvenating-tea', 'angel-dust', 'coldfire-dust', 'strength-seed', 'phoenix-dust', 'panacea', 'mystic-flower', 'magic-seed', 'albizia', 'devil-dust', 'draconic-tea'], 'meta_category': 'Accessories', 'name': 'Remedies', 'rank': 6, 'slot': 7, 'slot_name': 'Accessory'}, 'rings': { 'items': [ 'iron-band', 'rabbit-ring', 'jewel-ring', 'shadow-mark', 'crescent-ring', 'moonstone-ring', 'luck-band', 'gold-digger', 'soldiers-mark', 'nimble-ring', 'fire-band', 'sight-band', 'undead-ring', 'power-ring', 'crusader-ring', 'prayer-ring', 'wisdom-mark', 'resistance-band', 'truth-ring', 'divine-mark', 'royal-ring', 'fallen-angel-ring', 'oracle', 'lich-ring', 'azure-ring', 'antimagic-band'], 'meta_category': 'Accessories', 'name': 'Rings', 'rank': 1, 'slot': 6, 'slot_name': 'Off-Hand'}, 'shields': { 'items': [ 'targe', 'buckler', 'small-shield', 'heater-shield', 'protector', 'kite-shield', 'tower-shield', 'moonlight-shield', 'knight-shield', 'fire-proof', 'venomous-buckler', 'aegis', 'bulwark', 'reflective-shield', 'skeleton-shield', 'spiked-shield', 'ember-shield', 'crystal-shield', 'argus-shield', 'blessed-aegis', 'dragon-skull', 'hawk-shield', 'giantshield', 'twilight-aegis', 'medusa-buckler', 'oracle-shield'], 'meta_category': 'Accessories', 'name': 'Shields', 'rank': 3, 'slot': 6, 'slot_name': 'Off-Hand'}, 'spears': { 'items': [ 'wooden-spear', 'iron-spear', 'half-pike', 'trident', 'pike', 'gaias-javelin', 'spade', 'seeking-tip', 'lance', 'knights-lance', 'valkyrie', 'poison-tip', 'bone-spear', 'winged-spear', 'silver-fork', 'lions-tail', 'moon-voulge', 'obsidian-spear', 'impaler', 'twisted-pike', 'titanic-lance', 'night-spike', 'divine-ray', 'mystic-spear', 'twilight-spear', 'obsidian-voulge', 'primordial-trident'], 'meta_category': 'Weapons', 'name': 'Spears', 'rank': 4, 'slot': 1, 'slot_name': 'Weapon'}, 'spells': { 'items': [ 'shielding-seal', 'fireball-scroll', 'poison-scroll', 'lightning-scroll', 'sleeping-totem', 'firewall-scroll', 'pain-totem', 'deflection-seal', 'freezing-scroll', 'invisibility-scroll', 'teleportation-scroll', 'magical-codex', 'paralysis-totem', 'evil-seal', 'possession-scroll', 'power-seal', 'njord', 'gloom-totem', 'arcane-compendium', 'disintegration-scroll', 'return-scroll', 'hawk-totem', 'divine-tome', 'twilight-seal', 'haunted-scroll', 'guardian-seal'], 'meta_category': 'Accessories', 'name': 'Spells', 'rank': 7, 'slot': 7, 'slot_name': 'Accessory'}, 'staves': { 'items': [ 'walking-stick', 'crow-stick', 'druidic-rod', 'battle-staff', 'muted-caster', 'bishop-staff', 'healing-rod', 'forest-wand', 'fire-rod', 'blood-staff', 'luna-rod', 'whispering-wand', 'rebirth-rod', 'ice-staff', 'death-stick', 'sacred-scepter', 'soul-stealer', 'staff-of-ages', 'star-wand', 'eagle-rod', 'emperor-wand', 'cultist-staff', 'valkyries-wisdom', 'sun-king', 'affection', 'keeper-of-souls', 'shattered-wand'], 'meta_category': 'Weapons', 'name': 'Staves', 'rank': 6, 'slot': 1, 'slot_name': 'Weapon'}, 'swords': { 'items': [ 'shortsword', 'longsword', 'broadsword', 'rapier', 'claymore', 'fire-blade', 'zweihander', 'bastard-sword', 'sabre', 'wakizashi', 'vorpal-sword', 'scimitar', 'coldsteel', 'masamune', 'sawblade', 'heavens-will', 'abyssal-brand', 'slashing-tiger', 'excalibur', 'stormbringer', 'twilight-scimitar', 'balmung', 'dragonslayer', 'unholy-fangs', 'frostfire-blade', 'durandal'], 'meta_category': 'Weapons', 'name': 'Swords', 'rank': 1, 'slot': 1, 'slot_name': 'Weapon'}, 'vests': { 'items': [ 'leather-vest', 'hide-armor', 'boiled-leather', 'brigandine', 'leather-cuirass', 'studded-leather', 'raccoon-ranger', 'poison-studs', 'strapped-leather', 'plated-tunic', 'plated-leather', 'bear-armor', 'nightingale', 'genji-armor', 'oiled-leather', 'layered-armor', 'gold-stitch', 'wyrm-hide', 'white-crow', 'shadow-lurker', 'moonscale-armor', 'valkyries-embrace', 'dragon-skin', 'pirate-armor', 'ocean-leather', 'black-crow'], 'meta_category': 'Garments', 'name': 'Vests', 'rank': 2, 'slot': 2, 'slot_name': 'Torso'}}
categories_db = {'armors': {'items': ['cuirass', 'banded-mail', 'scale-mail', 'ring-mail', 'chainmail', 'half-plate', 'moonplate', 'steel-cuirass', 'full-plate', 'longmail', 'noble-plate', 'silvered-scales', 'arcane-guard', 'runic-mail', 'chaos-armor', 'shining-armor', 'valkyrie-armor', 'white-fullplate', 'eldritch-mail', 'golden-heart', 'gaias-fortress', 'draconic-plate', 'twilight-cuirass', 'crimson-plate', 'earthen-mail', 'oracles-armor'], 'meta_category': 'Garments', 'name': 'Armors', 'rank': 1, 'slot': 2, 'slot_name': 'Torso'}, 'axes': {'items': ['hand-axe', 'iron-axe', 'broad-axe', 'halberd', 'druidic-axe', 'hunting-axe', 'pole-axe', 'tiamat', 'labrys', 'steel-axe', 'hawk', 'lava-axe', 'reaper', 'berserkers-axe', 'bone-reaver', 'sharp-tusk', 'crystal-asunder', 'shining-axe', 'widow-maker', 'nocturne-axe', 'storm-splitter', 'infernal-rage', 'eagle', 'ragnaroks-edge', 'retribution', 'frenzied-axe', 'umbral-axe'], 'meta_category': 'Weapons', 'name': 'Axes', 'rank': 3, 'slot': 1, 'slot_name': 'Weapon'}, 'boots': {'items': ['heavy-boots', 'riders-boots', 'chain-greaves', 'plated-boots', 'traveling-boots', 'moon-boots', 'red-boots', 'lion-boots', 'explorer-boots', 'valkyrie-boots', 'sabaton', 'warriors-greaves', 'knight-riders', 'silvered-greaves', 'flame-greaves', 'lords-boots', 'magic-riders', 'frost-sabatons', 'earthshakers', 'kings-boots', 'skull-stompers', 'draconic-greaves', 'adamantium-boots', 'royal-greaves', 'obsidian-greaves', 'titans-feet'], 'meta_category': 'Garments', 'name': 'Boots', 'rank': 8, 'slot': 5, 'slot_name': 'Feet'}, 'bows': {'items': ['short-bow', 'long-bow', 'faerys-string', 'double-string', 'falcon-eye', 'composite-bow', 'crossbow', 'recurved-bow', 'heavy-crossbow', 'self-loader', 'forester', 'eagle-eye', 'transfixer', 'silent-arbalest', 'wind-striker', 'bow-of-light', 'valkyries-touch', 'spider', 'chimera-wings', 'evelyn', 'dragon-eye', 'lovestruck', 'griffin-wings', 'adamantium-crossbow', 'twilight-shot', 'elven-bow', 'wind-piercer'], 'meta_category': 'Weapons', 'name': 'Bows', 'rank': 7, 'slot': 1, 'slot_name': 'Weapon'}, 'clothes': {'items': ['tunic', 'cloak', 'mantle', 'red-tunic', 'robe', 'doublet', 'apprentice-robes', 'ice-cloak', 'magicians-cloak', 'silk-robe', 'mage-robe', 'sacred-tunic', 'imperial-mantle', 'gaias-mantle', 'stealth-apparel', 'storm-apparel', 'night-walker', 'sorcerer-robe', 'nightmare-cape', 'sages-robe', 'shimmering-robes', 'plasmic-robe', 'archwizard-robe', 'twilight-robe', 'kings-mantle', 'mage-doublet', 'holy-tunic'], 'meta_category': 'Garments', 'name': 'Clothes', 'rank': 3, 'slot': 2, 'slot_name': 'Torso'}, 'daggers': {'items': ['knife', 'pocket-knife', 'kris', 'dirk', 'parrying-dagger', 'stiletto', 'white-dagger', 'broad-blade', 'gutting-knife', 'hunting-knife', 'crimson-heart', 'mail-breaker', 'phantom-katar', 'switch-blade', 'life-stealer', 'night-shiv', 'shadowripper', 'wing-blade', 'dark-hand', 'betrayer', 'royal-dirk', 'seven-stars', 'dragon-fang', 'traitorous-blade', 'obsidian-dagger', 'aphotic-shiv'], 'meta_category': 'Weapons', 'name': 'Daggers', 'rank': 2, 'slot': 1, 'slot_name': 'Weapon'}, 'footwear': {'items': ['sandals', 'shoes', 'druidic-shoes', 'leather-shoes', 'fur-loafers', 'light-boots', 'elven-boots', 'dancer-shoes', 'legion-sandals', 'horned-shoes', 'moon-walkers', 'golden-shoes', 'plumed-loafers', 'winged-sandals', 'imperial-sandals', 'genji-getas', 'path-finders', 'floating-slippers', 'wind-walkers', 'arcane-sandals', 'planeswalkers', 'adamantium-shoes', 'draconic-boots', 'jade-shoes', 'frostfire-shoes', 'firewalkers'], 'meta_category': 'Garments', 'name': 'Footwear', 'rank': 9, 'slot': 5, 'slot_name': 'Feet'}, 'gauntlets': {'items': ['light-gauntlets', 'gauntlets', 'vambrace', 'long-gauntlets', 'meshed-gauntlets', 'moonlight-gauntlets', 'chainmail-gauntlets', 'jagged-gauntlets', 'lords-gauntlets', 'steel-vambrace', 'frozen-grip', 'silver-gauntlets', 'kings-gauntlets', 'bloodlust-gauntlets', 'dark-vambrace', 'protector-gauntlets', 'shockers', 'giga-brace', 'fire-smashers', 'dragonscale-gauntlets', 'twilight-fists', 'adamantium-fists', 'golden-gauntlets', 'frostfire-gauntlets', 'valkyries-grip', 'berserker-gauntlets', 'volcanic-smashers'], 'meta_category': 'Garments', 'name': 'Gauntlets', 'rank': 6, 'slot': 4, 'slot_name': 'Arms'}, 'gloves': {'items': ['leather-bracers', 'gloves', 'wrist-guards', 'padded-gloves', 'fur-gloves', 'venomous-hands', 'woven-bracers', 'dexterous-gloves', 'wisdom-gloves', 'elemental-bracers', 'grandmaster-gloves', 'flaming-hands', 'shadowed-gloves', 'royal-bracers', 'alchemist-gloves', 'mage-bracers', 'sorcerers-bracers', 'shield-bracers', 'angel-gloves', 'freezing-bracers', 'runic-bracers', 'nightstalker-gloves', 'death-grip', 'cindari-gloves', 'frostfire-gloves', 'archangel-gloves'], 'meta_category': 'Garments', 'name': 'Gloves', 'rank': 7, 'slot': 4, 'slot_name': 'Arms'}, 'guns': {'items': ['pistol', 'musket', 'arquebuse', 'pocket-pistol', 'long-musket', 'falconer', 'rifle', 'axe-pistol', 'flintlock', 'black-stock', 'double-barrel', 'fire-gun', 'conqueror', 'war-axe-pistol', 'thunder-shot', 'candy-cane-pistol', 'death-missive', 'rising-sun', 'one-shot', 'judgement', 'bomb-launcher', 'solar-flare', 'nordic-warfare', 'harpoon-gun', 'pirate-pistol', 'gfg', 'demonic-blast'], 'meta_category': 'Weapons', 'name': 'Guns', 'rank': 8, 'slot': 1, 'slot_name': 'Weapon'}, 'hats': {'items': ['circlet', 'hood', 'monks-hat', 'buckle-hat', 'robins-hood', 'pumpkinhead', 'plumed-hat', 'thiefs-hood', 'noble-tiara', 'light-visage', 'scarlet-coif', 'skadis-tiara', 'magic-top', 'silver-crown', 'elven-coif', 'golden-crown', 'wise-cap', 'dark-visage', 'shadowhood', 'archwizards-hat', 'runic-tiara', 'thunder-crown', 'runic-coif', 'jorous-crown', 'demonic-visage', 'jade-visage', 'cultists-hood', 'lokis-mask', 'royal-tiara'], 'meta_category': 'Garments', 'name': 'Hats', 'rank': 5, 'slot': 3, 'slot_name': 'Head'}, 'helmets': {'items': ['hard-hat', 'iron-cap', 'iron-helmet', 'horned-helm', 'full-helm', 'warriors-helmet', 'moonlight-cap', 'spangenhelm', 'scale-helmet', 'knights-helm', 'paladins-helmet', 'great-helm', 'frozen-helm', 'silver-helm', 'dragoons-casque', 'elirs-barbuta', 'mercurial', 'phoenix-helmet', 'champions-helm', 'dragonscale-helmet', 'viking-helm', 'adamantium-helm', 'valkyrie-helm', 'golden-helm', 'frostfire-barbuta', 'jade-helm'], 'meta_category': 'Garments', 'name': 'Helmets', 'rank': 4, 'slot': 3, 'slot_name': 'Head'}, 'maces': {'items': ['club', 'spiked-club', 'shieldbreaker', 'maul', 'sledgehammer', 'mace', 'morning-star', 'heavy-mace', 'battle-mace', 'steeled-club', 'tree-trunk', 'war-gavel', 'journey-mace', 'hammer-fist', 'giants-hammer', 'demolisher', 'fury-club', 'earthquake', 'apocalyptus', 'pulverizer', 'tide-maker', 'evening-star', 'destroyer', 'hundred-ton', 'storm-basher', 'crusher', 'tenderizer'], 'meta_category': 'Weapons', 'name': 'Maces', 'rank': 5, 'slot': 1, 'slot_name': 'Weapon'}, 'music': {'items': ['wood-flute', 'small-drum', 'pan-flute', 'horn', 'harp', 'iron-flute', 'lute', 'frozen-harp', 'long-flute', 'oud', 'nordic-lute', 'military-tap', 'ygg-flute', 'silvered-flute', 'soothing-harp', 'wyrm-horn', 'golden-string', 'hell-hound', 'draconian-sound', 'draconic-heartbeat', 'twilight-flute', 'angelic-strings', 'ancient-horn', 'frostfire-harp', 'angelic-bell', 'wisdom-ocarina', 'gaias-flute'], 'meta_category': 'Accessories', 'name': 'Music', 'rank': 4, 'slot': 6, 'slot_name': 'Off-Hand'}, 'pendants': {'items': ['shiny-pendant', 'opal-necklace', 'scarlet-drop', 'protection-pendant', 'luna-charm', 'wind-charm', 'skeleton-ward', 'hanging-journal', 'fiery-talisman', 'azure-beads', 'timeless-locket', 'jade-amulet', 'obelisk-charm', 'turning-token', 'light-amulet', 'shielding-ward', 'phoenix-talon', 'freezing-ward', 'cats-eye', 'lichs-heart', 'skadis-charm', 'draconic-amulet', 'trine-charm', 'goddess-tear', 'adamantium-amulet', 'frostfire-talisman', 'gaias-heart'], 'meta_category': 'Accessories', 'name': 'Pendants', 'rank': 2, 'slot': 6, 'slot_name': 'Off-Hand'}, 'potions': {'items': ['health-vial', 'mana-vial', 'speed-potion', 'love-splash', 'healing-potion', 'toxic-vial', 'elixir-drops', 'health-drink', 'strength-potion', 'warming-spray', 'acidic-splash', 'health-potion', 'wisdom-potion', 'mana-potion', 'demons-blood', 'elixir', 'golden-potion', 'life-potion', 'invincibility-potion', 'dragons-blood', 'megalixir', 'twilight-potion', 'gods-essence', 'clarity-potion', 'obsidian-potion', 'gaias-essence'], 'meta_category': 'Accessories', 'name': 'Potions', 'rank': 5, 'slot': 7, 'slot_name': 'Accessory'}, 'projectiles': {'items': ['darts', 'sling', 'boomerang', 'kunai', 'poison-darts', 'smoke-bomb', 'metal-boomerang', 'toxic-bomb', 'sleeping-bomb', 'shock-darts', 'shuriken', 'elasti-sling', 'bladed-feather', 'chakram', 'magic-shuriken', 'singing-chakram', 'heart-seeker', 'steelarang', 'seeking-kunai', 'shredder', 'exploding-darts', 'heart-piercer', 'light-boomerang', 'thunder-clap', 'dragon-darts', 'frostfire-kunai', 'hell-bomb'], 'meta_category': 'Accessories', 'name': 'Projectiles', 'rank': 8, 'slot': 7, 'slot_name': 'Accessory'}, 'remedies': {'items': ['healing-herbs', 'antidote', 'fungi-brew', 'elderflower', 'healing-mix', 'colored-powder', 'fire-moss', 'mistletoe', 'sleeping-shrooms', 'bark-tea', 'fairy-sprinkle', 'anti-venom', 'protection-dust', 'swift-seed', 'elven-cure', 'rejuvenating-tea', 'angel-dust', 'coldfire-dust', 'strength-seed', 'phoenix-dust', 'panacea', 'mystic-flower', 'magic-seed', 'albizia', 'devil-dust', 'draconic-tea'], 'meta_category': 'Accessories', 'name': 'Remedies', 'rank': 6, 'slot': 7, 'slot_name': 'Accessory'}, 'rings': {'items': ['iron-band', 'rabbit-ring', 'jewel-ring', 'shadow-mark', 'crescent-ring', 'moonstone-ring', 'luck-band', 'gold-digger', 'soldiers-mark', 'nimble-ring', 'fire-band', 'sight-band', 'undead-ring', 'power-ring', 'crusader-ring', 'prayer-ring', 'wisdom-mark', 'resistance-band', 'truth-ring', 'divine-mark', 'royal-ring', 'fallen-angel-ring', 'oracle', 'lich-ring', 'azure-ring', 'antimagic-band'], 'meta_category': 'Accessories', 'name': 'Rings', 'rank': 1, 'slot': 6, 'slot_name': 'Off-Hand'}, 'shields': {'items': ['targe', 'buckler', 'small-shield', 'heater-shield', 'protector', 'kite-shield', 'tower-shield', 'moonlight-shield', 'knight-shield', 'fire-proof', 'venomous-buckler', 'aegis', 'bulwark', 'reflective-shield', 'skeleton-shield', 'spiked-shield', 'ember-shield', 'crystal-shield', 'argus-shield', 'blessed-aegis', 'dragon-skull', 'hawk-shield', 'giantshield', 'twilight-aegis', 'medusa-buckler', 'oracle-shield'], 'meta_category': 'Accessories', 'name': 'Shields', 'rank': 3, 'slot': 6, 'slot_name': 'Off-Hand'}, 'spears': {'items': ['wooden-spear', 'iron-spear', 'half-pike', 'trident', 'pike', 'gaias-javelin', 'spade', 'seeking-tip', 'lance', 'knights-lance', 'valkyrie', 'poison-tip', 'bone-spear', 'winged-spear', 'silver-fork', 'lions-tail', 'moon-voulge', 'obsidian-spear', 'impaler', 'twisted-pike', 'titanic-lance', 'night-spike', 'divine-ray', 'mystic-spear', 'twilight-spear', 'obsidian-voulge', 'primordial-trident'], 'meta_category': 'Weapons', 'name': 'Spears', 'rank': 4, 'slot': 1, 'slot_name': 'Weapon'}, 'spells': {'items': ['shielding-seal', 'fireball-scroll', 'poison-scroll', 'lightning-scroll', 'sleeping-totem', 'firewall-scroll', 'pain-totem', 'deflection-seal', 'freezing-scroll', 'invisibility-scroll', 'teleportation-scroll', 'magical-codex', 'paralysis-totem', 'evil-seal', 'possession-scroll', 'power-seal', 'njord', 'gloom-totem', 'arcane-compendium', 'disintegration-scroll', 'return-scroll', 'hawk-totem', 'divine-tome', 'twilight-seal', 'haunted-scroll', 'guardian-seal'], 'meta_category': 'Accessories', 'name': 'Spells', 'rank': 7, 'slot': 7, 'slot_name': 'Accessory'}, 'staves': {'items': ['walking-stick', 'crow-stick', 'druidic-rod', 'battle-staff', 'muted-caster', 'bishop-staff', 'healing-rod', 'forest-wand', 'fire-rod', 'blood-staff', 'luna-rod', 'whispering-wand', 'rebirth-rod', 'ice-staff', 'death-stick', 'sacred-scepter', 'soul-stealer', 'staff-of-ages', 'star-wand', 'eagle-rod', 'emperor-wand', 'cultist-staff', 'valkyries-wisdom', 'sun-king', 'affection', 'keeper-of-souls', 'shattered-wand'], 'meta_category': 'Weapons', 'name': 'Staves', 'rank': 6, 'slot': 1, 'slot_name': 'Weapon'}, 'swords': {'items': ['shortsword', 'longsword', 'broadsword', 'rapier', 'claymore', 'fire-blade', 'zweihander', 'bastard-sword', 'sabre', 'wakizashi', 'vorpal-sword', 'scimitar', 'coldsteel', 'masamune', 'sawblade', 'heavens-will', 'abyssal-brand', 'slashing-tiger', 'excalibur', 'stormbringer', 'twilight-scimitar', 'balmung', 'dragonslayer', 'unholy-fangs', 'frostfire-blade', 'durandal'], 'meta_category': 'Weapons', 'name': 'Swords', 'rank': 1, 'slot': 1, 'slot_name': 'Weapon'}, 'vests': {'items': ['leather-vest', 'hide-armor', 'boiled-leather', 'brigandine', 'leather-cuirass', 'studded-leather', 'raccoon-ranger', 'poison-studs', 'strapped-leather', 'plated-tunic', 'plated-leather', 'bear-armor', 'nightingale', 'genji-armor', 'oiled-leather', 'layered-armor', 'gold-stitch', 'wyrm-hide', 'white-crow', 'shadow-lurker', 'moonscale-armor', 'valkyries-embrace', 'dragon-skin', 'pirate-armor', 'ocean-leather', 'black-crow'], 'meta_category': 'Garments', 'name': 'Vests', 'rank': 2, 'slot': 2, 'slot_name': 'Torso'}}
# 3-3 Problem1, Problem2, Problem3 sum = 0 for i in range(1, 101): sum += i print('{}'.format(sum)) A = [70, 60, 55, 75, 95, 90, 80, 80, 85, 100] mean = 0.0 for point in A: mean += point mean /= len(A) print('{}'.format(mean)) numbers = [1, 2, 3, 4, 5] result = [n * 2 for n in numbers if n % 2 == 1] print(result)
sum = 0 for i in range(1, 101): sum += i print('{}'.format(sum)) a = [70, 60, 55, 75, 95, 90, 80, 80, 85, 100] mean = 0.0 for point in A: mean += point mean /= len(A) print('{}'.format(mean)) numbers = [1, 2, 3, 4, 5] result = [n * 2 for n in numbers if n % 2 == 1] print(result)
class Solution: def addStrings(self, num1: str, num2: str) -> str: n1 = 0; n2 = 0; o = 0 for c in num1[::-1]: n1 += int(c)*10**o o += 1 o = 0 for c in num2[::-1]: n2 += int(c)*10**o o += 1 return str(n1+n2)
class Solution: def add_strings(self, num1: str, num2: str) -> str: n1 = 0 n2 = 0 o = 0 for c in num1[::-1]: n1 += int(c) * 10 ** o o += 1 o = 0 for c in num2[::-1]: n2 += int(c) * 10 ** o o += 1 return str(n1 + n2)
#class method class Employee: raise_amount = 1.04 num_of_emps = 0 def __init__ (self, first, last , pay): self.first = first self.last = last self.email = first + "." + last + "@company.com" self.pay = pay Employee.num_of_emps += 1 def full_name (self): return "{} {}".format(self.first , self.last) def apply_raise (self): self.pay = int(self.pay * self.raise_amount ) @classmethod def set_raise_amount(cls,amount): cls.raise_amount = amount @classmethod def from_str(cls, emp_str): first, last , pay = emp_str.split("-") return cls(first, last, pay) # person_1 = Employee("Ali","Maleki",5000) # person_2 = Employee("Jhon","Doe",6000) emp_1_str = "Jhon-Doe-8000" emp_2_str = "Jane-Doe-7000" emp_3_str = "Steve-Smith-6500" new_emp_1 = Employee.from_str(emp_1_str) new_emp_2 = Employee.from_str(emp_2_str) new_emp_3 = Employee.from_str(emp_3_str) print(new_emp_1.first) print(new_emp_2.__dict__) print(new_emp_3.email)
class Employee: raise_amount = 1.04 num_of_emps = 0 def __init__(self, first, last, pay): self.first = first self.last = last self.email = first + '.' + last + '@company.com' self.pay = pay Employee.num_of_emps += 1 def full_name(self): return '{} {}'.format(self.first, self.last) def apply_raise(self): self.pay = int(self.pay * self.raise_amount) @classmethod def set_raise_amount(cls, amount): cls.raise_amount = amount @classmethod def from_str(cls, emp_str): (first, last, pay) = emp_str.split('-') return cls(first, last, pay) emp_1_str = 'Jhon-Doe-8000' emp_2_str = 'Jane-Doe-7000' emp_3_str = 'Steve-Smith-6500' new_emp_1 = Employee.from_str(emp_1_str) new_emp_2 = Employee.from_str(emp_2_str) new_emp_3 = Employee.from_str(emp_3_str) print(new_emp_1.first) print(new_emp_2.__dict__) print(new_emp_3.email)
# test loading constants in viper functions @micropython.viper def f(): return b'bytes' print(f()) @micropython.viper def f(): @micropython.viper def g() -> int: return 123 return g print(f()())
@micropython.viper def f(): return b'bytes' print(f()) @micropython.viper def f(): @micropython.viper def g() -> int: return 123 return g print(f()())
x = ['apple', 'banana', 'mango', 'orange', 'peach', 'grapes'] def createNewList(l): newList = [] i = 1 while i < 6: newList.append(l[i]) i = i + 1 if i % 2 == 1: i = i + 1 print(newList) createNewList(x)
x = ['apple', 'banana', 'mango', 'orange', 'peach', 'grapes'] def create_new_list(l): new_list = [] i = 1 while i < 6: newList.append(l[i]) i = i + 1 if i % 2 == 1: i = i + 1 print(newList) create_new_list(x)
def find(needle, haystack): for i in range(len(haystack)-len(needle)+1): flag=True for j,char in enumerate(needle): if char=="_": continue elif char!=haystack[i+j]: flag=False break if flag: return i return -1
def find(needle, haystack): for i in range(len(haystack) - len(needle) + 1): flag = True for (j, char) in enumerate(needle): if char == '_': continue elif char != haystack[i + j]: flag = False break if flag: return i return -1
__title__ = 'compas_fab' __description__ = 'Robotic fabrication package for the COMPAS Framework' __url__ = 'https://github.com/gramaziokohler/compas_fab' __version__ = '0.5.0' __author__ = 'Gramazio Kohler Research' __author_email__ = 'gramaziokohler@arch.ethz.ch' __license__ = 'MIT license' __copyright__ = 'Copyright 2018 Gramazio Kohler Research'
__title__ = 'compas_fab' __description__ = 'Robotic fabrication package for the COMPAS Framework' __url__ = 'https://github.com/gramaziokohler/compas_fab' __version__ = '0.5.0' __author__ = 'Gramazio Kohler Research' __author_email__ = 'gramaziokohler@arch.ethz.ch' __license__ = 'MIT license' __copyright__ = 'Copyright 2018 Gramazio Kohler Research'
def garterKnit(k,beg,end,length,c,side='l', knitsettings=[4,400,400], xfersettings=[2,0,300]): if side == 'l': start=1 else: start=2 length=length+1 for b in range(start,length+1): if b%2==1: k.stitchNumber(xfersettings[0]) k.rollerAdvance(xfersettings[1]) k.speedNumber(xfersettings[2]) for w in range(beg,end): k.xfer(('b',w),('f',w)) k.stitchNumber(knitsettings[0]) k.rollerAdvance(knitsettings[1]) k.speedNumber(knitsettings[2]) for w in range(beg,end): k.knit('+',('f',w),c) else: k.stitchNumber(xferSettings[0]) k.rollerAdvance(xferSettings[1]) k.speedNumber(xferSettings[2]) for w in range(end-1,beg-1,-1): k.xfer(('f',w),('b',w)) k.stitchNumber(knitsettings[0]) k.rollerAdvance(knitsettings[1]) k.speedNumber(knitsettings[2]) for w in range(end-1,beg-1,-1): k.knit('-',('b',w),c)
def garter_knit(k, beg, end, length, c, side='l', knitsettings=[4, 400, 400], xfersettings=[2, 0, 300]): if side == 'l': start = 1 else: start = 2 length = length + 1 for b in range(start, length + 1): if b % 2 == 1: k.stitchNumber(xfersettings[0]) k.rollerAdvance(xfersettings[1]) k.speedNumber(xfersettings[2]) for w in range(beg, end): k.xfer(('b', w), ('f', w)) k.stitchNumber(knitsettings[0]) k.rollerAdvance(knitsettings[1]) k.speedNumber(knitsettings[2]) for w in range(beg, end): k.knit('+', ('f', w), c) else: k.stitchNumber(xferSettings[0]) k.rollerAdvance(xferSettings[1]) k.speedNumber(xferSettings[2]) for w in range(end - 1, beg - 1, -1): k.xfer(('f', w), ('b', w)) k.stitchNumber(knitsettings[0]) k.rollerAdvance(knitsettings[1]) k.speedNumber(knitsettings[2]) for w in range(end - 1, beg - 1, -1): k.knit('-', ('b', w), c)
def resolve(): ''' code here ''' N, M, Q = [int(item) for item in input().split()] a_list = [[int(item) for item in input().split()] for _ in range(Q)] res = 0 for item in comb: temp_res = 0 print(item) for j in a_list: a = j[0]-1 b = j[1]-1 c = j[2] d = j[3] if item[b] -item[a] == c: temp_res += d print(item[b] , item[a]) print(b,a) print(c,d, '---') res = max(res, temp_res) print(res) if __name__ == "__main__": resolve()
def resolve(): """ code here """ (n, m, q) = [int(item) for item in input().split()] a_list = [[int(item) for item in input().split()] for _ in range(Q)] res = 0 for item in comb: temp_res = 0 print(item) for j in a_list: a = j[0] - 1 b = j[1] - 1 c = j[2] d = j[3] if item[b] - item[a] == c: temp_res += d print(item[b], item[a]) print(b, a) print(c, d, '---') res = max(res, temp_res) print(res) if __name__ == '__main__': resolve()
## @file GenXmlFile.py # # This file contained the logical of generate XML files. # # Copyright (c) 2011 - 2018, Intel Corporation. All rights reserved.<BR> # # SPDX-License-Identifier: BSD-2-Clause-Patent # ''' GenXmlFile '''
""" GenXmlFile """
# # PySNMP MIB module RBTWS-TRAP-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/RBTWS-TRAP-MIB # Produced by pysmi-0.3.4 at Wed May 1 14:53:51 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, SingleValueConstraint, ConstraintsIntersection, ValueSizeConstraint, ValueRangeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsUnion", "SingleValueConstraint", "ConstraintsIntersection", "ValueSizeConstraint", "ValueRangeConstraint") RbtwsApFingerprint, RbtwsRadioConfigState, RbtwsApConnectSecurityType, RbtwsChannelChangeType, RbtwsApNum, RbtwsApServiceAvailability, RbtwsRadioType, RbtwsApSerialNum, RbtwsApAttachType, RbtwsApFailDetail, RbtwsRadioMimoState, RbtwsRadioChannelWidth, RbtwsRadioMode, RbtwsRadioNum, RbtwsPowerLevel, RbtwsCryptoType, RbtwsApWasOperational, RbtwsRadioPowerChangeType, RbtwsAccessType, RbtwsApTransition, RbtwsApPortOrDapNum = mibBuilder.importSymbols("RBTWS-AP-TC", "RbtwsApFingerprint", "RbtwsRadioConfigState", "RbtwsApConnectSecurityType", "RbtwsChannelChangeType", "RbtwsApNum", "RbtwsApServiceAvailability", "RbtwsRadioType", "RbtwsApSerialNum", "RbtwsApAttachType", "RbtwsApFailDetail", "RbtwsRadioMimoState", "RbtwsRadioChannelWidth", "RbtwsRadioMode", "RbtwsRadioNum", "RbtwsPowerLevel", "RbtwsCryptoType", "RbtwsApWasOperational", "RbtwsRadioPowerChangeType", "RbtwsAccessType", "RbtwsApTransition", "RbtwsApPortOrDapNum") RbtwsClientAuthenProtocolType, RbtwsClientSessionState, RbtwsClientDot1xState, RbtwsClientAccessMode, RbtwsUserAccessType = mibBuilder.importSymbols("RBTWS-CLIENT-SESSION-TC", "RbtwsClientAuthenProtocolType", "RbtwsClientSessionState", "RbtwsClientDot1xState", "RbtwsClientAccessMode", "RbtwsUserAccessType") RbtwsRFDetectClassificationReason, = mibBuilder.importSymbols("RBTWS-RF-DETECT-TC", "RbtwsRFDetectClassificationReason") rbtwsTraps, rbtwsMibs, rbtwsTemporary = mibBuilder.importSymbols("RBTWS-ROOT-MIB", "rbtwsTraps", "rbtwsMibs", "rbtwsTemporary") NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance") Integer32, Unsigned32, TimeTicks, MibScalar, MibTable, MibTableRow, MibTableColumn, Bits, iso, NotificationType, Counter32, ObjectIdentity, IpAddress, MibIdentifier, ModuleIdentity, Gauge32, Counter64 = mibBuilder.importSymbols("SNMPv2-SMI", "Integer32", "Unsigned32", "TimeTicks", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Bits", "iso", "NotificationType", "Counter32", "ObjectIdentity", "IpAddress", "MibIdentifier", "ModuleIdentity", "Gauge32", "Counter64") TextualConvention, DisplayString, MacAddress = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString", "MacAddress") rbtwsTrapMib = ModuleIdentity((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 4, 1)) rbtwsTrapMib.setRevisions(('2008-05-15 02:15', '2008-05-07 02:12', '2008-04-22 02:02', '2008-04-10 02:01', '2008-04-08 01:58', '2008-02-18 01:57', '2007-12-03 01:53', '2007-11-15 01:52', '2007-11-01 01:45', '2007-10-01 01:41', '2007-08-31 01:40', '2007-08-24 01:22', '2007-07-06 01:10', '2007-06-05 01:07', '2007-05-17 01:06', '2007-05-04 01:03', '2007-04-19 01:00', '2007-03-27 00:54', '2007-02-15 00:53', '2007-01-09 00:52', '2007-01-09 00:51', '2007-01-09 00:50', '2006-09-28 00:45', '2006-08-08 00:42', '2006-07-31 00:40', '2006-07-28 00:32', '2006-07-23 00:29', '2006-07-12 00:28', '2006-07-07 00:26', '2006-07-07 00:25', '2006-07-06 00:23', '2006-04-19 00:22', '2006-04-19 00:21', '2005-01-01 00:00',)) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): if mibBuilder.loadTexts: rbtwsTrapMib.setRevisionsDescriptions(('v3.8.5: Clarified description to reflect the actual use and avoid future misuse of rbtwsDeviceSerNum. Updated description for rbtwsApName. Documented the meaning of RbtwsClientIpAddrChangeReason enumeration values. This will be published in 7.0 release.', 'v3.8.2: Added new trap: rbtwsClusterFailureTrap, related TC and objects: RbtwsClusterFailureReason, rbtwsClusterFailureReason, rbtwsClusterFailureDescription (for 7.0 release)', 'v3.7.2: Added new traps: rbtwsRFDetectRogueDeviceTrap2, rbtwsRFDetectSuspectDeviceTrap2 and related objects: rbtwsRFDetectXmtrRadioType, rbtwsRFDetectXmtrCryptoType. Obsoleted rbtwsRFDetectRogueDeviceTrap, rbtwsRFDetectSuspectDeviceTrap. (for 7.0 release)', 'v3.7.1: Added new trap: rbtwsClientAuthorizationSuccessTrap4, and related object: rbtwsClientRadioType. Obsoletes rbtwsClientAuthorizationSuccessTrap, rbtwsClientAuthorizationSuccessTrap2, rbtwsClientAuthorizationSuccessTrap3. (for 7.0 release)', 'v3.6.8: Obsoleted two traps: rbtwsRFDetectSpoofedMacAPTrap, rbtwsRFDetectSpoofedSsidAPTrap. (for 7.0 release)', 'v3.6.7: Redesigned the AP Operational - Radio Status trap to support 11n-capable APs. Added varbindings: rbtwsRadioChannelWidth, rbtwsRadioMimoState. The new trap is rbtwsApOperRadioStatusTrap3. (for 7.0 release)', 'v3.6.3: Obsoleted one object: rbtwsApPortOrDapNum (previously deprecated). This will be published in 7.0 release.', 'v3.6.2: Added three new traps: rbtwsApManagerChangeTrap, rbtwsClientClearedTrap2, rbtwsMobilityDomainResiliencyStatusTrap, related TCs and objects: RbtwsApMgrChangeReason, rbtwsApMgrChangeReason, rbtwsApMgrOldIp, rbtwsApMgrNewIp, rbtwsClientSessionElapsedSeconds, RbtwsClientClearedReason, rbtwsClientClearedReason, RbtwsMobilityDomainResiliencyStatus, rbtwsMobilityDomainResiliencyStatus. Obsoleted one trap: rbtwsClientClearedTrap, and related object: rbtwsClientSessionElapsedTime. (for 7.0 release)', 'v3.5.5: Added new trap: rbtwsClientAuthorizationSuccessTrap3, related TC and objects: RbtwsClientAuthorizationReason rbtwsClientAuthorizationReason, rbtwsClientAccessMode, rbtwsPhysPortNum. Obsoletes rbtwsClientAuthorizationSuccessTrap, rbtwsClientAuthorizationSuccessTrap2. (for 6.2 release)', 'v3.5.1: Cleaned up object (rbtwsAPAccessType). Marked it as obsolete, because instrumentation code for traps using it was removed long time ago. (This will be published in 6.2 release.)', "v3.5.0: Corrected rbtwsClientMACAddress2 SYNTAX: its value was always a MacAddress, not an arbitrary 'OCTET STRING (SIZE (6))'. There is no change on the wire, just a more appropriate DISPLAY-HINT.", 'v3.3.2: Added new trap: rbtwsMichaelMICFailure, related TC and object: RbtwsMichaelMICFailureCause, rbtwsMichaelMICFailureCause. Obsoletes rbtwsMpMichaelMICFailure, rbtwsMpMichaelMICFailure2. (for 6.2 release)', 'v3.2.0: Redesigned the AP Status traps. - Replaced rbtwsApAttachType and rbtwsApPortOrDapNum with a single varbinding, rbtwsApNum. - Added varbinding rbtwsRadioMode to the AP Operational - Radio Status trap. The new traps are rbtwsApNonOperStatusTrap2, rbtwsApOperRadioStatusTrap2. (for 6.2 release)', 'v3.1.2: Obsoleted one trap: rbtwsRFDetectUnAuthorizedAPTrap (for 6.2 release)', 'v3.1.1: Added new trap: rbtwsConfigurationSavedTrap and related objects: rbtwsConfigSaveFileName, rbtwsConfigSaveInitiatorType, rbtwsConfigSaveInitiatorIp, rbtwsConfigSaveInitiatorDetails, rbtwsConfigSaveGeneration. (for 6.2 release)', 'v3.0.1: added one value (3) to RbtwsClientIpAddrChangeReason', 'v3.0.0: Added six new traps: rbtwsRFDetectRogueDeviceTrap, rbtwsRFDetectRogueDeviceDisappearTrap, rbtwsRFDetectSuspectDeviceTrap, rbtwsRFDetectSuspectDeviceDisappearTrap, rbtwsRFDetectClientViaRogueWiredAPTrap3, rbtwsRFDetectClassificationChangeTrap and related object: rbtwsRFDetectClassificationReason. Obsoleted seven traps: rbtwsRFDetectRogueAPTrap, rbtwsRFDetectRogueDisappearTrap, rbtwsRFDetectInterferingRogueAPTrap, rbtwsRFDetectInterferingRogueDisappearTrap, rbtwsRFDetectUnAuthorizedSsidTrap, rbtwsRFDetectUnAuthorizedOuiTrap, rbtwsRFDetectClientViaRogueWiredAPTrap2. (for 6.2 release)', 'v2.9.2: added three values (13, 14, 15) to RbtwsAuthorizationFailureType (for 6.2 release)', 'v2.9.1: Cleaned up trap (rbtwsClientAuthorizationSuccessTrap) and object (rbtwsRadioRssi) deprecated long time ago. Marked them as obsolete, because instrumentation code was removed already. (This will be published in 6.2 release.)', 'v2.9.0: Added two textual conventions: RbtwsUserAttributeList, RbtwsSessionDisconnectType three new traps: rbtwsClientDynAuthorChangeSuccessTrap, rbtwsClientDynAuthorChangeFailureTrap, rbtwsClientDisconnectTrap and related objects: rbtwsClientDynAuthorClientIp, rbtwsChangedUserParamOldValues, rbtwsChangedUserParamNewValues, rbtwsClientDisconnectSource, rbtwsClientDisconnectDescription (for 6.2 release)', 'v2.8.5: added one value (24) to RbtwsRFDetectDoSType (for 6.2 release)', 'v2.6.4: Added two new traps: rbtwsMobilityDomainFailOverTrap, rbtwsMobilityDomainFailBackTrap and related objects: rbtwsMobilityDomainSecondarySeedIp, rbtwsMobilityDomainPrimarySeedIp (for 6.0 release)', 'v2.6.2: Factored out four textual conventions into a new module, Client Session TC: RbtwsClientSessionState, RbtwsClientAuthenProtocolType, RbtwsClientDot1xState, RbtwsUserAccessType and imported them from there.', 'v2.5.2: Added new trap: rbtwsApRejectLicenseExceededTrap and related object: rbtwsNumLicensedActiveAPs (for 6.0 release)', 'v2.5.0: Added new trap: rbtwsRFDetectAdhocUserDisappearTrap (for 6.0 release)', 'v2.4.7: Removed unused imports', 'v2.4.1: Added new trap: rbtwsRFDetectBlacklistedTrap, related textual convention: RbtwsBlacklistingCause and objects: rbtwsBlacklistingRemainingTime, rbtwsBlacklistingCause (for 6.0 release)', 'v2.4.0: Added new trap: RFDetectClientViaRogueWiredAPTrap2 and related object: rbtwsRFDetectRogueAPMacAddr. This trap obsoletes the RFDetectClientViaRogueWiredAPTrap (for 6.0 release)', 'v2.3.1: Added 3 new traps: rbtwsClientAssociationSuccessTrap, rbtwsClientAuthenticationSuccessTrap, rbtwsClientDeAuthenticationTrap (for 6.0 release)', 'v2.3.0: Added new trap: rbtwsClientIpAddrChangeTrap and related object: RbtwsClientIpAddrChangeReason (for 6.0 release)', 'v2.2.0: added two values (13, 14) to RbtwsAuthenticationFailureType (for 6.0 release)', 'v2.1.6: Updated client connection failure causes and descriptions (for 5.0 release)', 'v2.0.6: Revised for 4.1 release', 'v1: initial version, as for 4.0 and older releases',)) if mibBuilder.loadTexts: rbtwsTrapMib.setLastUpdated('200805151711Z') if mibBuilder.loadTexts: rbtwsTrapMib.setOrganization('Enterasys Networks') if mibBuilder.loadTexts: rbtwsTrapMib.setContactInfo('www.enterasys.com') if mibBuilder.loadTexts: rbtwsTrapMib.setDescription("Notifications emitted by Enterasys Networks wireless switches. AP = Access Point; AC = Access Controller (wireless switch), the device that runs a SNMP Agent implementing this MIB. Copyright 2008 Enterasys Networks, Inc. All rights reserved. This SNMP Management Information Base Specification (Specification) embodies confidential and proprietary intellectual property. This Specification is supplied 'AS IS' and Enterasys Networks makes no warranty, either express or implied, as to the use, operation, condition, or performance of the Specification.") rbtwsTrapsV2 = MibIdentifier((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0)) class RbtwsAssociationFailureType(TextualConvention, Integer32): description = "Enumeration of the reasons for an AP to fail a client's 802.11 association" status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13)) namedValues = NamedValues(("other", 1), ("load-balance", 2), ("quiet-period", 3), ("dot1x", 4), ("no-prev-assoc", 5), ("glare", 6), ("cipher-rejected", 7), ("cipher-mismatch", 8), ("wep-not-configured", 9), ("bad-assoc-request", 10), ("out-of-memory", 11), ("tkip-cm-active", 12), ("roam-in-progress", 13)) class RbtwsAuthenticationFailureType(TextualConvention, Integer32): description = "Enumeration of the reasons for AAA authentication to fail user-glob-mismatch - auth rule/user not found for console login user-does-not-exist - login failed because user not found invalid-password - login failed because of invalid password server-timeout - unable to contact a AAA server signature-failed - incorrect password for mschapv2 local-certificate-error - certificate error all-servers-down - unable to contact any AAA server in the group authentication-type-mismatch - client and switch are using different authentication methods server-rejected - received reject from AAA server fallthru-auth-misconfig - problem with fallthru authentication no-lastresort-auth - problem with last-resort authentication exceeded-max-attempts - local user failed to login within allowed number of attempts resulting in account lockout password-expired - user's password expired" status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14)) namedValues = NamedValues(("other", 1), ("user-glob-mismatch", 2), ("user-does-not-exist", 3), ("invalid-password", 4), ("server-timeout", 5), ("signature-failed", 6), ("local-certificate-error", 7), ("all-servers-down", 8), ("authentication-type-mismatch", 9), ("server-rejected", 10), ("fallthru-auth-misconfig", 11), ("no-lastresort-auth", 12), ("exceeded-max-attempts", 13), ("password-expired", 14)) class RbtwsAuthorizationFailureType(TextualConvention, Integer32): description = 'Enumeration of the reasons for AAA authorization failure' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15)) namedValues = NamedValues(("other", 1), ("user-param", 2), ("location-policy", 3), ("vlan-tunnel-failure", 4), ("ssid-mismatch", 5), ("acl-mismatch", 6), ("timeofday-mismatch", 7), ("crypto-type-mismatch", 8), ("mobility-profile-mismatch", 9), ("start-date-mismatch", 10), ("end-date-mismatch", 11), ("svr-type-mismatch", 12), ("ssid-defaults", 13), ("qos-profile-mismatch", 14), ("simultaneous-logins", 15)) class RbtwsDot1xFailureType(TextualConvention, Integer32): description = "Enumeration of the dot1x failure reasons. quiet-period occurs when client is denied access for a period of time after a failed connection attempt administrative-kill means that the session was cleared using the 'clear dot1x client' command bad-rsnie means that client sent an invalid IE timeout is when there are excessive retransmissions max-sessions-exceeded means the maximum allowed wired clients has been exceeded on the switch fourway-hs-failure is for failures occuring the 4-way key handshake user-glob-mismatch means the name received in the dot1x identity request does not match any configured userglobs in the system reauth-disabled means that the client is trying to reauthenticate but reauthentication is disabled gkhs-failure means that either there was no response from the client during the GKHS or the response did not have an IE force-unauth-configured means that the client is trying to connect through a port which is configured as force-unauth cert-not-installed means that there is no certificate installed on the switch" status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13)) namedValues = NamedValues(("other", 1), ("quiet-period", 2), ("administrative-kill", 3), ("bad-rsnie", 4), ("timeout", 5), ("max-sessions-exceeded", 6), ("fourway-hs-failure", 7), ("user-glob-mismatch", 8), ("bonded-auth-failure", 9), ("reauth-disabled", 10), ("gkhs-failure", 11), ("force-unauth-configured", 12), ("cert-not-installed", 13)) class RbtwsRFDetectDoSType(TextualConvention, Integer32): description = 'The types of denial of service (DoS) attacks' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24)) namedValues = NamedValues(("probe-flood", 1), ("auth-flood", 2), ("null-data-flood", 3), ("mgmt-6-flood", 4), ("mgmt-7-flood", 5), ("mgmt-d-flood", 6), ("mgmt-e-flood", 7), ("mgmt-f-flood", 8), ("fakeap-ssid", 9), ("fakeap-bssid", 10), ("bcast-deauth", 11), ("null-probe-resp", 12), ("disassoc-spoof", 13), ("deauth-spoof", 14), ("decrypt-err", 15), ("weak-wep-iv", 16), ("wireless-bridge", 17), ("netstumbler", 18), ("wellenreiter", 19), ("adhoc-client-frame", 20), ("associate-pkt-flood", 21), ("re-associate-pkt-flood", 22), ("de-associate-pkt-flood", 23), ("bssid-spoof", 24)) class RbtwsClientIpAddrChangeReason(TextualConvention, Integer32): description = 'Describes the reasons for client IP address changes: client-connected: IP address assigned on initial connection; other: IP address changed after initial connection; dhcp-to-static: erroneous condition where client IP address is changed to a static address while the dhcp-restrict option is enabled.' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3)) namedValues = NamedValues(("client-connected", 1), ("other", 2), ("dhcp-to-static", 3)) class RbtwsBlacklistingCause(TextualConvention, Integer32): description = "Enumeration of reasons for blacklisting a transmitter: bl-configured: administrative action (explicitly added to the Black List), bl-associate-pkt-flood: Association request flood detected, bl-re-associate-pkt-flood: Re-association request flood detected, bl-de-associate-pkt-flood: De-association request flood detected. (The leading 'bl-' stands for 'Black-Listed'; reading it as 'Blocked' would also make sense)." status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4)) namedValues = NamedValues(("bl-configured", 1), ("bl-associate-pkt-flood", 2), ("bl-re-associate-pkt-flood", 3), ("bl-de-associate-pkt-flood", 4)) class RbtwsUserAttributeList(DisplayString): description = 'Display string listing AAA attributes and their values. These strings can be used, for example, in change of authorization notifications. The syntax is: attribute_name1=value1, attribute_name2=value2, ... where attribute_name can be one of the following: vlan-name, in-acl, out-acl, mobility-prof, time-of-day, end-date, sess-timeout, acct-interval, service-type. Example: vlan-name=red, in-acl=in_acl_1' status = 'current' subtypeSpec = DisplayString.subtypeSpec + ValueSizeConstraint(0, 2048) class RbtwsSessionDisconnectType(TextualConvention, Integer32): description = 'Enumeration of the sources that can initiate the termination of a session: admin-disconnect: session terminated by administrative action (from console, telnet session, WebView, or RASM). dyn-auth-disconnect: session terminated by dynamic authorization client; description will have the IP address of the dynamic authorization client which sent the request.' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3)) namedValues = NamedValues(("other", 1), ("admin-disconnect", 2), ("dyn-auth-disconnect", 3)) class RbtwsConfigSaveInitiatorType(TextualConvention, Integer32): description = 'Enumeration of the sources that can initiate a configuration save: cli-console: configuration save requested from serial console administrative session. cli-remote: configuration save requested from telnet or ssh administrative session. https: configuration save requested via HTTPS API (RASM or WebView). snmp-set: configuration saved as a result of performing a SNMP SET operation.' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5)) namedValues = NamedValues(("other", 1), ("cli-console", 2), ("cli-remote", 3), ("https", 4), ("snmp-set", 5)) class RbtwsMichaelMICFailureCause(TextualConvention, Integer32): description = 'Describes the cause/source of Michael MIC Failure detection.' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2)) namedValues = NamedValues(("detected-by-ap", 1), ("detected-by-client", 2)) class RbtwsClientAuthorizationReason(TextualConvention, Integer32): description = 'Enumeration of the reasons for AAA authorization.' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4)) namedValues = NamedValues(("other", 1), ("new-client", 2), ("re-auth", 3), ("roam", 4)) class RbtwsApMgrChangeReason(TextualConvention, Integer32): description = "Enumeration of the reasons why AP is switching to its secondary link: failover: AP's primary link failed. load-balancing: AP's primary link is overloaded." status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3)) namedValues = NamedValues(("other", 1), ("failover", 2), ("load-balancing", 3)) class RbtwsClientClearedReason(TextualConvention, Integer32): description = 'Enumeration of the reasons for clearing a session: normal: Session was cleared from the switch as the last step in the normal session termination process. backup-failure: The backup switch could not activate a session from a failed MX.' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3)) namedValues = NamedValues(("other", 1), ("normal", 2), ("backup-failure", 3)) class RbtwsMobilityDomainResiliencyStatus(TextualConvention, Integer32): description = 'Enumeration of the current resilient capacity status for a mobility domain: resilient: Every AP in the mobility domain has a secondary backup link. If the primary switch of an AP failed, the AP and its sessions would fail over to its backup link. degraded: Some APs only have a primary link. If the primary switch of an AP without a backup link failed, the AP would reboot and its sessions would be lost.' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3)) namedValues = NamedValues(("other", 1), ("resilient", 2), ("degraded", 3)) class RbtwsClusterFailureReason(TextualConvention, Integer32): description = 'Enumeration of the reasons why the AC goes into cluster failure state: validation-error: Cluster configuration rejected due to validation error.' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2)) namedValues = NamedValues(("other", 1), ("validation-error", 2)) rbtwsDeviceId = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 1), ObjectIdentifier()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsDeviceId.setStatus('current') if mibBuilder.loadTexts: rbtwsDeviceId.setDescription('Enumeration of devices as indicated in registration MIB. This object is used within notifications and is not accessible.') rbtwsMobilityDomainIp = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 2), IpAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsMobilityDomainIp.setStatus('current') if mibBuilder.loadTexts: rbtwsMobilityDomainIp.setDescription('IP address of the other switch which the send switch is reporting on. This object is used within notifications and is not accessible.') rbtwsAPMACAddress = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 3), MacAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsAPMACAddress.setStatus('current') if mibBuilder.loadTexts: rbtwsAPMACAddress.setDescription('MAC address of the AP of interest. This object is used within notifications and is not accessible.') rbtwsClientMACAddress = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 4), MacAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientMACAddress.setStatus('current') if mibBuilder.loadTexts: rbtwsClientMACAddress.setDescription('MAC address of the client of interest. This object is used within notifications and is not accessible.') rbtwsRFDetectXmtrMacAddr = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 5), MacAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRFDetectXmtrMacAddr.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectXmtrMacAddr.setDescription("Describes the transmitter's MAC address. This object is used within notifications and is not accessible.") rbtwsPortNum = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 22))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsPortNum.setStatus('current') if mibBuilder.loadTexts: rbtwsPortNum.setDescription('Port number on the AC which reported this rogue during a detection sweep. This object is used within notifications and is not accessible.') rbtwsAPRadioNum = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 7), RbtwsRadioNum()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsAPRadioNum.setStatus('current') if mibBuilder.loadTexts: rbtwsAPRadioNum.setDescription('Radio number of the AP which reported this rogue during a detection sweep. This object is used within notifications and is not accessible.') rbtwsRadioRssi = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1024))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRadioRssi.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRadioRssi.setDescription('The received signal strength as measured by the AP radio which reported this rogue during a detection sweep. This object is used within notifications and is not accessible. Not used by any notification.') rbtwsRadioBSSID = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 9), OctetString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRadioBSSID.setStatus('current') if mibBuilder.loadTexts: rbtwsRadioBSSID.setDescription('The basic service set identifier of the rogue from the beacon frame reported by the AP during a detection sweep. This object is used within notifications and is not accessible.') rbtwsUserName = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 10), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsUserName.setStatus('current') if mibBuilder.loadTexts: rbtwsUserName.setDescription('The client user name as learned from the AAA process. This object is used within notifications and is not accessible.') rbtwsClientAuthServerIp = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 11), IpAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientAuthServerIp.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAuthServerIp.setDescription('The client authentication server ip address. This object is used within notifications and is not accessible.') rbtwsClientSessionState = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 12), RbtwsClientSessionState()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientSessionState.setStatus('current') if mibBuilder.loadTexts: rbtwsClientSessionState.setDescription('The state for a client session. This object is used within notifications and is not accessible.') rbtwsDAPNum = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 100))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsDAPNum.setStatus('current') if mibBuilder.loadTexts: rbtwsDAPNum.setDescription('The DAP number on the wireless switch. This object is used within notifications and is not accessible.') rbtwsClientIp = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 14), IpAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientIp.setStatus('current') if mibBuilder.loadTexts: rbtwsClientIp.setDescription('The client ip address. This object is used within notifications and is not accessible.') rbtwsClientSessionId = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 15), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientSessionId.setStatus('current') if mibBuilder.loadTexts: rbtwsClientSessionId.setDescription('The unique global id for a client session. This object is used within notifications and is not accessible.') rbtwsClientAuthenProtocolType = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 16), RbtwsClientAuthenProtocolType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientAuthenProtocolType.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAuthenProtocolType.setDescription('The authentication protocol for a client. This object is used within notifications and is not accessible.') rbtwsClientVLANName = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 17), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientVLANName.setStatus('current') if mibBuilder.loadTexts: rbtwsClientVLANName.setDescription('The vlan name a client is on. This object is used within notifications and is not accessible.') rbtwsClientSessionStartTime = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 18), TimeTicks()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientSessionStartTime.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsClientSessionStartTime.setDescription("The start time of a client session, relative to the sysUptime. This object is used within notifications and is not accessible. Obsolete. Do not use it because it's not vital information and often *cannot* be implemented to match the declared semantics: a client session might have been created on another wireless switch, *before* the current switch booted (the local zero of sysUptime).") rbtwsClientFailureCause = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 19), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientFailureCause.setStatus('current') if mibBuilder.loadTexts: rbtwsClientFailureCause.setDescription('Display string for possible failure cause for a client session. This object is used within notifications and is not accessible.') rbtwsClientRoamedFromPortNum = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 20), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 20))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientRoamedFromPortNum.setStatus('current') if mibBuilder.loadTexts: rbtwsClientRoamedFromPortNum.setDescription('The port number on the AC a client has roamed from. This object is used within notifications and is not accessible.') rbtwsClientRoamedFromRadioNum = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 21), RbtwsRadioNum()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientRoamedFromRadioNum.setStatus('current') if mibBuilder.loadTexts: rbtwsClientRoamedFromRadioNum.setDescription('The radio number of the AP the client is roamed from. This object is used within notifications and is not accessible.') rbtwsClientRoamedFromDAPNum = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 22), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 100))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientRoamedFromDAPNum.setStatus('current') if mibBuilder.loadTexts: rbtwsClientRoamedFromDAPNum.setDescription('The DAP number on the AC which reported this rogue during roam. This object is used within notifications and is not accessible.') rbtwsUserParams = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 23), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsUserParams.setStatus('current') if mibBuilder.loadTexts: rbtwsUserParams.setDescription('A display string of User Parameters for client user authorization attributes learned through AAA and/or used by the system. Note that the syntax will be (name=value, name=value,..) for the parsing purpose. This object is used within notifications and is not accessible.') rbtwsClientLocationPolicyIndex = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 24), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1024))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientLocationPolicyIndex.setStatus('current') if mibBuilder.loadTexts: rbtwsClientLocationPolicyIndex.setDescription('Index of the Location Policy rule applied to a user. This object is used within notifications and is not accessible.') rbtwsClientAssociationFailureCause = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 25), RbtwsAssociationFailureType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientAssociationFailureCause.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAssociationFailureCause.setDescription('The client association failure cause. This object is used within notifications and is not accessible.') rbtwsClientAuthenticationFailureCause = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 26), RbtwsAuthenticationFailureType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientAuthenticationFailureCause.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAuthenticationFailureCause.setDescription('The client authentication failure cause. This object is used within notifications and is not accessible.') rbtwsClientAuthorizationFailureCause = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 27), RbtwsAuthorizationFailureType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientAuthorizationFailureCause.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAuthorizationFailureCause.setDescription('The client authorization failure cause. Note that if it is the user-param, we would additionally expect the failure cause description to list the user attribute value that caused the failure. This object is used within notifications and is not accessible.') rbtwsClientFailureCauseDescription = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 28), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientFailureCauseDescription.setStatus('current') if mibBuilder.loadTexts: rbtwsClientFailureCauseDescription.setDescription('Display string for describing the client failure cause. This object is used within notifications and is not accessible.') rbtwsClientRoamedFromWsIp = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 29), IpAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientRoamedFromWsIp.setStatus('current') if mibBuilder.loadTexts: rbtwsClientRoamedFromWsIp.setDescription('The system IP address of the AC (wireless switch) a client roamed from. This object is used within notifications and is not accessible.') rbtwsClientRoamedFromAccessType = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 30), RbtwsAccessType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientRoamedFromAccessType.setStatus('current') if mibBuilder.loadTexts: rbtwsClientRoamedFromAccessType.setDescription('The client access type (ap, dap, wired) that a client roamed from. This object is used within notifications and is not accessible.') rbtwsClientAccessType = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 31), RbtwsAccessType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientAccessType.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAccessType.setDescription('The client access type (ap, dap, wired). This object is used within notifications and is not accessible. For new traps, use rbtwsClientAccessMode instead of this object.') rbtwsRadioMACAddress = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 32), MacAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRadioMACAddress.setStatus('current') if mibBuilder.loadTexts: rbtwsRadioMACAddress.setDescription('AP Radio MAC address. This object is used within notifications and is not accessible.') rbtwsRadioPowerChangeReason = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 33), RbtwsRadioPowerChangeType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRadioPowerChangeReason.setStatus('current') if mibBuilder.loadTexts: rbtwsRadioPowerChangeReason.setDescription('The type of event that caused an AP radio power change; occurs due to auto-tune operation. This object is used within notifications and is not accessible.') rbtwsNewChannelNum = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 34), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1024))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsNewChannelNum.setStatus('current') if mibBuilder.loadTexts: rbtwsNewChannelNum.setDescription('New channel number of the AP radio used after an auto tune event. This object is used within notifications and is not accessible.') rbtwsOldChannelNum = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 35), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1024))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsOldChannelNum.setStatus('current') if mibBuilder.loadTexts: rbtwsOldChannelNum.setDescription('Old channel number of the AP radio used before an auto tune event. This object is used within notifications and is not accessible.') rbtwsChannelChangeReason = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 36), RbtwsChannelChangeType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsChannelChangeReason.setStatus('current') if mibBuilder.loadTexts: rbtwsChannelChangeReason.setDescription('The type of event that caused an AP radio channel change; occurs due to auto-tune operation. This object is used within notifications and is not accessible.') rbtwsRFDetectListenerListInfo = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 37), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 571))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRFDetectListenerListInfo.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectListenerListInfo.setDescription('The RF Detection Listener list info including a list of (listener mac, rssi, channel, ssid, time). There will be a maximum of 6 entries in the list. Formats: MAC: 18 bytes: %2.2X:%2.2X:%2.2X:%2.2X:%2.2X:%2.2X RSSI: 10 bytes: %10d CHANNEL: 3 bytes: %3d SSID: 32 bytes: %s TIME: 26 bytes: %s Maximum size per entry is 89+4+2 = 95 bytes. Maximum size of the string is 6*95= 571 bytes (include NULL). This object is used within notifications and is not accessible.') rbtwsRadioSSID = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 38), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRadioSSID.setStatus('current') if mibBuilder.loadTexts: rbtwsRadioSSID.setDescription('The radio SSID string This object is used within notifications and is not accessible.') rbtwsNewPowerLevel = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 39), RbtwsPowerLevel()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsNewPowerLevel.setStatus('current') if mibBuilder.loadTexts: rbtwsNewPowerLevel.setDescription('New power level of the AP radio used after an auto tune event. This object is used within notifications and is not accessible.') rbtwsOldPowerLevel = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 40), RbtwsPowerLevel()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsOldPowerLevel.setStatus('current') if mibBuilder.loadTexts: rbtwsOldPowerLevel.setDescription('Old power level of the AP radio used before an auto tune event. This object is used within notifications and is not accessible.') rbtwsRadioPowerChangeDescription = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 41), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRadioPowerChangeDescription.setStatus('current') if mibBuilder.loadTexts: rbtwsRadioPowerChangeDescription.setDescription('The radio power change description. In the case of reason being dup-pkts-threshold-exceed(1), and retransmit-threshold-exceed(2), clientMacAddress will be included in the description. This object is used within notifications and is not accessible.') rbtwsCounterMeasurePerformerListInfo = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 42), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsCounterMeasurePerformerListInfo.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsCounterMeasurePerformerListInfo.setDescription('A list of information for APs performing Counter Measures including a list of performer mac addresses. This object is used within notifications and is not accessible. Not used by any notification.') rbtwsClientDot1xState = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 43), RbtwsClientDot1xState()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientDot1xState.setStatus('current') if mibBuilder.loadTexts: rbtwsClientDot1xState.setDescription('The state for a client 802.1X. This object is used within notifications and is not accessible.') rbtwsClientDot1xFailureCause = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 44), RbtwsDot1xFailureType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientDot1xFailureCause.setStatus('current') if mibBuilder.loadTexts: rbtwsClientDot1xFailureCause.setDescription('The client 802.1X failure cause. This object is used within notifications and is not accessible.') rbtwsAPAccessType = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 45), RbtwsAccessType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsAPAccessType.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsAPAccessType.setDescription('The access point access type (ap, dap,). This object is used within notifications and is not accessible. Not used by any notification.') rbtwsUserAccessType = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 46), RbtwsUserAccessType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsUserAccessType.setStatus('current') if mibBuilder.loadTexts: rbtwsUserAccessType.setDescription('The user access type (MAC, WEB, DOT1X, LAST-RESORT). This object is used within notifications and is not accessible.') rbtwsClientSessionElapsedTime = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 47), TimeTicks()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientSessionElapsedTime.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsClientSessionElapsedTime.setDescription('The elapsed time for a client session. Obsoleted because session time is usually reported in seconds. This object is used within notifications and is not accessible.') rbtwsLocalId = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 48), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65000))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsLocalId.setStatus('current') if mibBuilder.loadTexts: rbtwsLocalId.setDescription('Local Id for the session. This object is used within notifications and is not accessible.') rbtwsRFDetectDoSType = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 49), RbtwsRFDetectDoSType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRFDetectDoSType.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectDoSType.setDescription('The type of denial of service (DoS) attack. This object is used within notifications and is not accessible.') rbtwsSourceWsIp = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 50), IpAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsSourceWsIp.setStatus('current') if mibBuilder.loadTexts: rbtwsSourceWsIp.setDescription('IP address of another AC (wireless switch). This object is used within notifications and is not accessible.') rbtwsClientVLANid = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 51), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientVLANid.setStatus('current') if mibBuilder.loadTexts: rbtwsClientVLANid.setDescription('VLAN ID used by client traffic. This object is used within notifications and is not accessible.') rbtwsClientVLANtag = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 52), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientVLANtag.setStatus('current') if mibBuilder.loadTexts: rbtwsClientVLANtag.setDescription('VLAN tag used by client traffic. This object is used within notifications and is not accessible.') rbtwsDeviceModel = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 53), DisplayString()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsDeviceModel.setStatus('current') if mibBuilder.loadTexts: rbtwsDeviceModel.setDescription('The model of a device in printable US-ASCII. If unknown (or not available), then the value is a zero length string. This object is used within notifications and is not accessible.') rbtwsDeviceSerNum = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 54), RbtwsApSerialNum()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsDeviceSerNum.setStatus('current') if mibBuilder.loadTexts: rbtwsDeviceSerNum.setDescription('The serial number of an AP in printable US-ASCII. If unknown (or not available), then the value is a zero length string. Should NOT be used to identify other devices, for example an AC (wireless switch). This object is used within notifications and is not accessible.') rbtwsRsaPubKeyFingerPrint = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 55), RbtwsApFingerprint()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRsaPubKeyFingerPrint.setStatus('current') if mibBuilder.loadTexts: rbtwsRsaPubKeyFingerPrint.setDescription('The hash of the RSA public key (of a key pair) in binary form that uniquely identifies the public key of an AP. This object is used within notifications and is not accessible.') rbtwsDAPconnectWarningType = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 56), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("not-configured-fingerprint-connect", 1), ("secure-handshake-failure", 2), ("not-configured-fingerprint-required", 3), ("fingerprint-mismatch", 4)))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsDAPconnectWarningType.setStatus('current') if mibBuilder.loadTexts: rbtwsDAPconnectWarningType.setDescription("The type of DAP connect warning. The values are: not-configured-fingerprint-connect(1)...a DAP, which has an RSA keypair but did not have its fingerprint configured on the AC, has connected to the AC when 'dap security' set to 'OPTIONAL' secure-handshake-failure(2).............a DAP tried to connect to the AC with security, but the handshake failed not-configured-fingerprint-required(3)..a DAP tried to connect to the AC with security, but 'dap security' set to 'REQUIRED', and no fingerprint was configured for the DAP fingerprint-mismatch(4).................a DAP tried to connect to the AC with security and its fingerprint was configured, but the fingerprint did not match the computed one This object is used within notifications and is not accessible.") rbtwsClientMACAddress2 = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 57), MacAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientMACAddress2.setStatus('current') if mibBuilder.loadTexts: rbtwsClientMACAddress2.setDescription('MAC address of the second client of interest. This object is used within notifications and is not accessible.') rbtwsApAttachType = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 58), RbtwsApAttachType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsApAttachType.setStatus('current') if mibBuilder.loadTexts: rbtwsApAttachType.setDescription('How the AP is attached to the AC (directly or via L2/L3 network). This object is used within notifications and is not accessible.') rbtwsApPortOrDapNum = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 59), RbtwsApPortOrDapNum()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsApPortOrDapNum.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsApPortOrDapNum.setDescription('The Port Number if the AP is directly attached, or the CLI-assigned DAP Number if attached via L2/L3 network. This object is used within notifications and is not accessible. Obsoleted by rbtwsApNum. (In 6.0, direct- and network-attached APs were unified.)') rbtwsApName = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 60), DisplayString()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsApName.setStatus('current') if mibBuilder.loadTexts: rbtwsApName.setDescription("The name of the AP, as assigned in AC's CLI; defaults to AP<Number> (examples: 'AP01', 'AP22', 'AP333', 'AP4444'); could have been changed from CLI to a meaningful name, for example the location of the AP (example: 'MeetingRoom73'). This object is used within notifications and is not accessible.") rbtwsApTransition = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 61), RbtwsApTransition()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsApTransition.setStatus('current') if mibBuilder.loadTexts: rbtwsApTransition.setDescription('AP state Transition, as seen by the AC. This object is used within notifications and is not accessible.') rbtwsApFailDetail = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 62), RbtwsApFailDetail()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsApFailDetail.setStatus('current') if mibBuilder.loadTexts: rbtwsApFailDetail.setDescription("Detailed failure code for some of the transitions specified in 'rbtwsApTransition' object. This object is used within notifications and is not accessible.") rbtwsRadioType = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 63), RbtwsRadioType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRadioType.setStatus('current') if mibBuilder.loadTexts: rbtwsRadioType.setDescription('Indicates the AP Radio Type, as seen by AC. This object is used within notifications and is not accessible.') rbtwsRadioConfigState = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 64), RbtwsRadioConfigState()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRadioConfigState.setStatus('current') if mibBuilder.loadTexts: rbtwsRadioConfigState.setDescription('Indicates the Radio State, as seen by the AC. This object is used within notifications and is not accessible.') rbtwsApConnectSecurityType = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 65), RbtwsApConnectSecurityType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsApConnectSecurityType.setStatus('current') if mibBuilder.loadTexts: rbtwsApConnectSecurityType.setDescription('Indicates the security level of the connection between AP and AC. This object is used within notifications and is not accessible.') rbtwsApServiceAvailability = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 66), RbtwsApServiceAvailability()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsApServiceAvailability.setStatus('current') if mibBuilder.loadTexts: rbtwsApServiceAvailability.setDescription('Indicates the level of wireless service availability. This object is used within notifications and is not accessible.') rbtwsApWasOperational = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 67), RbtwsApWasOperational()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsApWasOperational.setStatus('current') if mibBuilder.loadTexts: rbtwsApWasOperational.setDescription('Indicates whether the AP was operational before a transition occured. This object is used within notifications and is not accessible.') rbtwsClientTimeSinceLastRoam = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 68), Unsigned32()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientTimeSinceLastRoam.setStatus('current') if mibBuilder.loadTexts: rbtwsClientTimeSinceLastRoam.setDescription('The time in seconds since the most recent roam of a given client. This object is used within notifications and is not accessible.') rbtwsClientIpAddrChangeReason = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 69), RbtwsClientIpAddrChangeReason()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientIpAddrChangeReason.setStatus('current') if mibBuilder.loadTexts: rbtwsClientIpAddrChangeReason.setDescription('Indicates the reason why client IP address changed. This object is used within notifications and is not accessible.') rbtwsRFDetectRogueAPMacAddr = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 70), MacAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRFDetectRogueAPMacAddr.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectRogueAPMacAddr.setDescription('Describes the MAC address of the Rogue AP the transmitter is connected to. This object is used within notifications and is not accessible.') rbtwsBlacklistingRemainingTime = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 71), Unsigned32()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsBlacklistingRemainingTime.setStatus('current') if mibBuilder.loadTexts: rbtwsBlacklistingRemainingTime.setDescription('The time in seconds remaining until a given transmitter could be removed from the Black List. This object is used within notifications and is not accessible.') rbtwsBlacklistingCause = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 72), RbtwsBlacklistingCause()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsBlacklistingCause.setStatus('current') if mibBuilder.loadTexts: rbtwsBlacklistingCause.setDescription('Indicates the reason why a given transmitter is blacklisted. This object is used within notifications and is not accessible.') rbtwsNumLicensedActiveAPs = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 73), Unsigned32()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsNumLicensedActiveAPs.setStatus('current') if mibBuilder.loadTexts: rbtwsNumLicensedActiveAPs.setDescription('Indicates the maximum (licensed) number of active APs for this AC. This object is used within notifications and is not accessible.') rbtwsClientDynAuthorClientIp = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 74), IpAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientDynAuthorClientIp.setStatus('current') if mibBuilder.loadTexts: rbtwsClientDynAuthorClientIp.setDescription('The dynamic authorization client IP address which caused the change of authorization. This object is used within notifications and is not accessible.') rbtwsChangedUserParamOldValues = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 75), RbtwsUserAttributeList()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsChangedUserParamOldValues.setStatus('current') if mibBuilder.loadTexts: rbtwsChangedUserParamOldValues.setDescription('A display string listing the changed AAA attributes and their values, before the change of authorization was executed. This object is used within notifications and is not accessible.') rbtwsChangedUserParamNewValues = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 76), RbtwsUserAttributeList()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsChangedUserParamNewValues.setStatus('current') if mibBuilder.loadTexts: rbtwsChangedUserParamNewValues.setDescription('A display string listing the changed AAA attributes and their values, after the change of authorization was executed. This object is used within notifications and is not accessible.') rbtwsClientDisconnectSource = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 77), RbtwsSessionDisconnectType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientDisconnectSource.setStatus('current') if mibBuilder.loadTexts: rbtwsClientDisconnectSource.setDescription('The external source that initiated the termination of a session. This object is used within notifications and is not accessible.') rbtwsClientDisconnectDescription = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 78), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientDisconnectDescription.setStatus('current') if mibBuilder.loadTexts: rbtwsClientDisconnectDescription.setDescription('Display string for providing available information related to the external source that initiated a session termination. This object is used within notifications and is not accessible.') rbtwsMobilityDomainSecondarySeedIp = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 79), IpAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsMobilityDomainSecondarySeedIp.setStatus('current') if mibBuilder.loadTexts: rbtwsMobilityDomainSecondarySeedIp.setDescription('The secondary seed IP address to which the Mobility Domain has failed over. This object is used within notifications and is not accessible.') rbtwsMobilityDomainPrimarySeedIp = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 80), IpAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsMobilityDomainPrimarySeedIp.setStatus('current') if mibBuilder.loadTexts: rbtwsMobilityDomainPrimarySeedIp.setDescription('The primary seed IP address to which the Mobility Domain has failed back. This object is used within notifications and is not accessible.') rbtwsRFDetectClassificationReason = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 81), RbtwsRFDetectClassificationReason()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRFDetectClassificationReason.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectClassificationReason.setDescription('Indicates the reason why a RF device is classified the way it is. This object is used within notifications and is not accessible.') rbtwsConfigSaveFileName = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 82), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsConfigSaveFileName.setStatus('current') if mibBuilder.loadTexts: rbtwsConfigSaveFileName.setDescription('Display string listing the name of the file to which the running configuration was saved. This object is used within notifications and is not accessible.') rbtwsConfigSaveInitiatorType = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 83), RbtwsConfigSaveInitiatorType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsConfigSaveInitiatorType.setStatus('current') if mibBuilder.loadTexts: rbtwsConfigSaveInitiatorType.setDescription('Indicates the source that initiated a configuration save. This object is used within notifications and is not accessible.') rbtwsConfigSaveInitiatorIp = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 84), IpAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsConfigSaveInitiatorIp.setStatus('current') if mibBuilder.loadTexts: rbtwsConfigSaveInitiatorIp.setDescription('The IP address of the source that initiated a configuration save. This object is used within notifications and is not accessible.') rbtwsConfigSaveInitiatorDetails = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 85), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsConfigSaveInitiatorDetails.setStatus('current') if mibBuilder.loadTexts: rbtwsConfigSaveInitiatorDetails.setDescription('Display string listing additional information regarding the source that initiated a configuration save, when available. This object is used within notifications and is not accessible.') rbtwsConfigSaveGeneration = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 86), Counter32()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsConfigSaveGeneration.setStatus('current') if mibBuilder.loadTexts: rbtwsConfigSaveGeneration.setDescription('Indicates the number of configuration changes since the last system boot. The generation count is used to track the number of times the running configuration has been changed due to administrative actions (set/clear), SNMP requests (SET), XML requests (e.g. RASM). This object is used within notifications and is not accessible.') rbtwsApNum = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 87), RbtwsApNum()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsApNum.setStatus('current') if mibBuilder.loadTexts: rbtwsApNum.setDescription('The administratively assigned AP Number, unique on same AC (switch), regardless of how APs are attached to the AC. This object is used within notifications and is not accessible. Obsoletes rbtwsApPortOrDapNum. For clarity, use this object to identify an AP since in 6.0 directly attached APs and DAPs were unified.') rbtwsRadioMode = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 88), RbtwsRadioMode()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRadioMode.setStatus('current') if mibBuilder.loadTexts: rbtwsRadioMode.setDescription('Indicates the administratively controlled Radio Mode (enabled/disabled/sentry). This object is used within notifications and is not accessible.') rbtwsMichaelMICFailureCause = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 89), RbtwsMichaelMICFailureCause()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsMichaelMICFailureCause.setStatus('current') if mibBuilder.loadTexts: rbtwsMichaelMICFailureCause.setDescription('Indicates the Michael MIC Failure cause / who detected it. This object is used within notifications and is not accessible.') rbtwsClientAccessMode = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 90), RbtwsClientAccessMode()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientAccessMode.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAccessMode.setDescription('The client access mode (ap, wired). This object is used within notifications and is not accessible. Intended to replace rbtwsClientAccessType. (In 6.0, direct- and network-attached APs were unified.)') rbtwsClientAuthorizationReason = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 91), RbtwsClientAuthorizationReason()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientAuthorizationReason.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAuthorizationReason.setDescription('Indicates the reason why client performed AAA authorization. This object is used within notifications and is not accessible.') rbtwsPhysPortNum = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 92), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1024))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsPhysPortNum.setStatus('current') if mibBuilder.loadTexts: rbtwsPhysPortNum.setDescription("Physical Port Number on the AC. Zero means the port is unknown or not applicable (for example, when rbtwsClientAccessMode = 'ap'). This object is used within notifications and is not accessible.") rbtwsApMgrOldIp = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 93), IpAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsApMgrOldIp.setStatus('current') if mibBuilder.loadTexts: rbtwsApMgrOldIp.setDescription("The IP address of the AP's former primary manager switch. This object is used within notifications and is not accessible.") rbtwsApMgrNewIp = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 94), IpAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsApMgrNewIp.setStatus('current') if mibBuilder.loadTexts: rbtwsApMgrNewIp.setDescription("The IP address of the AP's new primary manager switch. This address was formerly the AP's secondary backup link. This object is used within notifications and is not accessible.") rbtwsApMgrChangeReason = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 95), RbtwsApMgrChangeReason()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsApMgrChangeReason.setStatus('current') if mibBuilder.loadTexts: rbtwsApMgrChangeReason.setDescription("Indicates the reason why the AP's primary manager changed. This object is used within notifications and is not accessible.") rbtwsClientClearedReason = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 96), RbtwsClientClearedReason()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientClearedReason.setStatus('current') if mibBuilder.loadTexts: rbtwsClientClearedReason.setDescription('Indicates the reason why client was cleared. This object is used within notifications and is not accessible.') rbtwsMobilityDomainResiliencyStatus = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 97), RbtwsMobilityDomainResiliencyStatus()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsMobilityDomainResiliencyStatus.setStatus('current') if mibBuilder.loadTexts: rbtwsMobilityDomainResiliencyStatus.setDescription('Indicates the current resilient capacity status for a mobility domain. This object is used within notifications and is not accessible.') rbtwsClientSessionElapsedSeconds = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 98), Unsigned32()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientSessionElapsedSeconds.setStatus('current') if mibBuilder.loadTexts: rbtwsClientSessionElapsedSeconds.setDescription('Indicates the time in seconds elapsed since the start of the Client Session. This object is used within notifications and is not accessible.') rbtwsRadioChannelWidth = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 99), RbtwsRadioChannelWidth()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRadioChannelWidth.setStatus('current') if mibBuilder.loadTexts: rbtwsRadioChannelWidth.setDescription('Indicates the administratively controlled Channel Width (20MHz/40MHz). This object is used within notifications and is not accessible.') rbtwsRadioMimoState = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 100), RbtwsRadioMimoState()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRadioMimoState.setStatus('current') if mibBuilder.loadTexts: rbtwsRadioMimoState.setDescription('Indicates the Radio MIMO State, as seen by the AC (1x1/2x3/3x3). This object is used within notifications and is not accessible.') rbtwsClientRadioType = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 101), RbtwsRadioType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientRadioType.setStatus('current') if mibBuilder.loadTexts: rbtwsClientRadioType.setDescription('Indicates the Client Radio Type, as detected by an attached AP and reported to the AC. This object is used within notifications and is not accessible.') rbtwsRFDetectXmtrRadioType = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 102), RbtwsRadioType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRFDetectXmtrRadioType.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectXmtrRadioType.setDescription('Indicates the Radio Type of the Transmitter, as detected by an attached AP and reported to the AC. The Transmitter may be a wireless client or an AP. This object is used within notifications and is not accessible.') rbtwsRFDetectXmtrCryptoType = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 103), RbtwsCryptoType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRFDetectXmtrCryptoType.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectXmtrCryptoType.setDescription('Indicates the Crypto Type used by the Transmitter, as detected by an attached AP and reported to the AC. This object is used within notifications and is not accessible.') rbtwsClusterFailureReason = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 104), RbtwsClusterFailureReason()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClusterFailureReason.setStatus('current') if mibBuilder.loadTexts: rbtwsClusterFailureReason.setDescription('Indicates the reason why cluster configuration failed to apply. This object is used within notifications and is not accessible.') rbtwsClusterFailureDescription = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 105), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClusterFailureDescription.setStatus('current') if mibBuilder.loadTexts: rbtwsClusterFailureDescription.setDescription('Display string for describing the cluster configuration failure cause. This object is used within notifications and is not accessible.') rbtwsDeviceFailTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 1)).setObjects(("RBTWS-TRAP-MIB", "rbtwsDeviceId")) if mibBuilder.loadTexts: rbtwsDeviceFailTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsDeviceFailTrap.setDescription('The device has a failure indication') rbtwsDeviceOkayTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 2)).setObjects(("RBTWS-TRAP-MIB", "rbtwsDeviceId")) if mibBuilder.loadTexts: rbtwsDeviceOkayTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsDeviceOkayTrap.setDescription('The device has recovered') rbtwsPoEFailTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 3)).setObjects(("RBTWS-TRAP-MIB", "rbtwsPortNum")) if mibBuilder.loadTexts: rbtwsPoEFailTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsPoEFailTrap.setDescription('PoE has failed on the indicated port') rbtwsApTimeoutTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 4)).setObjects(("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsAPAccessType"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum")) if mibBuilder.loadTexts: rbtwsApTimeoutTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsApTimeoutTrap.setDescription("The AP entering the AC at port rbtwsPortNum with MAC rbtwsRadioMacAddress and of the access type (ap or dap) has not responded. Replaced by rbtwsApNonOperStatusTrap2, with rbtwsApTransition = 'timeout'.") rbtwsAPBootTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 5)).setObjects(("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsAPAccessType"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum")) if mibBuilder.loadTexts: rbtwsAPBootTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsAPBootTrap.setDescription("The AP entering the AC at port rbtwsPortNum with MAC rbtwsRadioMacAddress and of the access type (ap or dap) has booted. Replaced by rbtwsApNonOperStatusTrap2, with rbtwsApTransition = 'bootSuccess'.") rbtwsMobilityDomainJoinTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 6)).setObjects(("RBTWS-TRAP-MIB", "rbtwsMobilityDomainIp")) if mibBuilder.loadTexts: rbtwsMobilityDomainJoinTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsMobilityDomainJoinTrap.setDescription('The mobility domain member has received an UP notice from the remote address.') rbtwsMobilityDomainTimeoutTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 7)).setObjects(("RBTWS-TRAP-MIB", "rbtwsMobilityDomainIp")) if mibBuilder.loadTexts: rbtwsMobilityDomainTimeoutTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsMobilityDomainTimeoutTrap.setDescription('The mobility domain member has declared the remote address to be DOWN.') rbtwsMpMichaelMICFailure = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 8)).setObjects(("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress")) if mibBuilder.loadTexts: rbtwsMpMichaelMICFailure.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsMpMichaelMICFailure.setDescription('Two Michael MIC failures were seen within 60 seconds of each other. Obsoleted by rbtwsMichaelMICFailure.') rbtwsRFDetectRogueAPTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 9)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectListenerListInfo")) if mibBuilder.loadTexts: rbtwsRFDetectRogueAPTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectRogueAPTrap.setDescription('This trap is sent when RF detection finds a rogue AP. XmtrMacAddr is the radio MAC address from the beacon. ListenerListInfo is a display string of a list of listener information. Obsoleted by rbtwsRFDetectRogueDeviceTrap2.') rbtwsRFDetectAdhocUserTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 10)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectListenerListInfo")) if mibBuilder.loadTexts: rbtwsRFDetectAdhocUserTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectAdhocUserTrap.setDescription('This trap is sent when RF detection sweep finds a ad-hoc user. rbtwsRFDetectXmtrMacAddr is the MAC address of the ad-hoc user. rbtwsRFDetectListenerListInfo is a display string of a list of listener information.') rbtwsRFDetectRogueDisappearTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 11)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr")) if mibBuilder.loadTexts: rbtwsRFDetectRogueDisappearTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectRogueDisappearTrap.setDescription('This trap is sent when a rogue has disappeared. Obsoleted by rbtwsRFDetectRogueDeviceDisappearTrap.') rbtwsClientAuthenticationFailureTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 12)).setObjects(("RBTWS-TRAP-MIB", "rbtwsUserName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionId"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthServerIp"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthenProtocolType"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessType"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthenticationFailureCause"), ("RBTWS-TRAP-MIB", "rbtwsClientFailureCauseDescription")) if mibBuilder.loadTexts: rbtwsClientAuthenticationFailureTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAuthenticationFailureTrap.setDescription('This trap is sent if a client authentication fails.') rbtwsClientAuthorizationFailureTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 13)).setObjects(("RBTWS-TRAP-MIB", "rbtwsUserName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionId"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthServerIp"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthenProtocolType"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessType"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID"), ("RBTWS-TRAP-MIB", "rbtwsClientLocationPolicyIndex"), ("RBTWS-TRAP-MIB", "rbtwsUserParams"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthorizationFailureCause"), ("RBTWS-TRAP-MIB", "rbtwsClientFailureCauseDescription")) if mibBuilder.loadTexts: rbtwsClientAuthorizationFailureTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAuthorizationFailureTrap.setDescription('This trap is sent if a client authorization fails.') rbtwsClientAssociationFailureTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 14)).setObjects(("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessType"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID"), ("RBTWS-TRAP-MIB", "rbtwsClientAssociationFailureCause"), ("RBTWS-TRAP-MIB", "rbtwsClientFailureCauseDescription")) if mibBuilder.loadTexts: rbtwsClientAssociationFailureTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAssociationFailureTrap.setDescription('This trap is sent if a client association fails.') rbtwsClientAuthorizationSuccessTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 15)).setObjects(("RBTWS-TRAP-MIB", "rbtwsUserName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionId"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientIp"), ("RBTWS-TRAP-MIB", "rbtwsClientVLANName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionState"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionStartTime"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthServerIp"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthenProtocolType"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessType"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID"), ("RBTWS-TRAP-MIB", "rbtwsRadioRssi")) if mibBuilder.loadTexts: rbtwsClientAuthorizationSuccessTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsClientAuthorizationSuccessTrap.setDescription('This trap is sent when a client authorizes. Obsoleted by rbtwsClientAuthorizationSuccessTrap4.') rbtwsClientDeAssociationTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 16)).setObjects(("RBTWS-TRAP-MIB", "rbtwsUserName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionId"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientIp"), ("RBTWS-TRAP-MIB", "rbtwsClientVLANName"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthServerIp"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthenProtocolType"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessType"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID")) if mibBuilder.loadTexts: rbtwsClientDeAssociationTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientDeAssociationTrap.setDescription('This trap is sent if a client de-association occurred.') rbtwsClientRoamingTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 17)).setObjects(("RBTWS-TRAP-MIB", "rbtwsUserName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionId"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientIp"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessType"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID"), ("RBTWS-TRAP-MIB", "rbtwsClientRoamedFromAccessType"), ("RBTWS-TRAP-MIB", "rbtwsClientRoamedFromPortNum"), ("RBTWS-TRAP-MIB", "rbtwsClientRoamedFromRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsClientRoamedFromDAPNum"), ("RBTWS-TRAP-MIB", "rbtwsClientRoamedFromWsIp"), ("RBTWS-TRAP-MIB", "rbtwsClientTimeSinceLastRoam")) if mibBuilder.loadTexts: rbtwsClientRoamingTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientRoamingTrap.setDescription('This trap is sent if a client roams from one location to another.') rbtwsAutoTuneRadioPowerChangeTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 18)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRadioMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsNewPowerLevel"), ("RBTWS-TRAP-MIB", "rbtwsOldPowerLevel"), ("RBTWS-TRAP-MIB", "rbtwsRadioPowerChangeReason"), ("RBTWS-TRAP-MIB", "rbtwsRadioPowerChangeDescription")) if mibBuilder.loadTexts: rbtwsAutoTuneRadioPowerChangeTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsAutoTuneRadioPowerChangeTrap.setDescription("This trap is sent if a radio's power level has changed based on auto-tune.") rbtwsAutoTuneRadioChannelChangeTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 19)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRadioMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsNewChannelNum"), ("RBTWS-TRAP-MIB", "rbtwsOldChannelNum"), ("RBTWS-TRAP-MIB", "rbtwsChannelChangeReason")) if mibBuilder.loadTexts: rbtwsAutoTuneRadioChannelChangeTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsAutoTuneRadioChannelChangeTrap.setDescription("This trap is sent if a radio's channel has changed based on auto-tune.") rbtwsCounterMeasureStartTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 20)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRadioMACAddress")) if mibBuilder.loadTexts: rbtwsCounterMeasureStartTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsCounterMeasureStartTrap.setDescription('This trap is sent when counter measures are started against a rogue. rbtwsRFDetectXmtrMacAddr is the mac address of the rogue we are doing counter measures against. rbtwsRadioMACAddress identifies the radio performing the countermeasures.') rbtwsCounterMeasureStopTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 21)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRadioMACAddress")) if mibBuilder.loadTexts: rbtwsCounterMeasureStopTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsCounterMeasureStopTrap.setDescription('This trap is sent when counter measures are stopped against a rogue. rbtwsRFDetectXmtrMacAddr is the mac address of the rogue we were doing counter measures against. rbtwsRadioMACAddress identifies the radio performing the countermeasures.') rbtwsClientDot1xFailureTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 22)).setObjects(("RBTWS-TRAP-MIB", "rbtwsUserName"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthenProtocolType"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessType"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID"), ("RBTWS-TRAP-MIB", "rbtwsClientDot1xState"), ("RBTWS-TRAP-MIB", "rbtwsClientDot1xFailureCause"), ("RBTWS-TRAP-MIB", "rbtwsClientFailureCauseDescription")) if mibBuilder.loadTexts: rbtwsClientDot1xFailureTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientDot1xFailureTrap.setDescription('This trap is sent if a client failed 802.1X.') rbtwsClientClearedTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 23)).setObjects(("RBTWS-TRAP-MIB", "rbtwsUserName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionId"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientIp"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessType"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionElapsedTime"), ("RBTWS-TRAP-MIB", "rbtwsLocalId")) if mibBuilder.loadTexts: rbtwsClientClearedTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsClientClearedTrap.setDescription('This trap is sent when a client session is cleared. Obsoleted by rbtwsClientClearedTrap2.') rbtwsClientAuthorizationSuccessTrap2 = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 24)).setObjects(("RBTWS-TRAP-MIB", "rbtwsUserName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionId"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientIp"), ("RBTWS-TRAP-MIB", "rbtwsClientVLANName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionState"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionStartTime"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthServerIp"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthenProtocolType"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessType"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID"), ("RBTWS-TRAP-MIB", "rbtwsUserAccessType"), ("RBTWS-TRAP-MIB", "rbtwsLocalId")) if mibBuilder.loadTexts: rbtwsClientAuthorizationSuccessTrap2.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsClientAuthorizationSuccessTrap2.setDescription('This trap is sent when a client authorizes. Obsoleted by rbtwsClientAuthorizationSuccessTrap4.') rbtwsRFDetectSpoofedMacAPTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 25)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectListenerListInfo")) if mibBuilder.loadTexts: rbtwsRFDetectSpoofedMacAPTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectSpoofedMacAPTrap.setDescription('This trap is sent when RF detection finds an AP using the MAC of the listener. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. rbtwsRFDetectListenerListInfo is a display string of a list of listener information. Obsoleted by rbtwsRFDetectDoSTrap and rbtwsRFDetectRogueDeviceTrap2. One of the two traps will be sent depending on the type of AP MAC spoofing detected.') rbtwsRFDetectSpoofedSsidAPTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 26)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectListenerListInfo")) if mibBuilder.loadTexts: rbtwsRFDetectSpoofedSsidAPTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectSpoofedSsidAPTrap.setDescription('This trap is sent when RF detection finds an AP using the SSID of the listener, and the AP is not in the mobility domain. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. rbtwsRFDetectListenerListInfo is a display string of a list of listener information. Obsoleted by rbtwsRFDetectRogueDeviceTrap2 and rbtwsRFDetectSuspectDeviceTrap2. One of the two traps will be sent, depending on RF detection classification rules.') rbtwsRFDetectDoSTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 27)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectDoSType"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectListenerListInfo")) if mibBuilder.loadTexts: rbtwsRFDetectDoSTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectDoSTrap.setDescription('This trap is sent when RF detection finds a denial of service (DoS) occurring. rbtwsRFDetectDoSType specifies the type of DoS. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. rbtwsRFDetectListenerListInfo is a display string of a list of listener information.') rbtwsRFDetectClientViaRogueWiredAPTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 28)).setObjects(("RBTWS-TRAP-MIB", "rbtwsSourceWsIp"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsClientVLANid"), ("RBTWS-TRAP-MIB", "rbtwsClientVLANtag"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectListenerListInfo")) if mibBuilder.loadTexts: rbtwsRFDetectClientViaRogueWiredAPTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectClientViaRogueWiredAPTrap.setDescription("This trap is sent when a client is detected that connected via a rogue AP that is attached to a wired port. rbtwsSourceWsIp is the IP address of the AC (switch) with the wired port. rbtwsPortNum is the port on the AC. rbtwsClientVLANid is the VLAN ID of the client's traffic. rbtwsClientVLANtag is the VLAN tag of the client's traffic. rbtwsRFDetectXmtrMacAddr is the MAC address of the client. rbtwsRFDetectListenerListInfo is a display string of a list of listener information. Obsoleted by rbtwsRFDetectClientViaRogueWiredAPTrap3.") rbtwsRFDetectInterferingRogueAPTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 29)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectListenerListInfo")) if mibBuilder.loadTexts: rbtwsRFDetectInterferingRogueAPTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectInterferingRogueAPTrap.setDescription('This trap is sent when RF detection finds an interfering rogue AP. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. rbtwsRFDetectListenerListInfo is a display string of a list of listener information. Obsoleted by rbtwsRFDetectSuspectDeviceTrap2.') rbtwsRFDetectInterferingRogueDisappearTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 30)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr")) if mibBuilder.loadTexts: rbtwsRFDetectInterferingRogueDisappearTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectInterferingRogueDisappearTrap.setDescription('This trap is sent when an interfering rogue has disappeared. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. Obsoleted by rbtwsRFDetectSuspectDeviceDisappearTrap.') rbtwsRFDetectUnAuthorizedSsidTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 31)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectListenerListInfo")) if mibBuilder.loadTexts: rbtwsRFDetectUnAuthorizedSsidTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectUnAuthorizedSsidTrap.setDescription('This trap is sent when RF detection finds use of an unauthorized SSID. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. rbtwsRFDetectListenerListInfo is a display string of a list of listener information. Obsoleted by rbtwsRFDetectRogueDeviceTrap2 and rbtwsRFDetectSuspectDeviceTrap2. One of the two traps will be sent if the device having an unauthorized SSID is classified as rogue or suspect because of this.') rbtwsRFDetectUnAuthorizedOuiTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 32)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectListenerListInfo")) if mibBuilder.loadTexts: rbtwsRFDetectUnAuthorizedOuiTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectUnAuthorizedOuiTrap.setDescription('This trap is sent when RF detection finds use of an unauthorized OUI. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. rbtwsRFDetectListenerListInfo is a display string of a list of listener information. Obsoleted by rbtwsRFDetectRogueDeviceTrap2 and rbtwsRFDetectSuspectDeviceTrap2. One of the two traps will be sent if the device having an unauthorized OUI is classified as rogue or suspect because of this.') rbtwsRFDetectUnAuthorizedAPTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 33)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectListenerListInfo")) if mibBuilder.loadTexts: rbtwsRFDetectUnAuthorizedAPTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectUnAuthorizedAPTrap.setDescription('This trap is sent when RF detection finds operation of an unauthorized AP. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. rbtwsRFDetectListenerListInfo is a display string of a list of listener information. Obsoleted by rbtwsRFDetectRogueDeviceTrap2.') rbtwsDAPConnectWarningTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 34)).setObjects(("RBTWS-TRAP-MIB", "rbtwsDeviceModel"), ("RBTWS-TRAP-MIB", "rbtwsDeviceSerNum"), ("RBTWS-TRAP-MIB", "rbtwsRsaPubKeyFingerPrint"), ("RBTWS-TRAP-MIB", "rbtwsDAPconnectWarningType")) if mibBuilder.loadTexts: rbtwsDAPConnectWarningTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsDAPConnectWarningTrap.setDescription("A DAP, tried to connect to the AC. rbtwsDeviceModel provides the model of the DAP. rbtwsDeviceSerNum provides the serial number of the DAP. rbtwsRsaPubKeyFingerPrint provides the computed fingerprint of the DAP. rbtwsDAPconnectWarningType provides the type of connect warning. Replaced by rbtwsApNonOperStatusTrap2, with rbtwsApTransition = 'connectFail'.") rbtwsRFDetectDoSPortTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 35)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectDoSType"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessType"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum")) if mibBuilder.loadTexts: rbtwsRFDetectDoSPortTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectDoSPortTrap.setDescription("This trap is sent when RF detection finds a denial of service (DoS) occurring. This has port and AP info instead of 'Listener info'. rbtwsRFDetectDoSType specifies the type of DoS. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. rbtwsClientAccessType specifies whether wired, AP, or DAP. rbtwsPortNum (for wired or AP), the port that is used. rbtwsDAPNum (for a DAP), the ID of the DAP.") rbtwsMpMichaelMICFailure2 = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 36)).setObjects(("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress2")) if mibBuilder.loadTexts: rbtwsMpMichaelMICFailure2.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsMpMichaelMICFailure2.setDescription('Two Michael MIC failures were seen within 60 seconds of each other. Object rbtwsClientMACAddress is the source of the first failure, and object rbtwsClientMACAddress2 source of the second failure. Obsoleted by rbtwsMichaelMICFailure.') rbtwsApNonOperStatusTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 37)).setObjects(("RBTWS-TRAP-MIB", "rbtwsDeviceSerNum"), ("RBTWS-TRAP-MIB", "rbtwsAPMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsApAttachType"), ("RBTWS-TRAP-MIB", "rbtwsApPortOrDapNum"), ("RBTWS-TRAP-MIB", "rbtwsApName"), ("RBTWS-TRAP-MIB", "rbtwsApTransition"), ("RBTWS-TRAP-MIB", "rbtwsApFailDetail"), ("RBTWS-TRAP-MIB", "rbtwsApWasOperational")) if mibBuilder.loadTexts: rbtwsApNonOperStatusTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsApNonOperStatusTrap.setDescription('This trap is sent when the AP changes state and the new one is a non-operational state. Obsoleted by rbtwsApNonOperStatusTrap2.') rbtwsApOperRadioStatusTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 38)).setObjects(("RBTWS-TRAP-MIB", "rbtwsDeviceSerNum"), ("RBTWS-TRAP-MIB", "rbtwsApAttachType"), ("RBTWS-TRAP-MIB", "rbtwsApPortOrDapNum"), ("RBTWS-TRAP-MIB", "rbtwsApName"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsRadioType"), ("RBTWS-TRAP-MIB", "rbtwsRadioConfigState"), ("RBTWS-TRAP-MIB", "rbtwsApConnectSecurityType"), ("RBTWS-TRAP-MIB", "rbtwsApServiceAvailability")) if mibBuilder.loadTexts: rbtwsApOperRadioStatusTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsApOperRadioStatusTrap.setDescription('This trap is sent when the Radio changes state. It also contains aggregate information about the AP in operational state - security level and service availability. Obsoleted by rbtwsApOperRadioStatusTrap3.') rbtwsClientIpAddrChangeTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 39)).setObjects(("RBTWS-TRAP-MIB", "rbtwsUserName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionId"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientIp"), ("RBTWS-TRAP-MIB", "rbtwsClientVLANName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionState"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthServerIp"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthenProtocolType"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessType"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID"), ("RBTWS-TRAP-MIB", "rbtwsUserAccessType"), ("RBTWS-TRAP-MIB", "rbtwsLocalId"), ("RBTWS-TRAP-MIB", "rbtwsClientIpAddrChangeReason")) if mibBuilder.loadTexts: rbtwsClientIpAddrChangeTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientIpAddrChangeTrap.setDescription("This trap is sent when a client's IP address changes. The most likely case for this is when the client first connects to the network.") rbtwsClientAssociationSuccessTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 40)).setObjects(("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessType"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID")) if mibBuilder.loadTexts: rbtwsClientAssociationSuccessTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAssociationSuccessTrap.setDescription('This trap is sent if a client association succeeds. WARNING: DO NOT enable it in normal use. It may impair switch performance! Only recommended for debugging network issues.') rbtwsClientAuthenticationSuccessTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 41)).setObjects(("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessType"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID")) if mibBuilder.loadTexts: rbtwsClientAuthenticationSuccessTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAuthenticationSuccessTrap.setDescription('This trap is sent if a client authentication succeeds.') rbtwsClientDeAuthenticationTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 42)).setObjects(("RBTWS-TRAP-MIB", "rbtwsUserName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionId"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientIp"), ("RBTWS-TRAP-MIB", "rbtwsClientVLANName"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthServerIp"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthenProtocolType"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessType"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID")) if mibBuilder.loadTexts: rbtwsClientDeAuthenticationTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientDeAuthenticationTrap.setDescription('This trap is sent if a client de-authentication occured.') rbtwsRFDetectBlacklistedTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 43)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessType"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum"), ("RBTWS-TRAP-MIB", "rbtwsBlacklistingRemainingTime"), ("RBTWS-TRAP-MIB", "rbtwsBlacklistingCause")) if mibBuilder.loadTexts: rbtwsRFDetectBlacklistedTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectBlacklistedTrap.setDescription("This trap is sent if an association, re-association or de-association request (packet) is detected from a blacklisted transmitter (identified by MAC: 'rbtwsRFDetectXmtrMacAddr'). If 'rbtwsBlacklistingCause' is 'configured', then 'rbtwsBlacklistingRemainingTime' will be zero, meaning indefinite time (depending on administrative actions on the Black List). Otherwise, 'rbtwsBlacklistingRemainingTime' will indicate the time in seconds until this transmitter's requests could be allowed.") rbtwsRFDetectClientViaRogueWiredAPTrap2 = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 44)).setObjects(("RBTWS-TRAP-MIB", "rbtwsSourceWsIp"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsClientVLANid"), ("RBTWS-TRAP-MIB", "rbtwsClientVLANtag"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectListenerListInfo"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectRogueAPMacAddr")) if mibBuilder.loadTexts: rbtwsRFDetectClientViaRogueWiredAPTrap2.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectClientViaRogueWiredAPTrap2.setDescription("This trap is sent when a client is detected that connected via a rogue AP that is attached to a wired port. rbtwsSourceWsIp is the IP address of the AC (switch) with the wired port. rbtwsPortNum is the port on the AC. rbtwsClientVLANid is the VLAN ID of the client's traffic. rbtwsClientVLANtag is the VLAN tag of the client's traffic. rbtwsRFDetectXmtrMacAddr is the MAC address of the client. rbtwsRFDetectListenerListInfo is a display string of a list of listener information. rbtwsRFDetectRogueAPMacAddr is the MAC address of the Rogue AP (wired) the client is connected to. Obsoleted by rbtwsRFDetectClientViaRogueWiredAPTrap3.") rbtwsRFDetectAdhocUserDisappearTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 45)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr")) if mibBuilder.loadTexts: rbtwsRFDetectAdhocUserDisappearTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectAdhocUserDisappearTrap.setDescription('This trap is sent when RF detection sweep finds that an ad-hoc user disappeared. rbtwsRFDetectXmtrMacAddr is the MAC address of the ad-hoc user.') rbtwsApRejectLicenseExceededTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 46)).setObjects(("RBTWS-TRAP-MIB", "rbtwsNumLicensedActiveAPs")) if mibBuilder.loadTexts: rbtwsApRejectLicenseExceededTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsApRejectLicenseExceededTrap.setDescription('This trap is sent when an AC (wireless switch) receives a packet from an inactive AP and attaching that AP would make the AC exceed the maximum (licensed) number of active APs.') rbtwsClientDynAuthorChangeSuccessTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 47)).setObjects(("RBTWS-TRAP-MIB", "rbtwsUserName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionId"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientIp"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionState"), ("RBTWS-TRAP-MIB", "rbtwsClientDynAuthorClientIp"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthenProtocolType"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessType"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID"), ("RBTWS-TRAP-MIB", "rbtwsUserAccessType"), ("RBTWS-TRAP-MIB", "rbtwsLocalId"), ("RBTWS-TRAP-MIB", "rbtwsChangedUserParamOldValues"), ("RBTWS-TRAP-MIB", "rbtwsChangedUserParamNewValues")) if mibBuilder.loadTexts: rbtwsClientDynAuthorChangeSuccessTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientDynAuthorChangeSuccessTrap.setDescription('This trap is sent when the authorization attributes for a user are dynamically changed by an authorized dynamic authorization client.') rbtwsClientDynAuthorChangeFailureTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 48)).setObjects(("RBTWS-TRAP-MIB", "rbtwsUserName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionId"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientDynAuthorClientIp"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthenProtocolType"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessType"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID"), ("RBTWS-TRAP-MIB", "rbtwsUserParams"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthorizationFailureCause"), ("RBTWS-TRAP-MIB", "rbtwsClientFailureCauseDescription")) if mibBuilder.loadTexts: rbtwsClientDynAuthorChangeFailureTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientDynAuthorChangeFailureTrap.setDescription('This trap is sent if a change of authorization request sent by an authorized dynamic authorization client is unsuccessful.') rbtwsClientDisconnectTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 49)).setObjects(("RBTWS-TRAP-MIB", "rbtwsUserName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionId"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientIp"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessType"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID"), ("RBTWS-TRAP-MIB", "rbtwsLocalId"), ("RBTWS-TRAP-MIB", "rbtwsClientDisconnectSource"), ("RBTWS-TRAP-MIB", "rbtwsClientDisconnectDescription")) if mibBuilder.loadTexts: rbtwsClientDisconnectTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientDisconnectTrap.setDescription('This trap is sent when a client session is terminated administratively.') rbtwsMobilityDomainFailOverTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 50)).setObjects(("RBTWS-TRAP-MIB", "rbtwsMobilityDomainSecondarySeedIp")) if mibBuilder.loadTexts: rbtwsMobilityDomainFailOverTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsMobilityDomainFailOverTrap.setDescription('This trap is sent when the Mobility Domain fails over to the secondary seed.') rbtwsMobilityDomainFailBackTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 51)).setObjects(("RBTWS-TRAP-MIB", "rbtwsMobilityDomainPrimarySeedIp")) if mibBuilder.loadTexts: rbtwsMobilityDomainFailBackTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsMobilityDomainFailBackTrap.setDescription('This trap is sent when the Mobility Domain fails back to the primary seed.') rbtwsRFDetectRogueDeviceTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 52)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectListenerListInfo"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectClassificationReason")) if mibBuilder.loadTexts: rbtwsRFDetectRogueDeviceTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectRogueDeviceTrap.setDescription('This trap is sent when RF detection finds a rogue device. XmtrMacAddr is the radio MAC address from the beacon. ListenerListInfo is a display string of a list of listener information. ClassificationReason indicates the reason why the device is classified as rogue. Obsoleted by rbtwsRFDetectRogueDeviceTrap2.') rbtwsRFDetectRogueDeviceDisappearTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 53)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr")) if mibBuilder.loadTexts: rbtwsRFDetectRogueDeviceDisappearTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectRogueDeviceDisappearTrap.setDescription('This trap is sent when a rogue device has disappeared. This trap obsoletes the rbtwsRFDetectRogueDisappearTrap.') rbtwsRFDetectSuspectDeviceTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 54)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectListenerListInfo"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectClassificationReason")) if mibBuilder.loadTexts: rbtwsRFDetectSuspectDeviceTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectSuspectDeviceTrap.setDescription('This trap is sent when RF detection finds a suspect device. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. rbtwsRFDetectListenerListInfo is a display string of a list of listener information. ClassificationReason indicates the reason why the device is classified as suspect. Obsoleted by rbtwsRFDetectSuspectDeviceTrap2.') rbtwsRFDetectSuspectDeviceDisappearTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 55)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr")) if mibBuilder.loadTexts: rbtwsRFDetectSuspectDeviceDisappearTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectSuspectDeviceDisappearTrap.setDescription('This trap is sent when a suspect device has disappeared. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. This trap obsoletes the rbtwsRFDetectInterferingRogueDisappearTrap.') rbtwsRFDetectClientViaRogueWiredAPTrap3 = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 56)).setObjects(("RBTWS-TRAP-MIB", "rbtwsSourceWsIp"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsClientVLANid"), ("RBTWS-TRAP-MIB", "rbtwsClientVLANtag"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectListenerListInfo"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectRogueAPMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectClassificationReason")) if mibBuilder.loadTexts: rbtwsRFDetectClientViaRogueWiredAPTrap3.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectClientViaRogueWiredAPTrap3.setDescription("This trap is sent when a client is detected that connected via a rogue AP that is attached to a wired port. rbtwsSourceWsIp is the IP address of the AC (switch) with the wired port. rbtwsPortNum is the port on the AC. rbtwsClientVLANid is the VLAN ID of the client's traffic. rbtwsClientVLANtag is the VLAN tag of the client's traffic. rbtwsRFDetectXmtrMacAddr is the MAC address of the client. rbtwsRFDetectListenerListInfo is a display string of a list of listener information. rbtwsRFDetectRogueAPMacAddr is the MAC address of the Rogue AP (wired) the client is connected to. ClassificationReason indicates the reason why the AP is classified as rogue. This trap obsoletes the rbtwsRFDetectClientViaRogueWiredAPTrap and rbtwsRFDetectClientViaRogueWiredAPTrap2.") rbtwsRFDetectClassificationChangeTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 57)) if mibBuilder.loadTexts: rbtwsRFDetectClassificationChangeTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectClassificationChangeTrap.setDescription('This trap is sent when RF detection classification rules change.') rbtwsConfigurationSavedTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 58)).setObjects(("RBTWS-TRAP-MIB", "rbtwsConfigSaveFileName"), ("RBTWS-TRAP-MIB", "rbtwsConfigSaveInitiatorType"), ("RBTWS-TRAP-MIB", "rbtwsConfigSaveInitiatorIp"), ("RBTWS-TRAP-MIB", "rbtwsConfigSaveInitiatorDetails"), ("RBTWS-TRAP-MIB", "rbtwsConfigSaveGeneration")) if mibBuilder.loadTexts: rbtwsConfigurationSavedTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsConfigurationSavedTrap.setDescription('This trap is sent when the running configuration of the switch is written to a configuration file.') rbtwsApNonOperStatusTrap2 = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 59)).setObjects(("RBTWS-TRAP-MIB", "rbtwsDeviceSerNum"), ("RBTWS-TRAP-MIB", "rbtwsAPMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsApNum"), ("RBTWS-TRAP-MIB", "rbtwsApName"), ("RBTWS-TRAP-MIB", "rbtwsApTransition"), ("RBTWS-TRAP-MIB", "rbtwsApFailDetail"), ("RBTWS-TRAP-MIB", "rbtwsApWasOperational")) if mibBuilder.loadTexts: rbtwsApNonOperStatusTrap2.setStatus('current') if mibBuilder.loadTexts: rbtwsApNonOperStatusTrap2.setDescription('This trap is sent when the AP changes state and the new one is a non-operational state. Obsoletes rbtwsApNonOperStatusTrap.') rbtwsApOperRadioStatusTrap2 = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 60)).setObjects(("RBTWS-TRAP-MIB", "rbtwsDeviceSerNum"), ("RBTWS-TRAP-MIB", "rbtwsApNum"), ("RBTWS-TRAP-MIB", "rbtwsApName"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsRadioType"), ("RBTWS-TRAP-MIB", "rbtwsRadioMode"), ("RBTWS-TRAP-MIB", "rbtwsRadioConfigState"), ("RBTWS-TRAP-MIB", "rbtwsApConnectSecurityType"), ("RBTWS-TRAP-MIB", "rbtwsApServiceAvailability")) if mibBuilder.loadTexts: rbtwsApOperRadioStatusTrap2.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsApOperRadioStatusTrap2.setDescription('This trap is sent when the Radio changes state. It also contains aggregate information about the AP in operational state - security level and service availability. Obsoleted by rbtwsApOperRadioStatusTrap3.') rbtwsMichaelMICFailure = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 61)).setObjects(("RBTWS-TRAP-MIB", "rbtwsApNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsMichaelMICFailureCause"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress2")) if mibBuilder.loadTexts: rbtwsMichaelMICFailure.setStatus('current') if mibBuilder.loadTexts: rbtwsMichaelMICFailure.setDescription('Two Michael MIC failures were seen within 60 seconds of each other. Object rbtwsClientMACAddress indicates the source of the first failure, and object rbtwsClientMACAddress2 indicates the source of the second failure. Service is interrupted for 60 seconds on the radio due to TKIP countermeasures having commenced. The radio is identified by rbtwsApNum and rbtwsAPRadioNum. An alternative way to identify the radio is rbtwsRadioMACAddress. Obsoletes rbtwsMpMichaelMICFailure and rbtwsMpMichaelMICFailure2.') rbtwsClientAuthorizationSuccessTrap3 = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 62)).setObjects(("RBTWS-TRAP-MIB", "rbtwsUserName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionId"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientIp"), ("RBTWS-TRAP-MIB", "rbtwsClientVLANName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionState"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthServerIp"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthenProtocolType"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessMode"), ("RBTWS-TRAP-MIB", "rbtwsPhysPortNum"), ("RBTWS-TRAP-MIB", "rbtwsApNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID"), ("RBTWS-TRAP-MIB", "rbtwsUserAccessType"), ("RBTWS-TRAP-MIB", "rbtwsLocalId"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthorizationReason")) if mibBuilder.loadTexts: rbtwsClientAuthorizationSuccessTrap3.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsClientAuthorizationSuccessTrap3.setDescription("This trap is sent when a client authorizes. If rbtwsClientAccessMode = 'ap': rbtwsApNum, rbtwsAPRadioNum, rbtwsRadioSSID identify the AP/radio/BSS providing wireless service to this client at the time this trap was sent. If rbtwsClientAccessMode = 'wired': rbtwsPhysPortNum identifies the physical port on the AC used by this wired-auth client. Obsoleted by rbtwsClientAuthorizationSuccessTrap4.") rbtwsApManagerChangeTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 63)).setObjects(("RBTWS-TRAP-MIB", "rbtwsDeviceSerNum"), ("RBTWS-TRAP-MIB", "rbtwsAPMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsApNum"), ("RBTWS-TRAP-MIB", "rbtwsApName"), ("RBTWS-TRAP-MIB", "rbtwsApMgrOldIp"), ("RBTWS-TRAP-MIB", "rbtwsApMgrNewIp"), ("RBTWS-TRAP-MIB", "rbtwsApMgrChangeReason")) if mibBuilder.loadTexts: rbtwsApManagerChangeTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsApManagerChangeTrap.setDescription("This trap is sent when the AP's secondary link becomes its primary link.") rbtwsClientClearedTrap2 = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 64)).setObjects(("RBTWS-TRAP-MIB", "rbtwsUserName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionId"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientIp"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessMode"), ("RBTWS-TRAP-MIB", "rbtwsPhysPortNum"), ("RBTWS-TRAP-MIB", "rbtwsApNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionElapsedSeconds"), ("RBTWS-TRAP-MIB", "rbtwsLocalId"), ("RBTWS-TRAP-MIB", "rbtwsClientClearedReason")) if mibBuilder.loadTexts: rbtwsClientClearedTrap2.setStatus('current') if mibBuilder.loadTexts: rbtwsClientClearedTrap2.setDescription('This trap is sent when a client session is cleared. Obsoletes rbtwsClientClearedTrap.') rbtwsMobilityDomainResiliencyStatusTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 65)).setObjects(("RBTWS-TRAP-MIB", "rbtwsMobilityDomainResiliencyStatus")) if mibBuilder.loadTexts: rbtwsMobilityDomainResiliencyStatusTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsMobilityDomainResiliencyStatusTrap.setDescription('This trap is sent by a mobility domain seed to announce changes in resilient capacity status.') rbtwsApOperRadioStatusTrap3 = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 66)).setObjects(("RBTWS-TRAP-MIB", "rbtwsDeviceSerNum"), ("RBTWS-TRAP-MIB", "rbtwsApNum"), ("RBTWS-TRAP-MIB", "rbtwsApName"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsRadioType"), ("RBTWS-TRAP-MIB", "rbtwsRadioMode"), ("RBTWS-TRAP-MIB", "rbtwsRadioConfigState"), ("RBTWS-TRAP-MIB", "rbtwsRadioChannelWidth"), ("RBTWS-TRAP-MIB", "rbtwsRadioMimoState"), ("RBTWS-TRAP-MIB", "rbtwsApConnectSecurityType"), ("RBTWS-TRAP-MIB", "rbtwsApServiceAvailability")) if mibBuilder.loadTexts: rbtwsApOperRadioStatusTrap3.setStatus('current') if mibBuilder.loadTexts: rbtwsApOperRadioStatusTrap3.setDescription('This trap is sent when the Radio changes state. It also contains aggregate information about the AP in operational state - security level and service availability. Obsoletes rbtwsApOperRadioStatusTrap and rbtwsApOperRadioStatusTrap2.') rbtwsClientAuthorizationSuccessTrap4 = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 67)).setObjects(("RBTWS-TRAP-MIB", "rbtwsUserName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionId"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientIp"), ("RBTWS-TRAP-MIB", "rbtwsClientVLANName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionState"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthServerIp"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthenProtocolType"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessMode"), ("RBTWS-TRAP-MIB", "rbtwsPhysPortNum"), ("RBTWS-TRAP-MIB", "rbtwsApNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID"), ("RBTWS-TRAP-MIB", "rbtwsClientRadioType"), ("RBTWS-TRAP-MIB", "rbtwsUserAccessType"), ("RBTWS-TRAP-MIB", "rbtwsLocalId"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthorizationReason")) if mibBuilder.loadTexts: rbtwsClientAuthorizationSuccessTrap4.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAuthorizationSuccessTrap4.setDescription("This trap is sent when a client authorizes. If rbtwsClientAccessMode = 'ap': rbtwsApNum, rbtwsAPRadioNum, rbtwsRadioSSID identify the AP/radio/BSS providing wireless service to this client at the time this trap was sent; rbtwsClientRadioType gives the type of radio used by this client. If rbtwsClientAccessMode = 'wired': rbtwsPhysPortNum identifies the physical port on the AC used by this wired-auth client. Obsoletes rbtwsClientAuthorizationSuccessTrap, rbtwsClientAuthorizationSuccessTrap2, rbtwsClientAuthorizationSuccessTrap3.") rbtwsRFDetectRogueDeviceTrap2 = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 68)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrRadioType"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrCryptoType"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectListenerListInfo"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectClassificationReason")) if mibBuilder.loadTexts: rbtwsRFDetectRogueDeviceTrap2.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectRogueDeviceTrap2.setDescription('This trap is sent when RF detection finds a rogue device. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. rbtwsRFDetectXmtrRadioType indicates the Type of Radio used by the transmitter (rogue device). rbtwsRFDetectXmtrCryptoType indicates the Type of Crypto used by the transmitter (rogue device). rbtwsRFDetectListenerListInfo is a display string of a list of listener information. rbtwsRFDetectClassificationReason indicates the reason why the device is classified as rogue. Obsoletes rbtwsRFDetectRogueAPTrap, rbtwsRFDetectUnAuthorizedAPTrap, rbtwsRFDetectRogueDeviceTrap.') rbtwsRFDetectSuspectDeviceTrap2 = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 69)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrRadioType"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrCryptoType"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectListenerListInfo"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectClassificationReason")) if mibBuilder.loadTexts: rbtwsRFDetectSuspectDeviceTrap2.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectSuspectDeviceTrap2.setDescription('This trap is sent when RF detection finds a suspect device. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. rbtwsRFDetectXmtrRadioType indicates the Type of Radio used by the transmitter (suspect device). rbtwsRFDetectXmtrCryptoType indicates the Type of Crypto used by the transmitter (suspect device). rbtwsRFDetectListenerListInfo is a display string of a list of listener information. rbtwsRFDetectClassificationReason indicates the reason why the device is classified as suspect. Obsoletes rbtwsRFDetectInterferingRogueAPTrap, rbtwsRFDetectSuspectDeviceTrap.') rbtwsClusterFailureTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 70)).setObjects(("RBTWS-TRAP-MIB", "rbtwsClusterFailureReason"), ("RBTWS-TRAP-MIB", "rbtwsClusterFailureDescription")) if mibBuilder.loadTexts: rbtwsClusterFailureTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClusterFailureTrap.setDescription("This trap is sent when the cluster configuration failed to apply. If rbtwsClusterFailureReason = 'validation-error': The validation error is reported by the receiving end of the configuration updates. The receiving end can be any AC (switch) in the mobility domain: member, secondary seed or primary seed. - Primary seed will be the receiving end of configuration updates when Primary seed is joining the cluster and Secondary seed has preempt mode enabled. - Both Secondary seed and member will be at the receiving end when Primary seed is active.") mibBuilder.exportSymbols("RBTWS-TRAP-MIB", RbtwsUserAttributeList=RbtwsUserAttributeList, rbtwsMobilityDomainJoinTrap=rbtwsMobilityDomainJoinTrap, rbtwsAutoTuneRadioPowerChangeTrap=rbtwsAutoTuneRadioPowerChangeTrap, rbtwsClientAuthorizationSuccessTrap4=rbtwsClientAuthorizationSuccessTrap4, rbtwsMobilityDomainIp=rbtwsMobilityDomainIp, rbtwsRFDetectInterferingRogueAPTrap=rbtwsRFDetectInterferingRogueAPTrap, rbtwsDeviceId=rbtwsDeviceId, rbtwsPoEFailTrap=rbtwsPoEFailTrap, rbtwsClientRoamedFromPortNum=rbtwsClientRoamedFromPortNum, rbtwsConfigSaveInitiatorIp=rbtwsConfigSaveInitiatorIp, rbtwsRFDetectDoSTrap=rbtwsRFDetectDoSTrap, rbtwsConfigurationSavedTrap=rbtwsConfigurationSavedTrap, rbtwsMobilityDomainTimeoutTrap=rbtwsMobilityDomainTimeoutTrap, rbtwsCounterMeasureStartTrap=rbtwsCounterMeasureStartTrap, RbtwsSessionDisconnectType=RbtwsSessionDisconnectType, PYSNMP_MODULE_ID=rbtwsTrapMib, RbtwsRFDetectDoSType=RbtwsRFDetectDoSType, rbtwsRFDetectClientViaRogueWiredAPTrap2=rbtwsRFDetectClientViaRogueWiredAPTrap2, rbtwsCounterMeasurePerformerListInfo=rbtwsCounterMeasurePerformerListInfo, rbtwsUserAccessType=rbtwsUserAccessType, rbtwsClientClearedTrap2=rbtwsClientClearedTrap2, rbtwsClientDeAssociationTrap=rbtwsClientDeAssociationTrap, rbtwsApMgrChangeReason=rbtwsApMgrChangeReason, rbtwsRFDetectXmtrRadioType=rbtwsRFDetectXmtrRadioType, rbtwsDAPconnectWarningType=rbtwsDAPconnectWarningType, rbtwsMichaelMICFailureCause=rbtwsMichaelMICFailureCause, rbtwsRFDetectBlacklistedTrap=rbtwsRFDetectBlacklistedTrap, RbtwsClientClearedReason=RbtwsClientClearedReason, rbtwsClientRoamedFromWsIp=rbtwsClientRoamedFromWsIp, rbtwsApPortOrDapNum=rbtwsApPortOrDapNum, rbtwsSourceWsIp=rbtwsSourceWsIp, rbtwsRadioMimoState=rbtwsRadioMimoState, rbtwsRFDetectClassificationChangeTrap=rbtwsRFDetectClassificationChangeTrap, rbtwsOldChannelNum=rbtwsOldChannelNum, rbtwsClientAuthenticationFailureCause=rbtwsClientAuthenticationFailureCause, RbtwsDot1xFailureType=RbtwsDot1xFailureType, RbtwsClusterFailureReason=RbtwsClusterFailureReason, rbtwsClientSessionState=rbtwsClientSessionState, rbtwsDeviceOkayTrap=rbtwsDeviceOkayTrap, rbtwsRFDetectClientViaRogueWiredAPTrap=rbtwsRFDetectClientViaRogueWiredAPTrap, rbtwsApConnectSecurityType=rbtwsApConnectSecurityType, rbtwsConfigSaveInitiatorDetails=rbtwsConfigSaveInitiatorDetails, rbtwsRadioSSID=rbtwsRadioSSID, rbtwsConfigSaveGeneration=rbtwsConfigSaveGeneration, rbtwsClientClearedReason=rbtwsClientClearedReason, rbtwsClientFailureCause=rbtwsClientFailureCause, rbtwsRFDetectDoSPortTrap=rbtwsRFDetectDoSPortTrap, rbtwsClientDynAuthorClientIp=rbtwsClientDynAuthorClientIp, rbtwsDeviceSerNum=rbtwsDeviceSerNum, rbtwsUserName=rbtwsUserName, rbtwsRFDetectSuspectDeviceDisappearTrap=rbtwsRFDetectSuspectDeviceDisappearTrap, rbtwsClientVLANtag=rbtwsClientVLANtag, rbtwsMobilityDomainResiliencyStatus=rbtwsMobilityDomainResiliencyStatus, rbtwsChangedUserParamOldValues=rbtwsChangedUserParamOldValues, rbtwsClientVLANid=rbtwsClientVLANid, rbtwsClientAuthorizationReason=rbtwsClientAuthorizationReason, RbtwsMichaelMICFailureCause=RbtwsMichaelMICFailureCause, rbtwsRFDetectRogueDisappearTrap=rbtwsRFDetectRogueDisappearTrap, rbtwsDAPConnectWarningTrap=rbtwsDAPConnectWarningTrap, rbtwsApAttachType=rbtwsApAttachType, rbtwsConfigSaveInitiatorType=rbtwsConfigSaveInitiatorType, rbtwsClientDot1xState=rbtwsClientDot1xState, rbtwsRadioPowerChangeReason=rbtwsRadioPowerChangeReason, rbtwsChannelChangeReason=rbtwsChannelChangeReason, rbtwsClientAccessType=rbtwsClientAccessType, rbtwsRFDetectXmtrCryptoType=rbtwsRFDetectXmtrCryptoType, rbtwsDeviceFailTrap=rbtwsDeviceFailTrap, rbtwsOldPowerLevel=rbtwsOldPowerLevel, rbtwsTrapMib=rbtwsTrapMib, rbtwsMobilityDomainSecondarySeedIp=rbtwsMobilityDomainSecondarySeedIp, rbtwsClusterFailureDescription=rbtwsClusterFailureDescription, rbtwsRadioBSSID=rbtwsRadioBSSID, rbtwsClientAssociationSuccessTrap=rbtwsClientAssociationSuccessTrap, rbtwsBlacklistingCause=rbtwsBlacklistingCause, rbtwsApOperRadioStatusTrap3=rbtwsApOperRadioStatusTrap3, rbtwsClientDynAuthorChangeSuccessTrap=rbtwsClientDynAuthorChangeSuccessTrap, rbtwsClientAuthenProtocolType=rbtwsClientAuthenProtocolType, rbtwsClientDot1xFailureTrap=rbtwsClientDot1xFailureTrap, rbtwsRFDetectXmtrMacAddr=rbtwsRFDetectXmtrMacAddr, rbtwsPhysPortNum=rbtwsPhysPortNum, rbtwsRFDetectUnAuthorizedOuiTrap=rbtwsRFDetectUnAuthorizedOuiTrap, rbtwsApNonOperStatusTrap2=rbtwsApNonOperStatusTrap2, rbtwsAPMACAddress=rbtwsAPMACAddress, rbtwsChangedUserParamNewValues=rbtwsChangedUserParamNewValues, rbtwsUserParams=rbtwsUserParams, rbtwsClientAuthorizationSuccessTrap3=rbtwsClientAuthorizationSuccessTrap3, rbtwsRFDetectAdhocUserTrap=rbtwsRFDetectAdhocUserTrap, rbtwsMobilityDomainPrimarySeedIp=rbtwsMobilityDomainPrimarySeedIp, rbtwsApManagerChangeTrap=rbtwsApManagerChangeTrap, rbtwsClientRoamingTrap=rbtwsClientRoamingTrap, rbtwsRFDetectDoSType=rbtwsRFDetectDoSType, rbtwsRFDetectAdhocUserDisappearTrap=rbtwsRFDetectAdhocUserDisappearTrap, rbtwsMichaelMICFailure=rbtwsMichaelMICFailure, rbtwsTrapsV2=rbtwsTrapsV2, rbtwsRFDetectRogueDeviceTrap=rbtwsRFDetectRogueDeviceTrap, rbtwsDAPNum=rbtwsDAPNum, rbtwsMpMichaelMICFailure2=rbtwsMpMichaelMICFailure2, rbtwsRadioChannelWidth=rbtwsRadioChannelWidth, rbtwsRFDetectClientViaRogueWiredAPTrap3=rbtwsRFDetectClientViaRogueWiredAPTrap3, rbtwsAutoTuneRadioChannelChangeTrap=rbtwsAutoTuneRadioChannelChangeTrap, rbtwsNewChannelNum=rbtwsNewChannelNum, rbtwsClusterFailureTrap=rbtwsClusterFailureTrap, rbtwsClientRoamedFromDAPNum=rbtwsClientRoamedFromDAPNum, rbtwsApMgrOldIp=rbtwsApMgrOldIp, rbtwsClientAssociationFailureTrap=rbtwsClientAssociationFailureTrap, rbtwsApName=rbtwsApName, rbtwsPortNum=rbtwsPortNum, rbtwsCounterMeasureStopTrap=rbtwsCounterMeasureStopTrap, rbtwsApMgrNewIp=rbtwsApMgrNewIp, rbtwsClientRoamedFromAccessType=rbtwsClientRoamedFromAccessType, rbtwsApServiceAvailability=rbtwsApServiceAvailability, rbtwsClientIpAddrChangeReason=rbtwsClientIpAddrChangeReason, rbtwsMobilityDomainResiliencyStatusTrap=rbtwsMobilityDomainResiliencyStatusTrap, rbtwsClientAuthorizationSuccessTrap2=rbtwsClientAuthorizationSuccessTrap2, rbtwsRadioConfigState=rbtwsRadioConfigState, rbtwsClientMACAddress=rbtwsClientMACAddress, rbtwsApFailDetail=rbtwsApFailDetail, rbtwsClientDisconnectTrap=rbtwsClientDisconnectTrap, rbtwsClientDynAuthorChangeFailureTrap=rbtwsClientDynAuthorChangeFailureTrap, rbtwsClientAuthServerIp=rbtwsClientAuthServerIp, rbtwsRadioPowerChangeDescription=rbtwsRadioPowerChangeDescription, rbtwsClientAuthorizationFailureCause=rbtwsClientAuthorizationFailureCause, rbtwsRFDetectRogueDeviceDisappearTrap=rbtwsRFDetectRogueDeviceDisappearTrap, rbtwsClientAuthorizationSuccessTrap=rbtwsClientAuthorizationSuccessTrap, rbtwsClientAccessMode=rbtwsClientAccessMode, RbtwsAuthenticationFailureType=RbtwsAuthenticationFailureType, rbtwsApOperRadioStatusTrap2=rbtwsApOperRadioStatusTrap2, RbtwsAuthorizationFailureType=RbtwsAuthorizationFailureType, rbtwsClientAuthorizationFailureTrap=rbtwsClientAuthorizationFailureTrap, rbtwsRFDetectInterferingRogueDisappearTrap=rbtwsRFDetectInterferingRogueDisappearTrap, rbtwsApNonOperStatusTrap=rbtwsApNonOperStatusTrap, rbtwsRFDetectSpoofedMacAPTrap=rbtwsRFDetectSpoofedMacAPTrap, RbtwsAssociationFailureType=RbtwsAssociationFailureType, rbtwsClientLocationPolicyIndex=rbtwsClientLocationPolicyIndex, rbtwsRadioRssi=rbtwsRadioRssi, rbtwsClientIp=rbtwsClientIp, rbtwsAPAccessType=rbtwsAPAccessType, rbtwsRFDetectClassificationReason=rbtwsRFDetectClassificationReason, rbtwsRadioMACAddress=rbtwsRadioMACAddress, rbtwsRFDetectUnAuthorizedAPTrap=rbtwsRFDetectUnAuthorizedAPTrap, rbtwsRFDetectRogueAPTrap=rbtwsRFDetectRogueAPTrap, rbtwsClientSessionId=rbtwsClientSessionId, rbtwsClientDisconnectDescription=rbtwsClientDisconnectDescription, rbtwsAPRadioNum=rbtwsAPRadioNum, rbtwsNumLicensedActiveAPs=rbtwsNumLicensedActiveAPs, rbtwsMpMichaelMICFailure=rbtwsMpMichaelMICFailure, rbtwsClientRadioType=rbtwsClientRadioType, rbtwsMobilityDomainFailOverTrap=rbtwsMobilityDomainFailOverTrap, rbtwsDeviceModel=rbtwsDeviceModel, rbtwsRFDetectSuspectDeviceTrap2=rbtwsRFDetectSuspectDeviceTrap2, rbtwsRsaPubKeyFingerPrint=rbtwsRsaPubKeyFingerPrint, rbtwsClientSessionElapsedSeconds=rbtwsClientSessionElapsedSeconds, rbtwsClientTimeSinceLastRoam=rbtwsClientTimeSinceLastRoam, rbtwsRFDetectSuspectDeviceTrap=rbtwsRFDetectSuspectDeviceTrap, rbtwsLocalId=rbtwsLocalId, rbtwsClientFailureCauseDescription=rbtwsClientFailureCauseDescription, rbtwsClientDeAuthenticationTrap=rbtwsClientDeAuthenticationTrap, rbtwsNewPowerLevel=rbtwsNewPowerLevel, rbtwsClientMACAddress2=rbtwsClientMACAddress2, rbtwsApTransition=rbtwsApTransition, rbtwsClientIpAddrChangeTrap=rbtwsClientIpAddrChangeTrap, RbtwsMobilityDomainResiliencyStatus=RbtwsMobilityDomainResiliencyStatus, RbtwsClientIpAddrChangeReason=RbtwsClientIpAddrChangeReason, rbtwsClientRoamedFromRadioNum=rbtwsClientRoamedFromRadioNum, rbtwsBlacklistingRemainingTime=rbtwsBlacklistingRemainingTime, rbtwsClientAuthenticationSuccessTrap=rbtwsClientAuthenticationSuccessTrap, rbtwsRFDetectSpoofedSsidAPTrap=rbtwsRFDetectSpoofedSsidAPTrap, rbtwsClientVLANName=rbtwsClientVLANName, rbtwsClientAssociationFailureCause=rbtwsClientAssociationFailureCause, rbtwsClientSessionElapsedTime=rbtwsClientSessionElapsedTime, rbtwsRFDetectListenerListInfo=rbtwsRFDetectListenerListInfo, rbtwsClientDot1xFailureCause=rbtwsClientDot1xFailureCause, rbtwsClusterFailureReason=rbtwsClusterFailureReason, rbtwsRFDetectRogueDeviceTrap2=rbtwsRFDetectRogueDeviceTrap2, rbtwsRFDetectRogueAPMacAddr=rbtwsRFDetectRogueAPMacAddr, rbtwsClientDisconnectSource=rbtwsClientDisconnectSource, rbtwsMobilityDomainFailBackTrap=rbtwsMobilityDomainFailBackTrap, rbtwsApWasOperational=rbtwsApWasOperational, RbtwsConfigSaveInitiatorType=RbtwsConfigSaveInitiatorType, rbtwsClientAuthenticationFailureTrap=rbtwsClientAuthenticationFailureTrap, RbtwsApMgrChangeReason=RbtwsApMgrChangeReason, rbtwsClientSessionStartTime=rbtwsClientSessionStartTime, rbtwsApRejectLicenseExceededTrap=rbtwsApRejectLicenseExceededTrap, RbtwsClientAuthorizationReason=RbtwsClientAuthorizationReason, rbtwsAPBootTrap=rbtwsAPBootTrap, rbtwsConfigSaveFileName=rbtwsConfigSaveFileName, rbtwsRFDetectUnAuthorizedSsidTrap=rbtwsRFDetectUnAuthorizedSsidTrap, rbtwsApOperRadioStatusTrap=rbtwsApOperRadioStatusTrap, rbtwsRadioMode=rbtwsRadioMode, rbtwsClientClearedTrap=rbtwsClientClearedTrap, rbtwsApTimeoutTrap=rbtwsApTimeoutTrap, rbtwsApNum=rbtwsApNum, rbtwsRadioType=rbtwsRadioType, RbtwsBlacklistingCause=RbtwsBlacklistingCause)
(object_identifier, octet_string, integer) = mibBuilder.importSymbols('ASN1', 'ObjectIdentifier', 'OctetString', 'Integer') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (constraints_union, single_value_constraint, constraints_intersection, value_size_constraint, value_range_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsUnion', 'SingleValueConstraint', 'ConstraintsIntersection', 'ValueSizeConstraint', 'ValueRangeConstraint') (rbtws_ap_fingerprint, rbtws_radio_config_state, rbtws_ap_connect_security_type, rbtws_channel_change_type, rbtws_ap_num, rbtws_ap_service_availability, rbtws_radio_type, rbtws_ap_serial_num, rbtws_ap_attach_type, rbtws_ap_fail_detail, rbtws_radio_mimo_state, rbtws_radio_channel_width, rbtws_radio_mode, rbtws_radio_num, rbtws_power_level, rbtws_crypto_type, rbtws_ap_was_operational, rbtws_radio_power_change_type, rbtws_access_type, rbtws_ap_transition, rbtws_ap_port_or_dap_num) = mibBuilder.importSymbols('RBTWS-AP-TC', 'RbtwsApFingerprint', 'RbtwsRadioConfigState', 'RbtwsApConnectSecurityType', 'RbtwsChannelChangeType', 'RbtwsApNum', 'RbtwsApServiceAvailability', 'RbtwsRadioType', 'RbtwsApSerialNum', 'RbtwsApAttachType', 'RbtwsApFailDetail', 'RbtwsRadioMimoState', 'RbtwsRadioChannelWidth', 'RbtwsRadioMode', 'RbtwsRadioNum', 'RbtwsPowerLevel', 'RbtwsCryptoType', 'RbtwsApWasOperational', 'RbtwsRadioPowerChangeType', 'RbtwsAccessType', 'RbtwsApTransition', 'RbtwsApPortOrDapNum') (rbtws_client_authen_protocol_type, rbtws_client_session_state, rbtws_client_dot1x_state, rbtws_client_access_mode, rbtws_user_access_type) = mibBuilder.importSymbols('RBTWS-CLIENT-SESSION-TC', 'RbtwsClientAuthenProtocolType', 'RbtwsClientSessionState', 'RbtwsClientDot1xState', 'RbtwsClientAccessMode', 'RbtwsUserAccessType') (rbtws_rf_detect_classification_reason,) = mibBuilder.importSymbols('RBTWS-RF-DETECT-TC', 'RbtwsRFDetectClassificationReason') (rbtws_traps, rbtws_mibs, rbtws_temporary) = mibBuilder.importSymbols('RBTWS-ROOT-MIB', 'rbtwsTraps', 'rbtwsMibs', 'rbtwsTemporary') (notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance') (integer32, unsigned32, time_ticks, mib_scalar, mib_table, mib_table_row, mib_table_column, bits, iso, notification_type, counter32, object_identity, ip_address, mib_identifier, module_identity, gauge32, counter64) = mibBuilder.importSymbols('SNMPv2-SMI', 'Integer32', 'Unsigned32', 'TimeTicks', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Bits', 'iso', 'NotificationType', 'Counter32', 'ObjectIdentity', 'IpAddress', 'MibIdentifier', 'ModuleIdentity', 'Gauge32', 'Counter64') (textual_convention, display_string, mac_address) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString', 'MacAddress') rbtws_trap_mib = module_identity((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 4, 1)) rbtwsTrapMib.setRevisions(('2008-05-15 02:15', '2008-05-07 02:12', '2008-04-22 02:02', '2008-04-10 02:01', '2008-04-08 01:58', '2008-02-18 01:57', '2007-12-03 01:53', '2007-11-15 01:52', '2007-11-01 01:45', '2007-10-01 01:41', '2007-08-31 01:40', '2007-08-24 01:22', '2007-07-06 01:10', '2007-06-05 01:07', '2007-05-17 01:06', '2007-05-04 01:03', '2007-04-19 01:00', '2007-03-27 00:54', '2007-02-15 00:53', '2007-01-09 00:52', '2007-01-09 00:51', '2007-01-09 00:50', '2006-09-28 00:45', '2006-08-08 00:42', '2006-07-31 00:40', '2006-07-28 00:32', '2006-07-23 00:29', '2006-07-12 00:28', '2006-07-07 00:26', '2006-07-07 00:25', '2006-07-06 00:23', '2006-04-19 00:22', '2006-04-19 00:21', '2005-01-01 00:00')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): if mibBuilder.loadTexts: rbtwsTrapMib.setRevisionsDescriptions(('v3.8.5: Clarified description to reflect the actual use and avoid future misuse of rbtwsDeviceSerNum. Updated description for rbtwsApName. Documented the meaning of RbtwsClientIpAddrChangeReason enumeration values. This will be published in 7.0 release.', 'v3.8.2: Added new trap: rbtwsClusterFailureTrap, related TC and objects: RbtwsClusterFailureReason, rbtwsClusterFailureReason, rbtwsClusterFailureDescription (for 7.0 release)', 'v3.7.2: Added new traps: rbtwsRFDetectRogueDeviceTrap2, rbtwsRFDetectSuspectDeviceTrap2 and related objects: rbtwsRFDetectXmtrRadioType, rbtwsRFDetectXmtrCryptoType. Obsoleted rbtwsRFDetectRogueDeviceTrap, rbtwsRFDetectSuspectDeviceTrap. (for 7.0 release)', 'v3.7.1: Added new trap: rbtwsClientAuthorizationSuccessTrap4, and related object: rbtwsClientRadioType. Obsoletes rbtwsClientAuthorizationSuccessTrap, rbtwsClientAuthorizationSuccessTrap2, rbtwsClientAuthorizationSuccessTrap3. (for 7.0 release)', 'v3.6.8: Obsoleted two traps: rbtwsRFDetectSpoofedMacAPTrap, rbtwsRFDetectSpoofedSsidAPTrap. (for 7.0 release)', 'v3.6.7: Redesigned the AP Operational - Radio Status trap to support 11n-capable APs. Added varbindings: rbtwsRadioChannelWidth, rbtwsRadioMimoState. The new trap is rbtwsApOperRadioStatusTrap3. (for 7.0 release)', 'v3.6.3: Obsoleted one object: rbtwsApPortOrDapNum (previously deprecated). This will be published in 7.0 release.', 'v3.6.2: Added three new traps: rbtwsApManagerChangeTrap, rbtwsClientClearedTrap2, rbtwsMobilityDomainResiliencyStatusTrap, related TCs and objects: RbtwsApMgrChangeReason, rbtwsApMgrChangeReason, rbtwsApMgrOldIp, rbtwsApMgrNewIp, rbtwsClientSessionElapsedSeconds, RbtwsClientClearedReason, rbtwsClientClearedReason, RbtwsMobilityDomainResiliencyStatus, rbtwsMobilityDomainResiliencyStatus. Obsoleted one trap: rbtwsClientClearedTrap, and related object: rbtwsClientSessionElapsedTime. (for 7.0 release)', 'v3.5.5: Added new trap: rbtwsClientAuthorizationSuccessTrap3, related TC and objects: RbtwsClientAuthorizationReason rbtwsClientAuthorizationReason, rbtwsClientAccessMode, rbtwsPhysPortNum. Obsoletes rbtwsClientAuthorizationSuccessTrap, rbtwsClientAuthorizationSuccessTrap2. (for 6.2 release)', 'v3.5.1: Cleaned up object (rbtwsAPAccessType). Marked it as obsolete, because instrumentation code for traps using it was removed long time ago. (This will be published in 6.2 release.)', "v3.5.0: Corrected rbtwsClientMACAddress2 SYNTAX: its value was always a MacAddress, not an arbitrary 'OCTET STRING (SIZE (6))'. There is no change on the wire, just a more appropriate DISPLAY-HINT.", 'v3.3.2: Added new trap: rbtwsMichaelMICFailure, related TC and object: RbtwsMichaelMICFailureCause, rbtwsMichaelMICFailureCause. Obsoletes rbtwsMpMichaelMICFailure, rbtwsMpMichaelMICFailure2. (for 6.2 release)', 'v3.2.0: Redesigned the AP Status traps. - Replaced rbtwsApAttachType and rbtwsApPortOrDapNum with a single varbinding, rbtwsApNum. - Added varbinding rbtwsRadioMode to the AP Operational - Radio Status trap. The new traps are rbtwsApNonOperStatusTrap2, rbtwsApOperRadioStatusTrap2. (for 6.2 release)', 'v3.1.2: Obsoleted one trap: rbtwsRFDetectUnAuthorizedAPTrap (for 6.2 release)', 'v3.1.1: Added new trap: rbtwsConfigurationSavedTrap and related objects: rbtwsConfigSaveFileName, rbtwsConfigSaveInitiatorType, rbtwsConfigSaveInitiatorIp, rbtwsConfigSaveInitiatorDetails, rbtwsConfigSaveGeneration. (for 6.2 release)', 'v3.0.1: added one value (3) to RbtwsClientIpAddrChangeReason', 'v3.0.0: Added six new traps: rbtwsRFDetectRogueDeviceTrap, rbtwsRFDetectRogueDeviceDisappearTrap, rbtwsRFDetectSuspectDeviceTrap, rbtwsRFDetectSuspectDeviceDisappearTrap, rbtwsRFDetectClientViaRogueWiredAPTrap3, rbtwsRFDetectClassificationChangeTrap and related object: rbtwsRFDetectClassificationReason. Obsoleted seven traps: rbtwsRFDetectRogueAPTrap, rbtwsRFDetectRogueDisappearTrap, rbtwsRFDetectInterferingRogueAPTrap, rbtwsRFDetectInterferingRogueDisappearTrap, rbtwsRFDetectUnAuthorizedSsidTrap, rbtwsRFDetectUnAuthorizedOuiTrap, rbtwsRFDetectClientViaRogueWiredAPTrap2. (for 6.2 release)', 'v2.9.2: added three values (13, 14, 15) to RbtwsAuthorizationFailureType (for 6.2 release)', 'v2.9.1: Cleaned up trap (rbtwsClientAuthorizationSuccessTrap) and object (rbtwsRadioRssi) deprecated long time ago. Marked them as obsolete, because instrumentation code was removed already. (This will be published in 6.2 release.)', 'v2.9.0: Added two textual conventions: RbtwsUserAttributeList, RbtwsSessionDisconnectType three new traps: rbtwsClientDynAuthorChangeSuccessTrap, rbtwsClientDynAuthorChangeFailureTrap, rbtwsClientDisconnectTrap and related objects: rbtwsClientDynAuthorClientIp, rbtwsChangedUserParamOldValues, rbtwsChangedUserParamNewValues, rbtwsClientDisconnectSource, rbtwsClientDisconnectDescription (for 6.2 release)', 'v2.8.5: added one value (24) to RbtwsRFDetectDoSType (for 6.2 release)', 'v2.6.4: Added two new traps: rbtwsMobilityDomainFailOverTrap, rbtwsMobilityDomainFailBackTrap and related objects: rbtwsMobilityDomainSecondarySeedIp, rbtwsMobilityDomainPrimarySeedIp (for 6.0 release)', 'v2.6.2: Factored out four textual conventions into a new module, Client Session TC: RbtwsClientSessionState, RbtwsClientAuthenProtocolType, RbtwsClientDot1xState, RbtwsUserAccessType and imported them from there.', 'v2.5.2: Added new trap: rbtwsApRejectLicenseExceededTrap and related object: rbtwsNumLicensedActiveAPs (for 6.0 release)', 'v2.5.0: Added new trap: rbtwsRFDetectAdhocUserDisappearTrap (for 6.0 release)', 'v2.4.7: Removed unused imports', 'v2.4.1: Added new trap: rbtwsRFDetectBlacklistedTrap, related textual convention: RbtwsBlacklistingCause and objects: rbtwsBlacklistingRemainingTime, rbtwsBlacklistingCause (for 6.0 release)', 'v2.4.0: Added new trap: RFDetectClientViaRogueWiredAPTrap2 and related object: rbtwsRFDetectRogueAPMacAddr. This trap obsoletes the RFDetectClientViaRogueWiredAPTrap (for 6.0 release)', 'v2.3.1: Added 3 new traps: rbtwsClientAssociationSuccessTrap, rbtwsClientAuthenticationSuccessTrap, rbtwsClientDeAuthenticationTrap (for 6.0 release)', 'v2.3.0: Added new trap: rbtwsClientIpAddrChangeTrap and related object: RbtwsClientIpAddrChangeReason (for 6.0 release)', 'v2.2.0: added two values (13, 14) to RbtwsAuthenticationFailureType (for 6.0 release)', 'v2.1.6: Updated client connection failure causes and descriptions (for 5.0 release)', 'v2.0.6: Revised for 4.1 release', 'v1: initial version, as for 4.0 and older releases')) if mibBuilder.loadTexts: rbtwsTrapMib.setLastUpdated('200805151711Z') if mibBuilder.loadTexts: rbtwsTrapMib.setOrganization('Enterasys Networks') if mibBuilder.loadTexts: rbtwsTrapMib.setContactInfo('www.enterasys.com') if mibBuilder.loadTexts: rbtwsTrapMib.setDescription("Notifications emitted by Enterasys Networks wireless switches. AP = Access Point; AC = Access Controller (wireless switch), the device that runs a SNMP Agent implementing this MIB. Copyright 2008 Enterasys Networks, Inc. All rights reserved. This SNMP Management Information Base Specification (Specification) embodies confidential and proprietary intellectual property. This Specification is supplied 'AS IS' and Enterasys Networks makes no warranty, either express or implied, as to the use, operation, condition, or performance of the Specification.") rbtws_traps_v2 = mib_identifier((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0)) class Rbtwsassociationfailuretype(TextualConvention, Integer32): description = "Enumeration of the reasons for an AP to fail a client's 802.11 association" status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13)) named_values = named_values(('other', 1), ('load-balance', 2), ('quiet-period', 3), ('dot1x', 4), ('no-prev-assoc', 5), ('glare', 6), ('cipher-rejected', 7), ('cipher-mismatch', 8), ('wep-not-configured', 9), ('bad-assoc-request', 10), ('out-of-memory', 11), ('tkip-cm-active', 12), ('roam-in-progress', 13)) class Rbtwsauthenticationfailuretype(TextualConvention, Integer32): description = "Enumeration of the reasons for AAA authentication to fail user-glob-mismatch - auth rule/user not found for console login user-does-not-exist - login failed because user not found invalid-password - login failed because of invalid password server-timeout - unable to contact a AAA server signature-failed - incorrect password for mschapv2 local-certificate-error - certificate error all-servers-down - unable to contact any AAA server in the group authentication-type-mismatch - client and switch are using different authentication methods server-rejected - received reject from AAA server fallthru-auth-misconfig - problem with fallthru authentication no-lastresort-auth - problem with last-resort authentication exceeded-max-attempts - local user failed to login within allowed number of attempts resulting in account lockout password-expired - user's password expired" status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14)) named_values = named_values(('other', 1), ('user-glob-mismatch', 2), ('user-does-not-exist', 3), ('invalid-password', 4), ('server-timeout', 5), ('signature-failed', 6), ('local-certificate-error', 7), ('all-servers-down', 8), ('authentication-type-mismatch', 9), ('server-rejected', 10), ('fallthru-auth-misconfig', 11), ('no-lastresort-auth', 12), ('exceeded-max-attempts', 13), ('password-expired', 14)) class Rbtwsauthorizationfailuretype(TextualConvention, Integer32): description = 'Enumeration of the reasons for AAA authorization failure' status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15)) named_values = named_values(('other', 1), ('user-param', 2), ('location-policy', 3), ('vlan-tunnel-failure', 4), ('ssid-mismatch', 5), ('acl-mismatch', 6), ('timeofday-mismatch', 7), ('crypto-type-mismatch', 8), ('mobility-profile-mismatch', 9), ('start-date-mismatch', 10), ('end-date-mismatch', 11), ('svr-type-mismatch', 12), ('ssid-defaults', 13), ('qos-profile-mismatch', 14), ('simultaneous-logins', 15)) class Rbtwsdot1Xfailuretype(TextualConvention, Integer32): description = "Enumeration of the dot1x failure reasons. quiet-period occurs when client is denied access for a period of time after a failed connection attempt administrative-kill means that the session was cleared using the 'clear dot1x client' command bad-rsnie means that client sent an invalid IE timeout is when there are excessive retransmissions max-sessions-exceeded means the maximum allowed wired clients has been exceeded on the switch fourway-hs-failure is for failures occuring the 4-way key handshake user-glob-mismatch means the name received in the dot1x identity request does not match any configured userglobs in the system reauth-disabled means that the client is trying to reauthenticate but reauthentication is disabled gkhs-failure means that either there was no response from the client during the GKHS or the response did not have an IE force-unauth-configured means that the client is trying to connect through a port which is configured as force-unauth cert-not-installed means that there is no certificate installed on the switch" status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13)) named_values = named_values(('other', 1), ('quiet-period', 2), ('administrative-kill', 3), ('bad-rsnie', 4), ('timeout', 5), ('max-sessions-exceeded', 6), ('fourway-hs-failure', 7), ('user-glob-mismatch', 8), ('bonded-auth-failure', 9), ('reauth-disabled', 10), ('gkhs-failure', 11), ('force-unauth-configured', 12), ('cert-not-installed', 13)) class Rbtwsrfdetectdostype(TextualConvention, Integer32): description = 'The types of denial of service (DoS) attacks' status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24)) named_values = named_values(('probe-flood', 1), ('auth-flood', 2), ('null-data-flood', 3), ('mgmt-6-flood', 4), ('mgmt-7-flood', 5), ('mgmt-d-flood', 6), ('mgmt-e-flood', 7), ('mgmt-f-flood', 8), ('fakeap-ssid', 9), ('fakeap-bssid', 10), ('bcast-deauth', 11), ('null-probe-resp', 12), ('disassoc-spoof', 13), ('deauth-spoof', 14), ('decrypt-err', 15), ('weak-wep-iv', 16), ('wireless-bridge', 17), ('netstumbler', 18), ('wellenreiter', 19), ('adhoc-client-frame', 20), ('associate-pkt-flood', 21), ('re-associate-pkt-flood', 22), ('de-associate-pkt-flood', 23), ('bssid-spoof', 24)) class Rbtwsclientipaddrchangereason(TextualConvention, Integer32): description = 'Describes the reasons for client IP address changes: client-connected: IP address assigned on initial connection; other: IP address changed after initial connection; dhcp-to-static: erroneous condition where client IP address is changed to a static address while the dhcp-restrict option is enabled.' status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3)) named_values = named_values(('client-connected', 1), ('other', 2), ('dhcp-to-static', 3)) class Rbtwsblacklistingcause(TextualConvention, Integer32): description = "Enumeration of reasons for blacklisting a transmitter: bl-configured: administrative action (explicitly added to the Black List), bl-associate-pkt-flood: Association request flood detected, bl-re-associate-pkt-flood: Re-association request flood detected, bl-de-associate-pkt-flood: De-association request flood detected. (The leading 'bl-' stands for 'Black-Listed'; reading it as 'Blocked' would also make sense)." status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3, 4)) named_values = named_values(('bl-configured', 1), ('bl-associate-pkt-flood', 2), ('bl-re-associate-pkt-flood', 3), ('bl-de-associate-pkt-flood', 4)) class Rbtwsuserattributelist(DisplayString): description = 'Display string listing AAA attributes and their values. These strings can be used, for example, in change of authorization notifications. The syntax is: attribute_name1=value1, attribute_name2=value2, ... where attribute_name can be one of the following: vlan-name, in-acl, out-acl, mobility-prof, time-of-day, end-date, sess-timeout, acct-interval, service-type. Example: vlan-name=red, in-acl=in_acl_1' status = 'current' subtype_spec = DisplayString.subtypeSpec + value_size_constraint(0, 2048) class Rbtwssessiondisconnecttype(TextualConvention, Integer32): description = 'Enumeration of the sources that can initiate the termination of a session: admin-disconnect: session terminated by administrative action (from console, telnet session, WebView, or RASM). dyn-auth-disconnect: session terminated by dynamic authorization client; description will have the IP address of the dynamic authorization client which sent the request.' status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3)) named_values = named_values(('other', 1), ('admin-disconnect', 2), ('dyn-auth-disconnect', 3)) class Rbtwsconfigsaveinitiatortype(TextualConvention, Integer32): description = 'Enumeration of the sources that can initiate a configuration save: cli-console: configuration save requested from serial console administrative session. cli-remote: configuration save requested from telnet or ssh administrative session. https: configuration save requested via HTTPS API (RASM or WebView). snmp-set: configuration saved as a result of performing a SNMP SET operation.' status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3, 4, 5)) named_values = named_values(('other', 1), ('cli-console', 2), ('cli-remote', 3), ('https', 4), ('snmp-set', 5)) class Rbtwsmichaelmicfailurecause(TextualConvention, Integer32): description = 'Describes the cause/source of Michael MIC Failure detection.' status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2)) named_values = named_values(('detected-by-ap', 1), ('detected-by-client', 2)) class Rbtwsclientauthorizationreason(TextualConvention, Integer32): description = 'Enumeration of the reasons for AAA authorization.' status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3, 4)) named_values = named_values(('other', 1), ('new-client', 2), ('re-auth', 3), ('roam', 4)) class Rbtwsapmgrchangereason(TextualConvention, Integer32): description = "Enumeration of the reasons why AP is switching to its secondary link: failover: AP's primary link failed. load-balancing: AP's primary link is overloaded." status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3)) named_values = named_values(('other', 1), ('failover', 2), ('load-balancing', 3)) class Rbtwsclientclearedreason(TextualConvention, Integer32): description = 'Enumeration of the reasons for clearing a session: normal: Session was cleared from the switch as the last step in the normal session termination process. backup-failure: The backup switch could not activate a session from a failed MX.' status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3)) named_values = named_values(('other', 1), ('normal', 2), ('backup-failure', 3)) class Rbtwsmobilitydomainresiliencystatus(TextualConvention, Integer32): description = 'Enumeration of the current resilient capacity status for a mobility domain: resilient: Every AP in the mobility domain has a secondary backup link. If the primary switch of an AP failed, the AP and its sessions would fail over to its backup link. degraded: Some APs only have a primary link. If the primary switch of an AP without a backup link failed, the AP would reboot and its sessions would be lost.' status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3)) named_values = named_values(('other', 1), ('resilient', 2), ('degraded', 3)) class Rbtwsclusterfailurereason(TextualConvention, Integer32): description = 'Enumeration of the reasons why the AC goes into cluster failure state: validation-error: Cluster configuration rejected due to validation error.' status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2)) named_values = named_values(('other', 1), ('validation-error', 2)) rbtws_device_id = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 1), object_identifier()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsDeviceId.setStatus('current') if mibBuilder.loadTexts: rbtwsDeviceId.setDescription('Enumeration of devices as indicated in registration MIB. This object is used within notifications and is not accessible.') rbtws_mobility_domain_ip = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 2), ip_address()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsMobilityDomainIp.setStatus('current') if mibBuilder.loadTexts: rbtwsMobilityDomainIp.setDescription('IP address of the other switch which the send switch is reporting on. This object is used within notifications and is not accessible.') rbtws_apmac_address = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 3), mac_address()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsAPMACAddress.setStatus('current') if mibBuilder.loadTexts: rbtwsAPMACAddress.setDescription('MAC address of the AP of interest. This object is used within notifications and is not accessible.') rbtws_client_mac_address = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 4), mac_address()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClientMACAddress.setStatus('current') if mibBuilder.loadTexts: rbtwsClientMACAddress.setDescription('MAC address of the client of interest. This object is used within notifications and is not accessible.') rbtws_rf_detect_xmtr_mac_addr = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 5), mac_address()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsRFDetectXmtrMacAddr.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectXmtrMacAddr.setDescription("Describes the transmitter's MAC address. This object is used within notifications and is not accessible.") rbtws_port_num = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 6), integer32().subtype(subtypeSpec=value_range_constraint(1, 22))).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsPortNum.setStatus('current') if mibBuilder.loadTexts: rbtwsPortNum.setDescription('Port number on the AC which reported this rogue during a detection sweep. This object is used within notifications and is not accessible.') rbtws_ap_radio_num = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 7), rbtws_radio_num()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsAPRadioNum.setStatus('current') if mibBuilder.loadTexts: rbtwsAPRadioNum.setDescription('Radio number of the AP which reported this rogue during a detection sweep. This object is used within notifications and is not accessible.') rbtws_radio_rssi = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 8), integer32().subtype(subtypeSpec=value_range_constraint(0, 1024))).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsRadioRssi.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRadioRssi.setDescription('The received signal strength as measured by the AP radio which reported this rogue during a detection sweep. This object is used within notifications and is not accessible. Not used by any notification.') rbtws_radio_bssid = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 9), octet_string().subtype(subtypeSpec=value_size_constraint(6, 6)).setFixedLength(6)).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsRadioBSSID.setStatus('current') if mibBuilder.loadTexts: rbtwsRadioBSSID.setDescription('The basic service set identifier of the rogue from the beacon frame reported by the AP during a detection sweep. This object is used within notifications and is not accessible.') rbtws_user_name = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 10), display_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsUserName.setStatus('current') if mibBuilder.loadTexts: rbtwsUserName.setDescription('The client user name as learned from the AAA process. This object is used within notifications and is not accessible.') rbtws_client_auth_server_ip = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 11), ip_address()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClientAuthServerIp.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAuthServerIp.setDescription('The client authentication server ip address. This object is used within notifications and is not accessible.') rbtws_client_session_state = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 12), rbtws_client_session_state()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClientSessionState.setStatus('current') if mibBuilder.loadTexts: rbtwsClientSessionState.setDescription('The state for a client session. This object is used within notifications and is not accessible.') rbtws_dap_num = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 13), integer32().subtype(subtypeSpec=value_range_constraint(1, 100))).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsDAPNum.setStatus('current') if mibBuilder.loadTexts: rbtwsDAPNum.setDescription('The DAP number on the wireless switch. This object is used within notifications and is not accessible.') rbtws_client_ip = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 14), ip_address()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClientIp.setStatus('current') if mibBuilder.loadTexts: rbtwsClientIp.setDescription('The client ip address. This object is used within notifications and is not accessible.') rbtws_client_session_id = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 15), display_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClientSessionId.setStatus('current') if mibBuilder.loadTexts: rbtwsClientSessionId.setDescription('The unique global id for a client session. This object is used within notifications and is not accessible.') rbtws_client_authen_protocol_type = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 16), rbtws_client_authen_protocol_type()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClientAuthenProtocolType.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAuthenProtocolType.setDescription('The authentication protocol for a client. This object is used within notifications and is not accessible.') rbtws_client_vlan_name = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 17), display_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClientVLANName.setStatus('current') if mibBuilder.loadTexts: rbtwsClientVLANName.setDescription('The vlan name a client is on. This object is used within notifications and is not accessible.') rbtws_client_session_start_time = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 18), time_ticks()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClientSessionStartTime.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsClientSessionStartTime.setDescription("The start time of a client session, relative to the sysUptime. This object is used within notifications and is not accessible. Obsolete. Do not use it because it's not vital information and often *cannot* be implemented to match the declared semantics: a client session might have been created on another wireless switch, *before* the current switch booted (the local zero of sysUptime).") rbtws_client_failure_cause = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 19), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClientFailureCause.setStatus('current') if mibBuilder.loadTexts: rbtwsClientFailureCause.setDescription('Display string for possible failure cause for a client session. This object is used within notifications and is not accessible.') rbtws_client_roamed_from_port_num = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 20), integer32().subtype(subtypeSpec=value_range_constraint(1, 20))).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClientRoamedFromPortNum.setStatus('current') if mibBuilder.loadTexts: rbtwsClientRoamedFromPortNum.setDescription('The port number on the AC a client has roamed from. This object is used within notifications and is not accessible.') rbtws_client_roamed_from_radio_num = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 21), rbtws_radio_num()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClientRoamedFromRadioNum.setStatus('current') if mibBuilder.loadTexts: rbtwsClientRoamedFromRadioNum.setDescription('The radio number of the AP the client is roamed from. This object is used within notifications and is not accessible.') rbtws_client_roamed_from_dap_num = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 22), integer32().subtype(subtypeSpec=value_range_constraint(1, 100))).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClientRoamedFromDAPNum.setStatus('current') if mibBuilder.loadTexts: rbtwsClientRoamedFromDAPNum.setDescription('The DAP number on the AC which reported this rogue during roam. This object is used within notifications and is not accessible.') rbtws_user_params = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 23), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsUserParams.setStatus('current') if mibBuilder.loadTexts: rbtwsUserParams.setDescription('A display string of User Parameters for client user authorization attributes learned through AAA and/or used by the system. Note that the syntax will be (name=value, name=value,..) for the parsing purpose. This object is used within notifications and is not accessible.') rbtws_client_location_policy_index = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 24), integer32().subtype(subtypeSpec=value_range_constraint(0, 1024))).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClientLocationPolicyIndex.setStatus('current') if mibBuilder.loadTexts: rbtwsClientLocationPolicyIndex.setDescription('Index of the Location Policy rule applied to a user. This object is used within notifications and is not accessible.') rbtws_client_association_failure_cause = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 25), rbtws_association_failure_type()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClientAssociationFailureCause.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAssociationFailureCause.setDescription('The client association failure cause. This object is used within notifications and is not accessible.') rbtws_client_authentication_failure_cause = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 26), rbtws_authentication_failure_type()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClientAuthenticationFailureCause.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAuthenticationFailureCause.setDescription('The client authentication failure cause. This object is used within notifications and is not accessible.') rbtws_client_authorization_failure_cause = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 27), rbtws_authorization_failure_type()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClientAuthorizationFailureCause.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAuthorizationFailureCause.setDescription('The client authorization failure cause. Note that if it is the user-param, we would additionally expect the failure cause description to list the user attribute value that caused the failure. This object is used within notifications and is not accessible.') rbtws_client_failure_cause_description = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 28), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClientFailureCauseDescription.setStatus('current') if mibBuilder.loadTexts: rbtwsClientFailureCauseDescription.setDescription('Display string for describing the client failure cause. This object is used within notifications and is not accessible.') rbtws_client_roamed_from_ws_ip = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 29), ip_address()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClientRoamedFromWsIp.setStatus('current') if mibBuilder.loadTexts: rbtwsClientRoamedFromWsIp.setDescription('The system IP address of the AC (wireless switch) a client roamed from. This object is used within notifications and is not accessible.') rbtws_client_roamed_from_access_type = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 30), rbtws_access_type()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClientRoamedFromAccessType.setStatus('current') if mibBuilder.loadTexts: rbtwsClientRoamedFromAccessType.setDescription('The client access type (ap, dap, wired) that a client roamed from. This object is used within notifications and is not accessible.') rbtws_client_access_type = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 31), rbtws_access_type()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClientAccessType.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAccessType.setDescription('The client access type (ap, dap, wired). This object is used within notifications and is not accessible. For new traps, use rbtwsClientAccessMode instead of this object.') rbtws_radio_mac_address = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 32), mac_address()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsRadioMACAddress.setStatus('current') if mibBuilder.loadTexts: rbtwsRadioMACAddress.setDescription('AP Radio MAC address. This object is used within notifications and is not accessible.') rbtws_radio_power_change_reason = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 33), rbtws_radio_power_change_type()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsRadioPowerChangeReason.setStatus('current') if mibBuilder.loadTexts: rbtwsRadioPowerChangeReason.setDescription('The type of event that caused an AP radio power change; occurs due to auto-tune operation. This object is used within notifications and is not accessible.') rbtws_new_channel_num = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 34), integer32().subtype(subtypeSpec=value_range_constraint(1, 1024))).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsNewChannelNum.setStatus('current') if mibBuilder.loadTexts: rbtwsNewChannelNum.setDescription('New channel number of the AP radio used after an auto tune event. This object is used within notifications and is not accessible.') rbtws_old_channel_num = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 35), integer32().subtype(subtypeSpec=value_range_constraint(1, 1024))).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsOldChannelNum.setStatus('current') if mibBuilder.loadTexts: rbtwsOldChannelNum.setDescription('Old channel number of the AP radio used before an auto tune event. This object is used within notifications and is not accessible.') rbtws_channel_change_reason = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 36), rbtws_channel_change_type()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsChannelChangeReason.setStatus('current') if mibBuilder.loadTexts: rbtwsChannelChangeReason.setDescription('The type of event that caused an AP radio channel change; occurs due to auto-tune operation. This object is used within notifications and is not accessible.') rbtws_rf_detect_listener_list_info = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 37), octet_string().subtype(subtypeSpec=value_size_constraint(0, 571))).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsRFDetectListenerListInfo.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectListenerListInfo.setDescription('The RF Detection Listener list info including a list of (listener mac, rssi, channel, ssid, time). There will be a maximum of 6 entries in the list. Formats: MAC: 18 bytes: %2.2X:%2.2X:%2.2X:%2.2X:%2.2X:%2.2X RSSI: 10 bytes: %10d CHANNEL: 3 bytes: %3d SSID: 32 bytes: %s TIME: 26 bytes: %s Maximum size per entry is 89+4+2 = 95 bytes. Maximum size of the string is 6*95= 571 bytes (include NULL). This object is used within notifications and is not accessible.') rbtws_radio_ssid = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 38), display_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsRadioSSID.setStatus('current') if mibBuilder.loadTexts: rbtwsRadioSSID.setDescription('The radio SSID string This object is used within notifications and is not accessible.') rbtws_new_power_level = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 39), rbtws_power_level()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsNewPowerLevel.setStatus('current') if mibBuilder.loadTexts: rbtwsNewPowerLevel.setDescription('New power level of the AP radio used after an auto tune event. This object is used within notifications and is not accessible.') rbtws_old_power_level = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 40), rbtws_power_level()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsOldPowerLevel.setStatus('current') if mibBuilder.loadTexts: rbtwsOldPowerLevel.setDescription('Old power level of the AP radio used before an auto tune event. This object is used within notifications and is not accessible.') rbtws_radio_power_change_description = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 41), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsRadioPowerChangeDescription.setStatus('current') if mibBuilder.loadTexts: rbtwsRadioPowerChangeDescription.setDescription('The radio power change description. In the case of reason being dup-pkts-threshold-exceed(1), and retransmit-threshold-exceed(2), clientMacAddress will be included in the description. This object is used within notifications and is not accessible.') rbtws_counter_measure_performer_list_info = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 42), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsCounterMeasurePerformerListInfo.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsCounterMeasurePerformerListInfo.setDescription('A list of information for APs performing Counter Measures including a list of performer mac addresses. This object is used within notifications and is not accessible. Not used by any notification.') rbtws_client_dot1x_state = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 43), rbtws_client_dot1x_state()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClientDot1xState.setStatus('current') if mibBuilder.loadTexts: rbtwsClientDot1xState.setDescription('The state for a client 802.1X. This object is used within notifications and is not accessible.') rbtws_client_dot1x_failure_cause = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 44), rbtws_dot1x_failure_type()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClientDot1xFailureCause.setStatus('current') if mibBuilder.loadTexts: rbtwsClientDot1xFailureCause.setDescription('The client 802.1X failure cause. This object is used within notifications and is not accessible.') rbtws_ap_access_type = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 45), rbtws_access_type()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsAPAccessType.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsAPAccessType.setDescription('The access point access type (ap, dap,). This object is used within notifications and is not accessible. Not used by any notification.') rbtws_user_access_type = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 46), rbtws_user_access_type()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsUserAccessType.setStatus('current') if mibBuilder.loadTexts: rbtwsUserAccessType.setDescription('The user access type (MAC, WEB, DOT1X, LAST-RESORT). This object is used within notifications and is not accessible.') rbtws_client_session_elapsed_time = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 47), time_ticks()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClientSessionElapsedTime.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsClientSessionElapsedTime.setDescription('The elapsed time for a client session. Obsoleted because session time is usually reported in seconds. This object is used within notifications and is not accessible.') rbtws_local_id = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 48), integer32().subtype(subtypeSpec=value_range_constraint(1, 65000))).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsLocalId.setStatus('current') if mibBuilder.loadTexts: rbtwsLocalId.setDescription('Local Id for the session. This object is used within notifications and is not accessible.') rbtws_rf_detect_do_s_type = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 49), rbtws_rf_detect_do_s_type()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsRFDetectDoSType.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectDoSType.setDescription('The type of denial of service (DoS) attack. This object is used within notifications and is not accessible.') rbtws_source_ws_ip = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 50), ip_address()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsSourceWsIp.setStatus('current') if mibBuilder.loadTexts: rbtwsSourceWsIp.setDescription('IP address of another AC (wireless switch). This object is used within notifications and is not accessible.') rbtws_client_vla_nid = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 51), integer32().subtype(subtypeSpec=value_range_constraint(0, 4095))).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClientVLANid.setStatus('current') if mibBuilder.loadTexts: rbtwsClientVLANid.setDescription('VLAN ID used by client traffic. This object is used within notifications and is not accessible.') rbtws_client_vla_ntag = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 52), integer32().subtype(subtypeSpec=value_range_constraint(0, 4095))).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClientVLANtag.setStatus('current') if mibBuilder.loadTexts: rbtwsClientVLANtag.setDescription('VLAN tag used by client traffic. This object is used within notifications and is not accessible.') rbtws_device_model = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 53), display_string()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsDeviceModel.setStatus('current') if mibBuilder.loadTexts: rbtwsDeviceModel.setDescription('The model of a device in printable US-ASCII. If unknown (or not available), then the value is a zero length string. This object is used within notifications and is not accessible.') rbtws_device_ser_num = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 54), rbtws_ap_serial_num()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsDeviceSerNum.setStatus('current') if mibBuilder.loadTexts: rbtwsDeviceSerNum.setDescription('The serial number of an AP in printable US-ASCII. If unknown (or not available), then the value is a zero length string. Should NOT be used to identify other devices, for example an AC (wireless switch). This object is used within notifications and is not accessible.') rbtws_rsa_pub_key_finger_print = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 55), rbtws_ap_fingerprint()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsRsaPubKeyFingerPrint.setStatus('current') if mibBuilder.loadTexts: rbtwsRsaPubKeyFingerPrint.setDescription('The hash of the RSA public key (of a key pair) in binary form that uniquely identifies the public key of an AP. This object is used within notifications and is not accessible.') rbtws_da_pconnect_warning_type = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 56), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('not-configured-fingerprint-connect', 1), ('secure-handshake-failure', 2), ('not-configured-fingerprint-required', 3), ('fingerprint-mismatch', 4)))).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsDAPconnectWarningType.setStatus('current') if mibBuilder.loadTexts: rbtwsDAPconnectWarningType.setDescription("The type of DAP connect warning. The values are: not-configured-fingerprint-connect(1)...a DAP, which has an RSA keypair but did not have its fingerprint configured on the AC, has connected to the AC when 'dap security' set to 'OPTIONAL' secure-handshake-failure(2).............a DAP tried to connect to the AC with security, but the handshake failed not-configured-fingerprint-required(3)..a DAP tried to connect to the AC with security, but 'dap security' set to 'REQUIRED', and no fingerprint was configured for the DAP fingerprint-mismatch(4).................a DAP tried to connect to the AC with security and its fingerprint was configured, but the fingerprint did not match the computed one This object is used within notifications and is not accessible.") rbtws_client_mac_address2 = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 57), mac_address()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClientMACAddress2.setStatus('current') if mibBuilder.loadTexts: rbtwsClientMACAddress2.setDescription('MAC address of the second client of interest. This object is used within notifications and is not accessible.') rbtws_ap_attach_type = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 58), rbtws_ap_attach_type()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsApAttachType.setStatus('current') if mibBuilder.loadTexts: rbtwsApAttachType.setDescription('How the AP is attached to the AC (directly or via L2/L3 network). This object is used within notifications and is not accessible.') rbtws_ap_port_or_dap_num = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 59), rbtws_ap_port_or_dap_num()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsApPortOrDapNum.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsApPortOrDapNum.setDescription('The Port Number if the AP is directly attached, or the CLI-assigned DAP Number if attached via L2/L3 network. This object is used within notifications and is not accessible. Obsoleted by rbtwsApNum. (In 6.0, direct- and network-attached APs were unified.)') rbtws_ap_name = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 60), display_string()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsApName.setStatus('current') if mibBuilder.loadTexts: rbtwsApName.setDescription("The name of the AP, as assigned in AC's CLI; defaults to AP<Number> (examples: 'AP01', 'AP22', 'AP333', 'AP4444'); could have been changed from CLI to a meaningful name, for example the location of the AP (example: 'MeetingRoom73'). This object is used within notifications and is not accessible.") rbtws_ap_transition = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 61), rbtws_ap_transition()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsApTransition.setStatus('current') if mibBuilder.loadTexts: rbtwsApTransition.setDescription('AP state Transition, as seen by the AC. This object is used within notifications and is not accessible.') rbtws_ap_fail_detail = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 62), rbtws_ap_fail_detail()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsApFailDetail.setStatus('current') if mibBuilder.loadTexts: rbtwsApFailDetail.setDescription("Detailed failure code for some of the transitions specified in 'rbtwsApTransition' object. This object is used within notifications and is not accessible.") rbtws_radio_type = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 63), rbtws_radio_type()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsRadioType.setStatus('current') if mibBuilder.loadTexts: rbtwsRadioType.setDescription('Indicates the AP Radio Type, as seen by AC. This object is used within notifications and is not accessible.') rbtws_radio_config_state = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 64), rbtws_radio_config_state()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsRadioConfigState.setStatus('current') if mibBuilder.loadTexts: rbtwsRadioConfigState.setDescription('Indicates the Radio State, as seen by the AC. This object is used within notifications and is not accessible.') rbtws_ap_connect_security_type = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 65), rbtws_ap_connect_security_type()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsApConnectSecurityType.setStatus('current') if mibBuilder.loadTexts: rbtwsApConnectSecurityType.setDescription('Indicates the security level of the connection between AP and AC. This object is used within notifications and is not accessible.') rbtws_ap_service_availability = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 66), rbtws_ap_service_availability()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsApServiceAvailability.setStatus('current') if mibBuilder.loadTexts: rbtwsApServiceAvailability.setDescription('Indicates the level of wireless service availability. This object is used within notifications and is not accessible.') rbtws_ap_was_operational = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 67), rbtws_ap_was_operational()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsApWasOperational.setStatus('current') if mibBuilder.loadTexts: rbtwsApWasOperational.setDescription('Indicates whether the AP was operational before a transition occured. This object is used within notifications and is not accessible.') rbtws_client_time_since_last_roam = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 68), unsigned32()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClientTimeSinceLastRoam.setStatus('current') if mibBuilder.loadTexts: rbtwsClientTimeSinceLastRoam.setDescription('The time in seconds since the most recent roam of a given client. This object is used within notifications and is not accessible.') rbtws_client_ip_addr_change_reason = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 69), rbtws_client_ip_addr_change_reason()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClientIpAddrChangeReason.setStatus('current') if mibBuilder.loadTexts: rbtwsClientIpAddrChangeReason.setDescription('Indicates the reason why client IP address changed. This object is used within notifications and is not accessible.') rbtws_rf_detect_rogue_ap_mac_addr = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 70), mac_address()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsRFDetectRogueAPMacAddr.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectRogueAPMacAddr.setDescription('Describes the MAC address of the Rogue AP the transmitter is connected to. This object is used within notifications and is not accessible.') rbtws_blacklisting_remaining_time = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 71), unsigned32()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsBlacklistingRemainingTime.setStatus('current') if mibBuilder.loadTexts: rbtwsBlacklistingRemainingTime.setDescription('The time in seconds remaining until a given transmitter could be removed from the Black List. This object is used within notifications and is not accessible.') rbtws_blacklisting_cause = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 72), rbtws_blacklisting_cause()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsBlacklistingCause.setStatus('current') if mibBuilder.loadTexts: rbtwsBlacklistingCause.setDescription('Indicates the reason why a given transmitter is blacklisted. This object is used within notifications and is not accessible.') rbtws_num_licensed_active_a_ps = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 73), unsigned32()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsNumLicensedActiveAPs.setStatus('current') if mibBuilder.loadTexts: rbtwsNumLicensedActiveAPs.setDescription('Indicates the maximum (licensed) number of active APs for this AC. This object is used within notifications and is not accessible.') rbtws_client_dyn_author_client_ip = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 74), ip_address()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClientDynAuthorClientIp.setStatus('current') if mibBuilder.loadTexts: rbtwsClientDynAuthorClientIp.setDescription('The dynamic authorization client IP address which caused the change of authorization. This object is used within notifications and is not accessible.') rbtws_changed_user_param_old_values = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 75), rbtws_user_attribute_list()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsChangedUserParamOldValues.setStatus('current') if mibBuilder.loadTexts: rbtwsChangedUserParamOldValues.setDescription('A display string listing the changed AAA attributes and their values, before the change of authorization was executed. This object is used within notifications and is not accessible.') rbtws_changed_user_param_new_values = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 76), rbtws_user_attribute_list()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsChangedUserParamNewValues.setStatus('current') if mibBuilder.loadTexts: rbtwsChangedUserParamNewValues.setDescription('A display string listing the changed AAA attributes and their values, after the change of authorization was executed. This object is used within notifications and is not accessible.') rbtws_client_disconnect_source = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 77), rbtws_session_disconnect_type()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClientDisconnectSource.setStatus('current') if mibBuilder.loadTexts: rbtwsClientDisconnectSource.setDescription('The external source that initiated the termination of a session. This object is used within notifications and is not accessible.') rbtws_client_disconnect_description = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 78), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClientDisconnectDescription.setStatus('current') if mibBuilder.loadTexts: rbtwsClientDisconnectDescription.setDescription('Display string for providing available information related to the external source that initiated a session termination. This object is used within notifications and is not accessible.') rbtws_mobility_domain_secondary_seed_ip = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 79), ip_address()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsMobilityDomainSecondarySeedIp.setStatus('current') if mibBuilder.loadTexts: rbtwsMobilityDomainSecondarySeedIp.setDescription('The secondary seed IP address to which the Mobility Domain has failed over. This object is used within notifications and is not accessible.') rbtws_mobility_domain_primary_seed_ip = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 80), ip_address()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsMobilityDomainPrimarySeedIp.setStatus('current') if mibBuilder.loadTexts: rbtwsMobilityDomainPrimarySeedIp.setDescription('The primary seed IP address to which the Mobility Domain has failed back. This object is used within notifications and is not accessible.') rbtws_rf_detect_classification_reason = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 81), rbtws_rf_detect_classification_reason()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsRFDetectClassificationReason.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectClassificationReason.setDescription('Indicates the reason why a RF device is classified the way it is. This object is used within notifications and is not accessible.') rbtws_config_save_file_name = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 82), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsConfigSaveFileName.setStatus('current') if mibBuilder.loadTexts: rbtwsConfigSaveFileName.setDescription('Display string listing the name of the file to which the running configuration was saved. This object is used within notifications and is not accessible.') rbtws_config_save_initiator_type = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 83), rbtws_config_save_initiator_type()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsConfigSaveInitiatorType.setStatus('current') if mibBuilder.loadTexts: rbtwsConfigSaveInitiatorType.setDescription('Indicates the source that initiated a configuration save. This object is used within notifications and is not accessible.') rbtws_config_save_initiator_ip = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 84), ip_address()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsConfigSaveInitiatorIp.setStatus('current') if mibBuilder.loadTexts: rbtwsConfigSaveInitiatorIp.setDescription('The IP address of the source that initiated a configuration save. This object is used within notifications and is not accessible.') rbtws_config_save_initiator_details = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 85), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsConfigSaveInitiatorDetails.setStatus('current') if mibBuilder.loadTexts: rbtwsConfigSaveInitiatorDetails.setDescription('Display string listing additional information regarding the source that initiated a configuration save, when available. This object is used within notifications and is not accessible.') rbtws_config_save_generation = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 86), counter32()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsConfigSaveGeneration.setStatus('current') if mibBuilder.loadTexts: rbtwsConfigSaveGeneration.setDescription('Indicates the number of configuration changes since the last system boot. The generation count is used to track the number of times the running configuration has been changed due to administrative actions (set/clear), SNMP requests (SET), XML requests (e.g. RASM). This object is used within notifications and is not accessible.') rbtws_ap_num = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 87), rbtws_ap_num()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsApNum.setStatus('current') if mibBuilder.loadTexts: rbtwsApNum.setDescription('The administratively assigned AP Number, unique on same AC (switch), regardless of how APs are attached to the AC. This object is used within notifications and is not accessible. Obsoletes rbtwsApPortOrDapNum. For clarity, use this object to identify an AP since in 6.0 directly attached APs and DAPs were unified.') rbtws_radio_mode = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 88), rbtws_radio_mode()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsRadioMode.setStatus('current') if mibBuilder.loadTexts: rbtwsRadioMode.setDescription('Indicates the administratively controlled Radio Mode (enabled/disabled/sentry). This object is used within notifications and is not accessible.') rbtws_michael_mic_failure_cause = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 89), rbtws_michael_mic_failure_cause()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsMichaelMICFailureCause.setStatus('current') if mibBuilder.loadTexts: rbtwsMichaelMICFailureCause.setDescription('Indicates the Michael MIC Failure cause / who detected it. This object is used within notifications and is not accessible.') rbtws_client_access_mode = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 90), rbtws_client_access_mode()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClientAccessMode.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAccessMode.setDescription('The client access mode (ap, wired). This object is used within notifications and is not accessible. Intended to replace rbtwsClientAccessType. (In 6.0, direct- and network-attached APs were unified.)') rbtws_client_authorization_reason = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 91), rbtws_client_authorization_reason()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClientAuthorizationReason.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAuthorizationReason.setDescription('Indicates the reason why client performed AAA authorization. This object is used within notifications and is not accessible.') rbtws_phys_port_num = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 92), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1024))).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsPhysPortNum.setStatus('current') if mibBuilder.loadTexts: rbtwsPhysPortNum.setDescription("Physical Port Number on the AC. Zero means the port is unknown or not applicable (for example, when rbtwsClientAccessMode = 'ap'). This object is used within notifications and is not accessible.") rbtws_ap_mgr_old_ip = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 93), ip_address()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsApMgrOldIp.setStatus('current') if mibBuilder.loadTexts: rbtwsApMgrOldIp.setDescription("The IP address of the AP's former primary manager switch. This object is used within notifications and is not accessible.") rbtws_ap_mgr_new_ip = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 94), ip_address()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsApMgrNewIp.setStatus('current') if mibBuilder.loadTexts: rbtwsApMgrNewIp.setDescription("The IP address of the AP's new primary manager switch. This address was formerly the AP's secondary backup link. This object is used within notifications and is not accessible.") rbtws_ap_mgr_change_reason = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 95), rbtws_ap_mgr_change_reason()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsApMgrChangeReason.setStatus('current') if mibBuilder.loadTexts: rbtwsApMgrChangeReason.setDescription("Indicates the reason why the AP's primary manager changed. This object is used within notifications and is not accessible.") rbtws_client_cleared_reason = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 96), rbtws_client_cleared_reason()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClientClearedReason.setStatus('current') if mibBuilder.loadTexts: rbtwsClientClearedReason.setDescription('Indicates the reason why client was cleared. This object is used within notifications and is not accessible.') rbtws_mobility_domain_resiliency_status = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 97), rbtws_mobility_domain_resiliency_status()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsMobilityDomainResiliencyStatus.setStatus('current') if mibBuilder.loadTexts: rbtwsMobilityDomainResiliencyStatus.setDescription('Indicates the current resilient capacity status for a mobility domain. This object is used within notifications and is not accessible.') rbtws_client_session_elapsed_seconds = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 98), unsigned32()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClientSessionElapsedSeconds.setStatus('current') if mibBuilder.loadTexts: rbtwsClientSessionElapsedSeconds.setDescription('Indicates the time in seconds elapsed since the start of the Client Session. This object is used within notifications and is not accessible.') rbtws_radio_channel_width = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 99), rbtws_radio_channel_width()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsRadioChannelWidth.setStatus('current') if mibBuilder.loadTexts: rbtwsRadioChannelWidth.setDescription('Indicates the administratively controlled Channel Width (20MHz/40MHz). This object is used within notifications and is not accessible.') rbtws_radio_mimo_state = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 100), rbtws_radio_mimo_state()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsRadioMimoState.setStatus('current') if mibBuilder.loadTexts: rbtwsRadioMimoState.setDescription('Indicates the Radio MIMO State, as seen by the AC (1x1/2x3/3x3). This object is used within notifications and is not accessible.') rbtws_client_radio_type = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 101), rbtws_radio_type()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClientRadioType.setStatus('current') if mibBuilder.loadTexts: rbtwsClientRadioType.setDescription('Indicates the Client Radio Type, as detected by an attached AP and reported to the AC. This object is used within notifications and is not accessible.') rbtws_rf_detect_xmtr_radio_type = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 102), rbtws_radio_type()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsRFDetectXmtrRadioType.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectXmtrRadioType.setDescription('Indicates the Radio Type of the Transmitter, as detected by an attached AP and reported to the AC. The Transmitter may be a wireless client or an AP. This object is used within notifications and is not accessible.') rbtws_rf_detect_xmtr_crypto_type = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 103), rbtws_crypto_type()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsRFDetectXmtrCryptoType.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectXmtrCryptoType.setDescription('Indicates the Crypto Type used by the Transmitter, as detected by an attached AP and reported to the AC. This object is used within notifications and is not accessible.') rbtws_cluster_failure_reason = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 104), rbtws_cluster_failure_reason()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClusterFailureReason.setStatus('current') if mibBuilder.loadTexts: rbtwsClusterFailureReason.setDescription('Indicates the reason why cluster configuration failed to apply. This object is used within notifications and is not accessible.') rbtws_cluster_failure_description = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 105), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: rbtwsClusterFailureDescription.setStatus('current') if mibBuilder.loadTexts: rbtwsClusterFailureDescription.setDescription('Display string for describing the cluster configuration failure cause. This object is used within notifications and is not accessible.') rbtws_device_fail_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 1)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsDeviceId')) if mibBuilder.loadTexts: rbtwsDeviceFailTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsDeviceFailTrap.setDescription('The device has a failure indication') rbtws_device_okay_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 2)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsDeviceId')) if mibBuilder.loadTexts: rbtwsDeviceOkayTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsDeviceOkayTrap.setDescription('The device has recovered') rbtws_po_e_fail_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 3)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsPortNum')) if mibBuilder.loadTexts: rbtwsPoEFailTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsPoEFailTrap.setDescription('PoE has failed on the indicated port') rbtws_ap_timeout_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 4)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsPortNum'), ('RBTWS-TRAP-MIB', 'rbtwsAPMACAddress'), ('RBTWS-TRAP-MIB', 'rbtwsAPAccessType'), ('RBTWS-TRAP-MIB', 'rbtwsDAPNum')) if mibBuilder.loadTexts: rbtwsApTimeoutTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsApTimeoutTrap.setDescription("The AP entering the AC at port rbtwsPortNum with MAC rbtwsRadioMacAddress and of the access type (ap or dap) has not responded. Replaced by rbtwsApNonOperStatusTrap2, with rbtwsApTransition = 'timeout'.") rbtws_ap_boot_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 5)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsPortNum'), ('RBTWS-TRAP-MIB', 'rbtwsAPMACAddress'), ('RBTWS-TRAP-MIB', 'rbtwsAPAccessType'), ('RBTWS-TRAP-MIB', 'rbtwsDAPNum')) if mibBuilder.loadTexts: rbtwsAPBootTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsAPBootTrap.setDescription("The AP entering the AC at port rbtwsPortNum with MAC rbtwsRadioMacAddress and of the access type (ap or dap) has booted. Replaced by rbtwsApNonOperStatusTrap2, with rbtwsApTransition = 'bootSuccess'.") rbtws_mobility_domain_join_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 6)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsMobilityDomainIp')) if mibBuilder.loadTexts: rbtwsMobilityDomainJoinTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsMobilityDomainJoinTrap.setDescription('The mobility domain member has received an UP notice from the remote address.') rbtws_mobility_domain_timeout_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 7)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsMobilityDomainIp')) if mibBuilder.loadTexts: rbtwsMobilityDomainTimeoutTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsMobilityDomainTimeoutTrap.setDescription('The mobility domain member has declared the remote address to be DOWN.') rbtws_mp_michael_mic_failure = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 8)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsPortNum'), ('RBTWS-TRAP-MIB', 'rbtwsRadioMACAddress'), ('RBTWS-TRAP-MIB', 'rbtwsRadioSSID'), ('RBTWS-TRAP-MIB', 'rbtwsAPRadioNum'), ('RBTWS-TRAP-MIB', 'rbtwsClientMACAddress'), ('RBTWS-TRAP-MIB', 'rbtwsClientMACAddress')) if mibBuilder.loadTexts: rbtwsMpMichaelMICFailure.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsMpMichaelMICFailure.setDescription('Two Michael MIC failures were seen within 60 seconds of each other. Obsoleted by rbtwsMichaelMICFailure.') rbtws_rf_detect_rogue_ap_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 9)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsRFDetectXmtrMacAddr'), ('RBTWS-TRAP-MIB', 'rbtwsRFDetectListenerListInfo')) if mibBuilder.loadTexts: rbtwsRFDetectRogueAPTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectRogueAPTrap.setDescription('This trap is sent when RF detection finds a rogue AP. XmtrMacAddr is the radio MAC address from the beacon. ListenerListInfo is a display string of a list of listener information. Obsoleted by rbtwsRFDetectRogueDeviceTrap2.') rbtws_rf_detect_adhoc_user_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 10)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsRFDetectXmtrMacAddr'), ('RBTWS-TRAP-MIB', 'rbtwsRFDetectListenerListInfo')) if mibBuilder.loadTexts: rbtwsRFDetectAdhocUserTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectAdhocUserTrap.setDescription('This trap is sent when RF detection sweep finds a ad-hoc user. rbtwsRFDetectXmtrMacAddr is the MAC address of the ad-hoc user. rbtwsRFDetectListenerListInfo is a display string of a list of listener information.') rbtws_rf_detect_rogue_disappear_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 11)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsRFDetectXmtrMacAddr')) if mibBuilder.loadTexts: rbtwsRFDetectRogueDisappearTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectRogueDisappearTrap.setDescription('This trap is sent when a rogue has disappeared. Obsoleted by rbtwsRFDetectRogueDeviceDisappearTrap.') rbtws_client_authentication_failure_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 12)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsUserName'), ('RBTWS-TRAP-MIB', 'rbtwsClientSessionId'), ('RBTWS-TRAP-MIB', 'rbtwsClientMACAddress'), ('RBTWS-TRAP-MIB', 'rbtwsClientAuthServerIp'), ('RBTWS-TRAP-MIB', 'rbtwsClientAuthenProtocolType'), ('RBTWS-TRAP-MIB', 'rbtwsClientAccessType'), ('RBTWS-TRAP-MIB', 'rbtwsPortNum'), ('RBTWS-TRAP-MIB', 'rbtwsAPRadioNum'), ('RBTWS-TRAP-MIB', 'rbtwsDAPNum'), ('RBTWS-TRAP-MIB', 'rbtwsRadioSSID'), ('RBTWS-TRAP-MIB', 'rbtwsClientAuthenticationFailureCause'), ('RBTWS-TRAP-MIB', 'rbtwsClientFailureCauseDescription')) if mibBuilder.loadTexts: rbtwsClientAuthenticationFailureTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAuthenticationFailureTrap.setDescription('This trap is sent if a client authentication fails.') rbtws_client_authorization_failure_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 13)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsUserName'), ('RBTWS-TRAP-MIB', 'rbtwsClientSessionId'), ('RBTWS-TRAP-MIB', 'rbtwsClientMACAddress'), ('RBTWS-TRAP-MIB', 'rbtwsClientAuthServerIp'), ('RBTWS-TRAP-MIB', 'rbtwsClientAuthenProtocolType'), ('RBTWS-TRAP-MIB', 'rbtwsClientAccessType'), ('RBTWS-TRAP-MIB', 'rbtwsPortNum'), ('RBTWS-TRAP-MIB', 'rbtwsAPRadioNum'), ('RBTWS-TRAP-MIB', 'rbtwsDAPNum'), ('RBTWS-TRAP-MIB', 'rbtwsRadioSSID'), ('RBTWS-TRAP-MIB', 'rbtwsClientLocationPolicyIndex'), ('RBTWS-TRAP-MIB', 'rbtwsUserParams'), ('RBTWS-TRAP-MIB', 'rbtwsClientAuthorizationFailureCause'), ('RBTWS-TRAP-MIB', 'rbtwsClientFailureCauseDescription')) if mibBuilder.loadTexts: rbtwsClientAuthorizationFailureTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAuthorizationFailureTrap.setDescription('This trap is sent if a client authorization fails.') rbtws_client_association_failure_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 14)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsClientMACAddress'), ('RBTWS-TRAP-MIB', 'rbtwsClientAccessType'), ('RBTWS-TRAP-MIB', 'rbtwsPortNum'), ('RBTWS-TRAP-MIB', 'rbtwsAPRadioNum'), ('RBTWS-TRAP-MIB', 'rbtwsDAPNum'), ('RBTWS-TRAP-MIB', 'rbtwsRadioSSID'), ('RBTWS-TRAP-MIB', 'rbtwsClientAssociationFailureCause'), ('RBTWS-TRAP-MIB', 'rbtwsClientFailureCauseDescription')) if mibBuilder.loadTexts: rbtwsClientAssociationFailureTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAssociationFailureTrap.setDescription('This trap is sent if a client association fails.') rbtws_client_authorization_success_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 15)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsUserName'), ('RBTWS-TRAP-MIB', 'rbtwsClientSessionId'), ('RBTWS-TRAP-MIB', 'rbtwsClientMACAddress'), ('RBTWS-TRAP-MIB', 'rbtwsClientIp'), ('RBTWS-TRAP-MIB', 'rbtwsClientVLANName'), ('RBTWS-TRAP-MIB', 'rbtwsClientSessionState'), ('RBTWS-TRAP-MIB', 'rbtwsClientSessionStartTime'), ('RBTWS-TRAP-MIB', 'rbtwsClientAuthServerIp'), ('RBTWS-TRAP-MIB', 'rbtwsClientAuthenProtocolType'), ('RBTWS-TRAP-MIB', 'rbtwsClientAccessType'), ('RBTWS-TRAP-MIB', 'rbtwsPortNum'), ('RBTWS-TRAP-MIB', 'rbtwsAPRadioNum'), ('RBTWS-TRAP-MIB', 'rbtwsDAPNum'), ('RBTWS-TRAP-MIB', 'rbtwsRadioSSID'), ('RBTWS-TRAP-MIB', 'rbtwsRadioRssi')) if mibBuilder.loadTexts: rbtwsClientAuthorizationSuccessTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsClientAuthorizationSuccessTrap.setDescription('This trap is sent when a client authorizes. Obsoleted by rbtwsClientAuthorizationSuccessTrap4.') rbtws_client_de_association_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 16)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsUserName'), ('RBTWS-TRAP-MIB', 'rbtwsClientSessionId'), ('RBTWS-TRAP-MIB', 'rbtwsClientMACAddress'), ('RBTWS-TRAP-MIB', 'rbtwsClientIp'), ('RBTWS-TRAP-MIB', 'rbtwsClientVLANName'), ('RBTWS-TRAP-MIB', 'rbtwsClientAuthServerIp'), ('RBTWS-TRAP-MIB', 'rbtwsClientAuthenProtocolType'), ('RBTWS-TRAP-MIB', 'rbtwsClientAccessType'), ('RBTWS-TRAP-MIB', 'rbtwsPortNum'), ('RBTWS-TRAP-MIB', 'rbtwsAPRadioNum'), ('RBTWS-TRAP-MIB', 'rbtwsDAPNum'), ('RBTWS-TRAP-MIB', 'rbtwsRadioSSID')) if mibBuilder.loadTexts: rbtwsClientDeAssociationTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientDeAssociationTrap.setDescription('This trap is sent if a client de-association occurred.') rbtws_client_roaming_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 17)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsUserName'), ('RBTWS-TRAP-MIB', 'rbtwsClientSessionId'), ('RBTWS-TRAP-MIB', 'rbtwsClientMACAddress'), ('RBTWS-TRAP-MIB', 'rbtwsClientIp'), ('RBTWS-TRAP-MIB', 'rbtwsClientAccessType'), ('RBTWS-TRAP-MIB', 'rbtwsPortNum'), ('RBTWS-TRAP-MIB', 'rbtwsAPRadioNum'), ('RBTWS-TRAP-MIB', 'rbtwsDAPNum'), ('RBTWS-TRAP-MIB', 'rbtwsRadioSSID'), ('RBTWS-TRAP-MIB', 'rbtwsClientRoamedFromAccessType'), ('RBTWS-TRAP-MIB', 'rbtwsClientRoamedFromPortNum'), ('RBTWS-TRAP-MIB', 'rbtwsClientRoamedFromRadioNum'), ('RBTWS-TRAP-MIB', 'rbtwsClientRoamedFromDAPNum'), ('RBTWS-TRAP-MIB', 'rbtwsClientRoamedFromWsIp'), ('RBTWS-TRAP-MIB', 'rbtwsClientTimeSinceLastRoam')) if mibBuilder.loadTexts: rbtwsClientRoamingTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientRoamingTrap.setDescription('This trap is sent if a client roams from one location to another.') rbtws_auto_tune_radio_power_change_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 18)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsRadioMACAddress'), ('RBTWS-TRAP-MIB', 'rbtwsNewPowerLevel'), ('RBTWS-TRAP-MIB', 'rbtwsOldPowerLevel'), ('RBTWS-TRAP-MIB', 'rbtwsRadioPowerChangeReason'), ('RBTWS-TRAP-MIB', 'rbtwsRadioPowerChangeDescription')) if mibBuilder.loadTexts: rbtwsAutoTuneRadioPowerChangeTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsAutoTuneRadioPowerChangeTrap.setDescription("This trap is sent if a radio's power level has changed based on auto-tune.") rbtws_auto_tune_radio_channel_change_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 19)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsRadioMACAddress'), ('RBTWS-TRAP-MIB', 'rbtwsNewChannelNum'), ('RBTWS-TRAP-MIB', 'rbtwsOldChannelNum'), ('RBTWS-TRAP-MIB', 'rbtwsChannelChangeReason')) if mibBuilder.loadTexts: rbtwsAutoTuneRadioChannelChangeTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsAutoTuneRadioChannelChangeTrap.setDescription("This trap is sent if a radio's channel has changed based on auto-tune.") rbtws_counter_measure_start_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 20)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsRFDetectXmtrMacAddr'), ('RBTWS-TRAP-MIB', 'rbtwsRadioMACAddress')) if mibBuilder.loadTexts: rbtwsCounterMeasureStartTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsCounterMeasureStartTrap.setDescription('This trap is sent when counter measures are started against a rogue. rbtwsRFDetectXmtrMacAddr is the mac address of the rogue we are doing counter measures against. rbtwsRadioMACAddress identifies the radio performing the countermeasures.') rbtws_counter_measure_stop_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 21)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsRFDetectXmtrMacAddr'), ('RBTWS-TRAP-MIB', 'rbtwsRadioMACAddress')) if mibBuilder.loadTexts: rbtwsCounterMeasureStopTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsCounterMeasureStopTrap.setDescription('This trap is sent when counter measures are stopped against a rogue. rbtwsRFDetectXmtrMacAddr is the mac address of the rogue we were doing counter measures against. rbtwsRadioMACAddress identifies the radio performing the countermeasures.') rbtws_client_dot1x_failure_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 22)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsUserName'), ('RBTWS-TRAP-MIB', 'rbtwsClientMACAddress'), ('RBTWS-TRAP-MIB', 'rbtwsClientAuthenProtocolType'), ('RBTWS-TRAP-MIB', 'rbtwsClientAccessType'), ('RBTWS-TRAP-MIB', 'rbtwsDAPNum'), ('RBTWS-TRAP-MIB', 'rbtwsPortNum'), ('RBTWS-TRAP-MIB', 'rbtwsAPRadioNum'), ('RBTWS-TRAP-MIB', 'rbtwsRadioSSID'), ('RBTWS-TRAP-MIB', 'rbtwsClientDot1xState'), ('RBTWS-TRAP-MIB', 'rbtwsClientDot1xFailureCause'), ('RBTWS-TRAP-MIB', 'rbtwsClientFailureCauseDescription')) if mibBuilder.loadTexts: rbtwsClientDot1xFailureTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientDot1xFailureTrap.setDescription('This trap is sent if a client failed 802.1X.') rbtws_client_cleared_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 23)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsUserName'), ('RBTWS-TRAP-MIB', 'rbtwsClientSessionId'), ('RBTWS-TRAP-MIB', 'rbtwsClientMACAddress'), ('RBTWS-TRAP-MIB', 'rbtwsClientIp'), ('RBTWS-TRAP-MIB', 'rbtwsClientAccessType'), ('RBTWS-TRAP-MIB', 'rbtwsPortNum'), ('RBTWS-TRAP-MIB', 'rbtwsAPRadioNum'), ('RBTWS-TRAP-MIB', 'rbtwsDAPNum'), ('RBTWS-TRAP-MIB', 'rbtwsRadioSSID'), ('RBTWS-TRAP-MIB', 'rbtwsClientSessionElapsedTime'), ('RBTWS-TRAP-MIB', 'rbtwsLocalId')) if mibBuilder.loadTexts: rbtwsClientClearedTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsClientClearedTrap.setDescription('This trap is sent when a client session is cleared. Obsoleted by rbtwsClientClearedTrap2.') rbtws_client_authorization_success_trap2 = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 24)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsUserName'), ('RBTWS-TRAP-MIB', 'rbtwsClientSessionId'), ('RBTWS-TRAP-MIB', 'rbtwsClientMACAddress'), ('RBTWS-TRAP-MIB', 'rbtwsClientIp'), ('RBTWS-TRAP-MIB', 'rbtwsClientVLANName'), ('RBTWS-TRAP-MIB', 'rbtwsClientSessionState'), ('RBTWS-TRAP-MIB', 'rbtwsClientSessionStartTime'), ('RBTWS-TRAP-MIB', 'rbtwsClientAuthServerIp'), ('RBTWS-TRAP-MIB', 'rbtwsClientAuthenProtocolType'), ('RBTWS-TRAP-MIB', 'rbtwsClientAccessType'), ('RBTWS-TRAP-MIB', 'rbtwsPortNum'), ('RBTWS-TRAP-MIB', 'rbtwsAPRadioNum'), ('RBTWS-TRAP-MIB', 'rbtwsDAPNum'), ('RBTWS-TRAP-MIB', 'rbtwsRadioSSID'), ('RBTWS-TRAP-MIB', 'rbtwsUserAccessType'), ('RBTWS-TRAP-MIB', 'rbtwsLocalId')) if mibBuilder.loadTexts: rbtwsClientAuthorizationSuccessTrap2.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsClientAuthorizationSuccessTrap2.setDescription('This trap is sent when a client authorizes. Obsoleted by rbtwsClientAuthorizationSuccessTrap4.') rbtws_rf_detect_spoofed_mac_ap_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 25)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsRFDetectXmtrMacAddr'), ('RBTWS-TRAP-MIB', 'rbtwsRFDetectListenerListInfo')) if mibBuilder.loadTexts: rbtwsRFDetectSpoofedMacAPTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectSpoofedMacAPTrap.setDescription('This trap is sent when RF detection finds an AP using the MAC of the listener. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. rbtwsRFDetectListenerListInfo is a display string of a list of listener information. Obsoleted by rbtwsRFDetectDoSTrap and rbtwsRFDetectRogueDeviceTrap2. One of the two traps will be sent depending on the type of AP MAC spoofing detected.') rbtws_rf_detect_spoofed_ssid_ap_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 26)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsRFDetectXmtrMacAddr'), ('RBTWS-TRAP-MIB', 'rbtwsRFDetectListenerListInfo')) if mibBuilder.loadTexts: rbtwsRFDetectSpoofedSsidAPTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectSpoofedSsidAPTrap.setDescription('This trap is sent when RF detection finds an AP using the SSID of the listener, and the AP is not in the mobility domain. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. rbtwsRFDetectListenerListInfo is a display string of a list of listener information. Obsoleted by rbtwsRFDetectRogueDeviceTrap2 and rbtwsRFDetectSuspectDeviceTrap2. One of the two traps will be sent, depending on RF detection classification rules.') rbtws_rf_detect_do_s_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 27)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsRFDetectDoSType'), ('RBTWS-TRAP-MIB', 'rbtwsRFDetectXmtrMacAddr'), ('RBTWS-TRAP-MIB', 'rbtwsRFDetectListenerListInfo')) if mibBuilder.loadTexts: rbtwsRFDetectDoSTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectDoSTrap.setDescription('This trap is sent when RF detection finds a denial of service (DoS) occurring. rbtwsRFDetectDoSType specifies the type of DoS. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. rbtwsRFDetectListenerListInfo is a display string of a list of listener information.') rbtws_rf_detect_client_via_rogue_wired_ap_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 28)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsSourceWsIp'), ('RBTWS-TRAP-MIB', 'rbtwsPortNum'), ('RBTWS-TRAP-MIB', 'rbtwsClientVLANid'), ('RBTWS-TRAP-MIB', 'rbtwsClientVLANtag'), ('RBTWS-TRAP-MIB', 'rbtwsRFDetectXmtrMacAddr'), ('RBTWS-TRAP-MIB', 'rbtwsRFDetectListenerListInfo')) if mibBuilder.loadTexts: rbtwsRFDetectClientViaRogueWiredAPTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectClientViaRogueWiredAPTrap.setDescription("This trap is sent when a client is detected that connected via a rogue AP that is attached to a wired port. rbtwsSourceWsIp is the IP address of the AC (switch) with the wired port. rbtwsPortNum is the port on the AC. rbtwsClientVLANid is the VLAN ID of the client's traffic. rbtwsClientVLANtag is the VLAN tag of the client's traffic. rbtwsRFDetectXmtrMacAddr is the MAC address of the client. rbtwsRFDetectListenerListInfo is a display string of a list of listener information. Obsoleted by rbtwsRFDetectClientViaRogueWiredAPTrap3.") rbtws_rf_detect_interfering_rogue_ap_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 29)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsRFDetectXmtrMacAddr'), ('RBTWS-TRAP-MIB', 'rbtwsRFDetectListenerListInfo')) if mibBuilder.loadTexts: rbtwsRFDetectInterferingRogueAPTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectInterferingRogueAPTrap.setDescription('This trap is sent when RF detection finds an interfering rogue AP. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. rbtwsRFDetectListenerListInfo is a display string of a list of listener information. Obsoleted by rbtwsRFDetectSuspectDeviceTrap2.') rbtws_rf_detect_interfering_rogue_disappear_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 30)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsRFDetectXmtrMacAddr')) if mibBuilder.loadTexts: rbtwsRFDetectInterferingRogueDisappearTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectInterferingRogueDisappearTrap.setDescription('This trap is sent when an interfering rogue has disappeared. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. Obsoleted by rbtwsRFDetectSuspectDeviceDisappearTrap.') rbtws_rf_detect_un_authorized_ssid_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 31)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsRFDetectXmtrMacAddr'), ('RBTWS-TRAP-MIB', 'rbtwsRFDetectListenerListInfo')) if mibBuilder.loadTexts: rbtwsRFDetectUnAuthorizedSsidTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectUnAuthorizedSsidTrap.setDescription('This trap is sent when RF detection finds use of an unauthorized SSID. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. rbtwsRFDetectListenerListInfo is a display string of a list of listener information. Obsoleted by rbtwsRFDetectRogueDeviceTrap2 and rbtwsRFDetectSuspectDeviceTrap2. One of the two traps will be sent if the device having an unauthorized SSID is classified as rogue or suspect because of this.') rbtws_rf_detect_un_authorized_oui_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 32)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsRFDetectXmtrMacAddr'), ('RBTWS-TRAP-MIB', 'rbtwsRFDetectListenerListInfo')) if mibBuilder.loadTexts: rbtwsRFDetectUnAuthorizedOuiTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectUnAuthorizedOuiTrap.setDescription('This trap is sent when RF detection finds use of an unauthorized OUI. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. rbtwsRFDetectListenerListInfo is a display string of a list of listener information. Obsoleted by rbtwsRFDetectRogueDeviceTrap2 and rbtwsRFDetectSuspectDeviceTrap2. One of the two traps will be sent if the device having an unauthorized OUI is classified as rogue or suspect because of this.') rbtws_rf_detect_un_authorized_ap_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 33)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsRFDetectXmtrMacAddr'), ('RBTWS-TRAP-MIB', 'rbtwsRFDetectListenerListInfo')) if mibBuilder.loadTexts: rbtwsRFDetectUnAuthorizedAPTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectUnAuthorizedAPTrap.setDescription('This trap is sent when RF detection finds operation of an unauthorized AP. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. rbtwsRFDetectListenerListInfo is a display string of a list of listener information. Obsoleted by rbtwsRFDetectRogueDeviceTrap2.') rbtws_dap_connect_warning_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 34)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsDeviceModel'), ('RBTWS-TRAP-MIB', 'rbtwsDeviceSerNum'), ('RBTWS-TRAP-MIB', 'rbtwsRsaPubKeyFingerPrint'), ('RBTWS-TRAP-MIB', 'rbtwsDAPconnectWarningType')) if mibBuilder.loadTexts: rbtwsDAPConnectWarningTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsDAPConnectWarningTrap.setDescription("A DAP, tried to connect to the AC. rbtwsDeviceModel provides the model of the DAP. rbtwsDeviceSerNum provides the serial number of the DAP. rbtwsRsaPubKeyFingerPrint provides the computed fingerprint of the DAP. rbtwsDAPconnectWarningType provides the type of connect warning. Replaced by rbtwsApNonOperStatusTrap2, with rbtwsApTransition = 'connectFail'.") rbtws_rf_detect_do_s_port_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 35)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsRFDetectDoSType'), ('RBTWS-TRAP-MIB', 'rbtwsRFDetectXmtrMacAddr'), ('RBTWS-TRAP-MIB', 'rbtwsClientAccessType'), ('RBTWS-TRAP-MIB', 'rbtwsPortNum'), ('RBTWS-TRAP-MIB', 'rbtwsDAPNum')) if mibBuilder.loadTexts: rbtwsRFDetectDoSPortTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectDoSPortTrap.setDescription("This trap is sent when RF detection finds a denial of service (DoS) occurring. This has port and AP info instead of 'Listener info'. rbtwsRFDetectDoSType specifies the type of DoS. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. rbtwsClientAccessType specifies whether wired, AP, or DAP. rbtwsPortNum (for wired or AP), the port that is used. rbtwsDAPNum (for a DAP), the ID of the DAP.") rbtws_mp_michael_mic_failure2 = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 36)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsPortNum'), ('RBTWS-TRAP-MIB', 'rbtwsAPRadioNum'), ('RBTWS-TRAP-MIB', 'rbtwsClientMACAddress'), ('RBTWS-TRAP-MIB', 'rbtwsClientMACAddress2')) if mibBuilder.loadTexts: rbtwsMpMichaelMICFailure2.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsMpMichaelMICFailure2.setDescription('Two Michael MIC failures were seen within 60 seconds of each other. Object rbtwsClientMACAddress is the source of the first failure, and object rbtwsClientMACAddress2 source of the second failure. Obsoleted by rbtwsMichaelMICFailure.') rbtws_ap_non_oper_status_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 37)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsDeviceSerNum'), ('RBTWS-TRAP-MIB', 'rbtwsAPMACAddress'), ('RBTWS-TRAP-MIB', 'rbtwsApAttachType'), ('RBTWS-TRAP-MIB', 'rbtwsApPortOrDapNum'), ('RBTWS-TRAP-MIB', 'rbtwsApName'), ('RBTWS-TRAP-MIB', 'rbtwsApTransition'), ('RBTWS-TRAP-MIB', 'rbtwsApFailDetail'), ('RBTWS-TRAP-MIB', 'rbtwsApWasOperational')) if mibBuilder.loadTexts: rbtwsApNonOperStatusTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsApNonOperStatusTrap.setDescription('This trap is sent when the AP changes state and the new one is a non-operational state. Obsoleted by rbtwsApNonOperStatusTrap2.') rbtws_ap_oper_radio_status_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 38)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsDeviceSerNum'), ('RBTWS-TRAP-MIB', 'rbtwsApAttachType'), ('RBTWS-TRAP-MIB', 'rbtwsApPortOrDapNum'), ('RBTWS-TRAP-MIB', 'rbtwsApName'), ('RBTWS-TRAP-MIB', 'rbtwsAPRadioNum'), ('RBTWS-TRAP-MIB', 'rbtwsRadioMACAddress'), ('RBTWS-TRAP-MIB', 'rbtwsRadioType'), ('RBTWS-TRAP-MIB', 'rbtwsRadioConfigState'), ('RBTWS-TRAP-MIB', 'rbtwsApConnectSecurityType'), ('RBTWS-TRAP-MIB', 'rbtwsApServiceAvailability')) if mibBuilder.loadTexts: rbtwsApOperRadioStatusTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsApOperRadioStatusTrap.setDescription('This trap is sent when the Radio changes state. It also contains aggregate information about the AP in operational state - security level and service availability. Obsoleted by rbtwsApOperRadioStatusTrap3.') rbtws_client_ip_addr_change_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 39)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsUserName'), ('RBTWS-TRAP-MIB', 'rbtwsClientSessionId'), ('RBTWS-TRAP-MIB', 'rbtwsClientMACAddress'), ('RBTWS-TRAP-MIB', 'rbtwsClientIp'), ('RBTWS-TRAP-MIB', 'rbtwsClientVLANName'), ('RBTWS-TRAP-MIB', 'rbtwsClientSessionState'), ('RBTWS-TRAP-MIB', 'rbtwsClientAuthServerIp'), ('RBTWS-TRAP-MIB', 'rbtwsClientAuthenProtocolType'), ('RBTWS-TRAP-MIB', 'rbtwsClientAccessType'), ('RBTWS-TRAP-MIB', 'rbtwsPortNum'), ('RBTWS-TRAP-MIB', 'rbtwsAPRadioNum'), ('RBTWS-TRAP-MIB', 'rbtwsDAPNum'), ('RBTWS-TRAP-MIB', 'rbtwsRadioSSID'), ('RBTWS-TRAP-MIB', 'rbtwsUserAccessType'), ('RBTWS-TRAP-MIB', 'rbtwsLocalId'), ('RBTWS-TRAP-MIB', 'rbtwsClientIpAddrChangeReason')) if mibBuilder.loadTexts: rbtwsClientIpAddrChangeTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientIpAddrChangeTrap.setDescription("This trap is sent when a client's IP address changes. The most likely case for this is when the client first connects to the network.") rbtws_client_association_success_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 40)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsClientMACAddress'), ('RBTWS-TRAP-MIB', 'rbtwsClientAccessType'), ('RBTWS-TRAP-MIB', 'rbtwsPortNum'), ('RBTWS-TRAP-MIB', 'rbtwsAPRadioNum'), ('RBTWS-TRAP-MIB', 'rbtwsDAPNum'), ('RBTWS-TRAP-MIB', 'rbtwsRadioSSID')) if mibBuilder.loadTexts: rbtwsClientAssociationSuccessTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAssociationSuccessTrap.setDescription('This trap is sent if a client association succeeds. WARNING: DO NOT enable it in normal use. It may impair switch performance! Only recommended for debugging network issues.') rbtws_client_authentication_success_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 41)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsClientMACAddress'), ('RBTWS-TRAP-MIB', 'rbtwsClientAccessType'), ('RBTWS-TRAP-MIB', 'rbtwsPortNum'), ('RBTWS-TRAP-MIB', 'rbtwsAPRadioNum'), ('RBTWS-TRAP-MIB', 'rbtwsDAPNum'), ('RBTWS-TRAP-MIB', 'rbtwsRadioSSID')) if mibBuilder.loadTexts: rbtwsClientAuthenticationSuccessTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAuthenticationSuccessTrap.setDescription('This trap is sent if a client authentication succeeds.') rbtws_client_de_authentication_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 42)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsUserName'), ('RBTWS-TRAP-MIB', 'rbtwsClientSessionId'), ('RBTWS-TRAP-MIB', 'rbtwsClientMACAddress'), ('RBTWS-TRAP-MIB', 'rbtwsClientIp'), ('RBTWS-TRAP-MIB', 'rbtwsClientVLANName'), ('RBTWS-TRAP-MIB', 'rbtwsClientAuthServerIp'), ('RBTWS-TRAP-MIB', 'rbtwsClientAuthenProtocolType'), ('RBTWS-TRAP-MIB', 'rbtwsClientAccessType'), ('RBTWS-TRAP-MIB', 'rbtwsPortNum'), ('RBTWS-TRAP-MIB', 'rbtwsAPRadioNum'), ('RBTWS-TRAP-MIB', 'rbtwsDAPNum'), ('RBTWS-TRAP-MIB', 'rbtwsRadioSSID')) if mibBuilder.loadTexts: rbtwsClientDeAuthenticationTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientDeAuthenticationTrap.setDescription('This trap is sent if a client de-authentication occured.') rbtws_rf_detect_blacklisted_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 43)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsRFDetectXmtrMacAddr'), ('RBTWS-TRAP-MIB', 'rbtwsClientAccessType'), ('RBTWS-TRAP-MIB', 'rbtwsPortNum'), ('RBTWS-TRAP-MIB', 'rbtwsDAPNum'), ('RBTWS-TRAP-MIB', 'rbtwsBlacklistingRemainingTime'), ('RBTWS-TRAP-MIB', 'rbtwsBlacklistingCause')) if mibBuilder.loadTexts: rbtwsRFDetectBlacklistedTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectBlacklistedTrap.setDescription("This trap is sent if an association, re-association or de-association request (packet) is detected from a blacklisted transmitter (identified by MAC: 'rbtwsRFDetectXmtrMacAddr'). If 'rbtwsBlacklistingCause' is 'configured', then 'rbtwsBlacklistingRemainingTime' will be zero, meaning indefinite time (depending on administrative actions on the Black List). Otherwise, 'rbtwsBlacklistingRemainingTime' will indicate the time in seconds until this transmitter's requests could be allowed.") rbtws_rf_detect_client_via_rogue_wired_ap_trap2 = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 44)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsSourceWsIp'), ('RBTWS-TRAP-MIB', 'rbtwsPortNum'), ('RBTWS-TRAP-MIB', 'rbtwsClientVLANid'), ('RBTWS-TRAP-MIB', 'rbtwsClientVLANtag'), ('RBTWS-TRAP-MIB', 'rbtwsRFDetectXmtrMacAddr'), ('RBTWS-TRAP-MIB', 'rbtwsRFDetectListenerListInfo'), ('RBTWS-TRAP-MIB', 'rbtwsRFDetectRogueAPMacAddr')) if mibBuilder.loadTexts: rbtwsRFDetectClientViaRogueWiredAPTrap2.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectClientViaRogueWiredAPTrap2.setDescription("This trap is sent when a client is detected that connected via a rogue AP that is attached to a wired port. rbtwsSourceWsIp is the IP address of the AC (switch) with the wired port. rbtwsPortNum is the port on the AC. rbtwsClientVLANid is the VLAN ID of the client's traffic. rbtwsClientVLANtag is the VLAN tag of the client's traffic. rbtwsRFDetectXmtrMacAddr is the MAC address of the client. rbtwsRFDetectListenerListInfo is a display string of a list of listener information. rbtwsRFDetectRogueAPMacAddr is the MAC address of the Rogue AP (wired) the client is connected to. Obsoleted by rbtwsRFDetectClientViaRogueWiredAPTrap3.") rbtws_rf_detect_adhoc_user_disappear_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 45)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsRFDetectXmtrMacAddr')) if mibBuilder.loadTexts: rbtwsRFDetectAdhocUserDisappearTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectAdhocUserDisappearTrap.setDescription('This trap is sent when RF detection sweep finds that an ad-hoc user disappeared. rbtwsRFDetectXmtrMacAddr is the MAC address of the ad-hoc user.') rbtws_ap_reject_license_exceeded_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 46)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsNumLicensedActiveAPs')) if mibBuilder.loadTexts: rbtwsApRejectLicenseExceededTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsApRejectLicenseExceededTrap.setDescription('This trap is sent when an AC (wireless switch) receives a packet from an inactive AP and attaching that AP would make the AC exceed the maximum (licensed) number of active APs.') rbtws_client_dyn_author_change_success_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 47)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsUserName'), ('RBTWS-TRAP-MIB', 'rbtwsClientSessionId'), ('RBTWS-TRAP-MIB', 'rbtwsClientMACAddress'), ('RBTWS-TRAP-MIB', 'rbtwsClientIp'), ('RBTWS-TRAP-MIB', 'rbtwsClientSessionState'), ('RBTWS-TRAP-MIB', 'rbtwsClientDynAuthorClientIp'), ('RBTWS-TRAP-MIB', 'rbtwsClientAuthenProtocolType'), ('RBTWS-TRAP-MIB', 'rbtwsClientAccessType'), ('RBTWS-TRAP-MIB', 'rbtwsPortNum'), ('RBTWS-TRAP-MIB', 'rbtwsAPRadioNum'), ('RBTWS-TRAP-MIB', 'rbtwsDAPNum'), ('RBTWS-TRAP-MIB', 'rbtwsRadioSSID'), ('RBTWS-TRAP-MIB', 'rbtwsUserAccessType'), ('RBTWS-TRAP-MIB', 'rbtwsLocalId'), ('RBTWS-TRAP-MIB', 'rbtwsChangedUserParamOldValues'), ('RBTWS-TRAP-MIB', 'rbtwsChangedUserParamNewValues')) if mibBuilder.loadTexts: rbtwsClientDynAuthorChangeSuccessTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientDynAuthorChangeSuccessTrap.setDescription('This trap is sent when the authorization attributes for a user are dynamically changed by an authorized dynamic authorization client.') rbtws_client_dyn_author_change_failure_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 48)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsUserName'), ('RBTWS-TRAP-MIB', 'rbtwsClientSessionId'), ('RBTWS-TRAP-MIB', 'rbtwsClientMACAddress'), ('RBTWS-TRAP-MIB', 'rbtwsClientDynAuthorClientIp'), ('RBTWS-TRAP-MIB', 'rbtwsClientAuthenProtocolType'), ('RBTWS-TRAP-MIB', 'rbtwsClientAccessType'), ('RBTWS-TRAP-MIB', 'rbtwsPortNum'), ('RBTWS-TRAP-MIB', 'rbtwsAPRadioNum'), ('RBTWS-TRAP-MIB', 'rbtwsDAPNum'), ('RBTWS-TRAP-MIB', 'rbtwsRadioSSID'), ('RBTWS-TRAP-MIB', 'rbtwsUserParams'), ('RBTWS-TRAP-MIB', 'rbtwsClientAuthorizationFailureCause'), ('RBTWS-TRAP-MIB', 'rbtwsClientFailureCauseDescription')) if mibBuilder.loadTexts: rbtwsClientDynAuthorChangeFailureTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientDynAuthorChangeFailureTrap.setDescription('This trap is sent if a change of authorization request sent by an authorized dynamic authorization client is unsuccessful.') rbtws_client_disconnect_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 49)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsUserName'), ('RBTWS-TRAP-MIB', 'rbtwsClientSessionId'), ('RBTWS-TRAP-MIB', 'rbtwsClientMACAddress'), ('RBTWS-TRAP-MIB', 'rbtwsClientIp'), ('RBTWS-TRAP-MIB', 'rbtwsClientAccessType'), ('RBTWS-TRAP-MIB', 'rbtwsPortNum'), ('RBTWS-TRAP-MIB', 'rbtwsAPRadioNum'), ('RBTWS-TRAP-MIB', 'rbtwsDAPNum'), ('RBTWS-TRAP-MIB', 'rbtwsRadioSSID'), ('RBTWS-TRAP-MIB', 'rbtwsLocalId'), ('RBTWS-TRAP-MIB', 'rbtwsClientDisconnectSource'), ('RBTWS-TRAP-MIB', 'rbtwsClientDisconnectDescription')) if mibBuilder.loadTexts: rbtwsClientDisconnectTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientDisconnectTrap.setDescription('This trap is sent when a client session is terminated administratively.') rbtws_mobility_domain_fail_over_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 50)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsMobilityDomainSecondarySeedIp')) if mibBuilder.loadTexts: rbtwsMobilityDomainFailOverTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsMobilityDomainFailOverTrap.setDescription('This trap is sent when the Mobility Domain fails over to the secondary seed.') rbtws_mobility_domain_fail_back_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 51)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsMobilityDomainPrimarySeedIp')) if mibBuilder.loadTexts: rbtwsMobilityDomainFailBackTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsMobilityDomainFailBackTrap.setDescription('This trap is sent when the Mobility Domain fails back to the primary seed.') rbtws_rf_detect_rogue_device_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 52)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsRFDetectXmtrMacAddr'), ('RBTWS-TRAP-MIB', 'rbtwsRFDetectListenerListInfo'), ('RBTWS-TRAP-MIB', 'rbtwsRFDetectClassificationReason')) if mibBuilder.loadTexts: rbtwsRFDetectRogueDeviceTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectRogueDeviceTrap.setDescription('This trap is sent when RF detection finds a rogue device. XmtrMacAddr is the radio MAC address from the beacon. ListenerListInfo is a display string of a list of listener information. ClassificationReason indicates the reason why the device is classified as rogue. Obsoleted by rbtwsRFDetectRogueDeviceTrap2.') rbtws_rf_detect_rogue_device_disappear_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 53)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsRFDetectXmtrMacAddr')) if mibBuilder.loadTexts: rbtwsRFDetectRogueDeviceDisappearTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectRogueDeviceDisappearTrap.setDescription('This trap is sent when a rogue device has disappeared. This trap obsoletes the rbtwsRFDetectRogueDisappearTrap.') rbtws_rf_detect_suspect_device_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 54)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsRFDetectXmtrMacAddr'), ('RBTWS-TRAP-MIB', 'rbtwsRFDetectListenerListInfo'), ('RBTWS-TRAP-MIB', 'rbtwsRFDetectClassificationReason')) if mibBuilder.loadTexts: rbtwsRFDetectSuspectDeviceTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectSuspectDeviceTrap.setDescription('This trap is sent when RF detection finds a suspect device. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. rbtwsRFDetectListenerListInfo is a display string of a list of listener information. ClassificationReason indicates the reason why the device is classified as suspect. Obsoleted by rbtwsRFDetectSuspectDeviceTrap2.') rbtws_rf_detect_suspect_device_disappear_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 55)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsRFDetectXmtrMacAddr')) if mibBuilder.loadTexts: rbtwsRFDetectSuspectDeviceDisappearTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectSuspectDeviceDisappearTrap.setDescription('This trap is sent when a suspect device has disappeared. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. This trap obsoletes the rbtwsRFDetectInterferingRogueDisappearTrap.') rbtws_rf_detect_client_via_rogue_wired_ap_trap3 = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 56)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsSourceWsIp'), ('RBTWS-TRAP-MIB', 'rbtwsPortNum'), ('RBTWS-TRAP-MIB', 'rbtwsClientVLANid'), ('RBTWS-TRAP-MIB', 'rbtwsClientVLANtag'), ('RBTWS-TRAP-MIB', 'rbtwsRFDetectXmtrMacAddr'), ('RBTWS-TRAP-MIB', 'rbtwsRFDetectListenerListInfo'), ('RBTWS-TRAP-MIB', 'rbtwsRFDetectRogueAPMacAddr'), ('RBTWS-TRAP-MIB', 'rbtwsRFDetectClassificationReason')) if mibBuilder.loadTexts: rbtwsRFDetectClientViaRogueWiredAPTrap3.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectClientViaRogueWiredAPTrap3.setDescription("This trap is sent when a client is detected that connected via a rogue AP that is attached to a wired port. rbtwsSourceWsIp is the IP address of the AC (switch) with the wired port. rbtwsPortNum is the port on the AC. rbtwsClientVLANid is the VLAN ID of the client's traffic. rbtwsClientVLANtag is the VLAN tag of the client's traffic. rbtwsRFDetectXmtrMacAddr is the MAC address of the client. rbtwsRFDetectListenerListInfo is a display string of a list of listener information. rbtwsRFDetectRogueAPMacAddr is the MAC address of the Rogue AP (wired) the client is connected to. ClassificationReason indicates the reason why the AP is classified as rogue. This trap obsoletes the rbtwsRFDetectClientViaRogueWiredAPTrap and rbtwsRFDetectClientViaRogueWiredAPTrap2.") rbtws_rf_detect_classification_change_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 57)) if mibBuilder.loadTexts: rbtwsRFDetectClassificationChangeTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectClassificationChangeTrap.setDescription('This trap is sent when RF detection classification rules change.') rbtws_configuration_saved_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 58)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsConfigSaveFileName'), ('RBTWS-TRAP-MIB', 'rbtwsConfigSaveInitiatorType'), ('RBTWS-TRAP-MIB', 'rbtwsConfigSaveInitiatorIp'), ('RBTWS-TRAP-MIB', 'rbtwsConfigSaveInitiatorDetails'), ('RBTWS-TRAP-MIB', 'rbtwsConfigSaveGeneration')) if mibBuilder.loadTexts: rbtwsConfigurationSavedTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsConfigurationSavedTrap.setDescription('This trap is sent when the running configuration of the switch is written to a configuration file.') rbtws_ap_non_oper_status_trap2 = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 59)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsDeviceSerNum'), ('RBTWS-TRAP-MIB', 'rbtwsAPMACAddress'), ('RBTWS-TRAP-MIB', 'rbtwsApNum'), ('RBTWS-TRAP-MIB', 'rbtwsApName'), ('RBTWS-TRAP-MIB', 'rbtwsApTransition'), ('RBTWS-TRAP-MIB', 'rbtwsApFailDetail'), ('RBTWS-TRAP-MIB', 'rbtwsApWasOperational')) if mibBuilder.loadTexts: rbtwsApNonOperStatusTrap2.setStatus('current') if mibBuilder.loadTexts: rbtwsApNonOperStatusTrap2.setDescription('This trap is sent when the AP changes state and the new one is a non-operational state. Obsoletes rbtwsApNonOperStatusTrap.') rbtws_ap_oper_radio_status_trap2 = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 60)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsDeviceSerNum'), ('RBTWS-TRAP-MIB', 'rbtwsApNum'), ('RBTWS-TRAP-MIB', 'rbtwsApName'), ('RBTWS-TRAP-MIB', 'rbtwsAPRadioNum'), ('RBTWS-TRAP-MIB', 'rbtwsRadioMACAddress'), ('RBTWS-TRAP-MIB', 'rbtwsRadioType'), ('RBTWS-TRAP-MIB', 'rbtwsRadioMode'), ('RBTWS-TRAP-MIB', 'rbtwsRadioConfigState'), ('RBTWS-TRAP-MIB', 'rbtwsApConnectSecurityType'), ('RBTWS-TRAP-MIB', 'rbtwsApServiceAvailability')) if mibBuilder.loadTexts: rbtwsApOperRadioStatusTrap2.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsApOperRadioStatusTrap2.setDescription('This trap is sent when the Radio changes state. It also contains aggregate information about the AP in operational state - security level and service availability. Obsoleted by rbtwsApOperRadioStatusTrap3.') rbtws_michael_mic_failure = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 61)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsApNum'), ('RBTWS-TRAP-MIB', 'rbtwsAPRadioNum'), ('RBTWS-TRAP-MIB', 'rbtwsRadioMACAddress'), ('RBTWS-TRAP-MIB', 'rbtwsMichaelMICFailureCause'), ('RBTWS-TRAP-MIB', 'rbtwsClientMACAddress'), ('RBTWS-TRAP-MIB', 'rbtwsClientMACAddress2')) if mibBuilder.loadTexts: rbtwsMichaelMICFailure.setStatus('current') if mibBuilder.loadTexts: rbtwsMichaelMICFailure.setDescription('Two Michael MIC failures were seen within 60 seconds of each other. Object rbtwsClientMACAddress indicates the source of the first failure, and object rbtwsClientMACAddress2 indicates the source of the second failure. Service is interrupted for 60 seconds on the radio due to TKIP countermeasures having commenced. The radio is identified by rbtwsApNum and rbtwsAPRadioNum. An alternative way to identify the radio is rbtwsRadioMACAddress. Obsoletes rbtwsMpMichaelMICFailure and rbtwsMpMichaelMICFailure2.') rbtws_client_authorization_success_trap3 = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 62)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsUserName'), ('RBTWS-TRAP-MIB', 'rbtwsClientSessionId'), ('RBTWS-TRAP-MIB', 'rbtwsClientMACAddress'), ('RBTWS-TRAP-MIB', 'rbtwsClientIp'), ('RBTWS-TRAP-MIB', 'rbtwsClientVLANName'), ('RBTWS-TRAP-MIB', 'rbtwsClientSessionState'), ('RBTWS-TRAP-MIB', 'rbtwsClientAuthServerIp'), ('RBTWS-TRAP-MIB', 'rbtwsClientAuthenProtocolType'), ('RBTWS-TRAP-MIB', 'rbtwsClientAccessMode'), ('RBTWS-TRAP-MIB', 'rbtwsPhysPortNum'), ('RBTWS-TRAP-MIB', 'rbtwsApNum'), ('RBTWS-TRAP-MIB', 'rbtwsAPRadioNum'), ('RBTWS-TRAP-MIB', 'rbtwsRadioSSID'), ('RBTWS-TRAP-MIB', 'rbtwsUserAccessType'), ('RBTWS-TRAP-MIB', 'rbtwsLocalId'), ('RBTWS-TRAP-MIB', 'rbtwsClientAuthorizationReason')) if mibBuilder.loadTexts: rbtwsClientAuthorizationSuccessTrap3.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsClientAuthorizationSuccessTrap3.setDescription("This trap is sent when a client authorizes. If rbtwsClientAccessMode = 'ap': rbtwsApNum, rbtwsAPRadioNum, rbtwsRadioSSID identify the AP/radio/BSS providing wireless service to this client at the time this trap was sent. If rbtwsClientAccessMode = 'wired': rbtwsPhysPortNum identifies the physical port on the AC used by this wired-auth client. Obsoleted by rbtwsClientAuthorizationSuccessTrap4.") rbtws_ap_manager_change_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 63)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsDeviceSerNum'), ('RBTWS-TRAP-MIB', 'rbtwsAPMACAddress'), ('RBTWS-TRAP-MIB', 'rbtwsApNum'), ('RBTWS-TRAP-MIB', 'rbtwsApName'), ('RBTWS-TRAP-MIB', 'rbtwsApMgrOldIp'), ('RBTWS-TRAP-MIB', 'rbtwsApMgrNewIp'), ('RBTWS-TRAP-MIB', 'rbtwsApMgrChangeReason')) if mibBuilder.loadTexts: rbtwsApManagerChangeTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsApManagerChangeTrap.setDescription("This trap is sent when the AP's secondary link becomes its primary link.") rbtws_client_cleared_trap2 = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 64)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsUserName'), ('RBTWS-TRAP-MIB', 'rbtwsClientSessionId'), ('RBTWS-TRAP-MIB', 'rbtwsClientMACAddress'), ('RBTWS-TRAP-MIB', 'rbtwsClientIp'), ('RBTWS-TRAP-MIB', 'rbtwsClientAccessMode'), ('RBTWS-TRAP-MIB', 'rbtwsPhysPortNum'), ('RBTWS-TRAP-MIB', 'rbtwsApNum'), ('RBTWS-TRAP-MIB', 'rbtwsAPRadioNum'), ('RBTWS-TRAP-MIB', 'rbtwsRadioSSID'), ('RBTWS-TRAP-MIB', 'rbtwsClientSessionElapsedSeconds'), ('RBTWS-TRAP-MIB', 'rbtwsLocalId'), ('RBTWS-TRAP-MIB', 'rbtwsClientClearedReason')) if mibBuilder.loadTexts: rbtwsClientClearedTrap2.setStatus('current') if mibBuilder.loadTexts: rbtwsClientClearedTrap2.setDescription('This trap is sent when a client session is cleared. Obsoletes rbtwsClientClearedTrap.') rbtws_mobility_domain_resiliency_status_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 65)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsMobilityDomainResiliencyStatus')) if mibBuilder.loadTexts: rbtwsMobilityDomainResiliencyStatusTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsMobilityDomainResiliencyStatusTrap.setDescription('This trap is sent by a mobility domain seed to announce changes in resilient capacity status.') rbtws_ap_oper_radio_status_trap3 = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 66)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsDeviceSerNum'), ('RBTWS-TRAP-MIB', 'rbtwsApNum'), ('RBTWS-TRAP-MIB', 'rbtwsApName'), ('RBTWS-TRAP-MIB', 'rbtwsAPRadioNum'), ('RBTWS-TRAP-MIB', 'rbtwsRadioMACAddress'), ('RBTWS-TRAP-MIB', 'rbtwsRadioType'), ('RBTWS-TRAP-MIB', 'rbtwsRadioMode'), ('RBTWS-TRAP-MIB', 'rbtwsRadioConfigState'), ('RBTWS-TRAP-MIB', 'rbtwsRadioChannelWidth'), ('RBTWS-TRAP-MIB', 'rbtwsRadioMimoState'), ('RBTWS-TRAP-MIB', 'rbtwsApConnectSecurityType'), ('RBTWS-TRAP-MIB', 'rbtwsApServiceAvailability')) if mibBuilder.loadTexts: rbtwsApOperRadioStatusTrap3.setStatus('current') if mibBuilder.loadTexts: rbtwsApOperRadioStatusTrap3.setDescription('This trap is sent when the Radio changes state. It also contains aggregate information about the AP in operational state - security level and service availability. Obsoletes rbtwsApOperRadioStatusTrap and rbtwsApOperRadioStatusTrap2.') rbtws_client_authorization_success_trap4 = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 67)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsUserName'), ('RBTWS-TRAP-MIB', 'rbtwsClientSessionId'), ('RBTWS-TRAP-MIB', 'rbtwsClientMACAddress'), ('RBTWS-TRAP-MIB', 'rbtwsClientIp'), ('RBTWS-TRAP-MIB', 'rbtwsClientVLANName'), ('RBTWS-TRAP-MIB', 'rbtwsClientSessionState'), ('RBTWS-TRAP-MIB', 'rbtwsClientAuthServerIp'), ('RBTWS-TRAP-MIB', 'rbtwsClientAuthenProtocolType'), ('RBTWS-TRAP-MIB', 'rbtwsClientAccessMode'), ('RBTWS-TRAP-MIB', 'rbtwsPhysPortNum'), ('RBTWS-TRAP-MIB', 'rbtwsApNum'), ('RBTWS-TRAP-MIB', 'rbtwsAPRadioNum'), ('RBTWS-TRAP-MIB', 'rbtwsRadioSSID'), ('RBTWS-TRAP-MIB', 'rbtwsClientRadioType'), ('RBTWS-TRAP-MIB', 'rbtwsUserAccessType'), ('RBTWS-TRAP-MIB', 'rbtwsLocalId'), ('RBTWS-TRAP-MIB', 'rbtwsClientAuthorizationReason')) if mibBuilder.loadTexts: rbtwsClientAuthorizationSuccessTrap4.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAuthorizationSuccessTrap4.setDescription("This trap is sent when a client authorizes. If rbtwsClientAccessMode = 'ap': rbtwsApNum, rbtwsAPRadioNum, rbtwsRadioSSID identify the AP/radio/BSS providing wireless service to this client at the time this trap was sent; rbtwsClientRadioType gives the type of radio used by this client. If rbtwsClientAccessMode = 'wired': rbtwsPhysPortNum identifies the physical port on the AC used by this wired-auth client. Obsoletes rbtwsClientAuthorizationSuccessTrap, rbtwsClientAuthorizationSuccessTrap2, rbtwsClientAuthorizationSuccessTrap3.") rbtws_rf_detect_rogue_device_trap2 = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 68)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsRFDetectXmtrMacAddr'), ('RBTWS-TRAP-MIB', 'rbtwsRFDetectXmtrRadioType'), ('RBTWS-TRAP-MIB', 'rbtwsRFDetectXmtrCryptoType'), ('RBTWS-TRAP-MIB', 'rbtwsRFDetectListenerListInfo'), ('RBTWS-TRAP-MIB', 'rbtwsRFDetectClassificationReason')) if mibBuilder.loadTexts: rbtwsRFDetectRogueDeviceTrap2.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectRogueDeviceTrap2.setDescription('This trap is sent when RF detection finds a rogue device. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. rbtwsRFDetectXmtrRadioType indicates the Type of Radio used by the transmitter (rogue device). rbtwsRFDetectXmtrCryptoType indicates the Type of Crypto used by the transmitter (rogue device). rbtwsRFDetectListenerListInfo is a display string of a list of listener information. rbtwsRFDetectClassificationReason indicates the reason why the device is classified as rogue. Obsoletes rbtwsRFDetectRogueAPTrap, rbtwsRFDetectUnAuthorizedAPTrap, rbtwsRFDetectRogueDeviceTrap.') rbtws_rf_detect_suspect_device_trap2 = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 69)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsRFDetectXmtrMacAddr'), ('RBTWS-TRAP-MIB', 'rbtwsRFDetectXmtrRadioType'), ('RBTWS-TRAP-MIB', 'rbtwsRFDetectXmtrCryptoType'), ('RBTWS-TRAP-MIB', 'rbtwsRFDetectListenerListInfo'), ('RBTWS-TRAP-MIB', 'rbtwsRFDetectClassificationReason')) if mibBuilder.loadTexts: rbtwsRFDetectSuspectDeviceTrap2.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectSuspectDeviceTrap2.setDescription('This trap is sent when RF detection finds a suspect device. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. rbtwsRFDetectXmtrRadioType indicates the Type of Radio used by the transmitter (suspect device). rbtwsRFDetectXmtrCryptoType indicates the Type of Crypto used by the transmitter (suspect device). rbtwsRFDetectListenerListInfo is a display string of a list of listener information. rbtwsRFDetectClassificationReason indicates the reason why the device is classified as suspect. Obsoletes rbtwsRFDetectInterferingRogueAPTrap, rbtwsRFDetectSuspectDeviceTrap.') rbtws_cluster_failure_trap = notification_type((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 70)).setObjects(('RBTWS-TRAP-MIB', 'rbtwsClusterFailureReason'), ('RBTWS-TRAP-MIB', 'rbtwsClusterFailureDescription')) if mibBuilder.loadTexts: rbtwsClusterFailureTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClusterFailureTrap.setDescription("This trap is sent when the cluster configuration failed to apply. If rbtwsClusterFailureReason = 'validation-error': The validation error is reported by the receiving end of the configuration updates. The receiving end can be any AC (switch) in the mobility domain: member, secondary seed or primary seed. - Primary seed will be the receiving end of configuration updates when Primary seed is joining the cluster and Secondary seed has preempt mode enabled. - Both Secondary seed and member will be at the receiving end when Primary seed is active.") mibBuilder.exportSymbols('RBTWS-TRAP-MIB', RbtwsUserAttributeList=RbtwsUserAttributeList, rbtwsMobilityDomainJoinTrap=rbtwsMobilityDomainJoinTrap, rbtwsAutoTuneRadioPowerChangeTrap=rbtwsAutoTuneRadioPowerChangeTrap, rbtwsClientAuthorizationSuccessTrap4=rbtwsClientAuthorizationSuccessTrap4, rbtwsMobilityDomainIp=rbtwsMobilityDomainIp, rbtwsRFDetectInterferingRogueAPTrap=rbtwsRFDetectInterferingRogueAPTrap, rbtwsDeviceId=rbtwsDeviceId, rbtwsPoEFailTrap=rbtwsPoEFailTrap, rbtwsClientRoamedFromPortNum=rbtwsClientRoamedFromPortNum, rbtwsConfigSaveInitiatorIp=rbtwsConfigSaveInitiatorIp, rbtwsRFDetectDoSTrap=rbtwsRFDetectDoSTrap, rbtwsConfigurationSavedTrap=rbtwsConfigurationSavedTrap, rbtwsMobilityDomainTimeoutTrap=rbtwsMobilityDomainTimeoutTrap, rbtwsCounterMeasureStartTrap=rbtwsCounterMeasureStartTrap, RbtwsSessionDisconnectType=RbtwsSessionDisconnectType, PYSNMP_MODULE_ID=rbtwsTrapMib, RbtwsRFDetectDoSType=RbtwsRFDetectDoSType, rbtwsRFDetectClientViaRogueWiredAPTrap2=rbtwsRFDetectClientViaRogueWiredAPTrap2, rbtwsCounterMeasurePerformerListInfo=rbtwsCounterMeasurePerformerListInfo, rbtwsUserAccessType=rbtwsUserAccessType, rbtwsClientClearedTrap2=rbtwsClientClearedTrap2, rbtwsClientDeAssociationTrap=rbtwsClientDeAssociationTrap, rbtwsApMgrChangeReason=rbtwsApMgrChangeReason, rbtwsRFDetectXmtrRadioType=rbtwsRFDetectXmtrRadioType, rbtwsDAPconnectWarningType=rbtwsDAPconnectWarningType, rbtwsMichaelMICFailureCause=rbtwsMichaelMICFailureCause, rbtwsRFDetectBlacklistedTrap=rbtwsRFDetectBlacklistedTrap, RbtwsClientClearedReason=RbtwsClientClearedReason, rbtwsClientRoamedFromWsIp=rbtwsClientRoamedFromWsIp, rbtwsApPortOrDapNum=rbtwsApPortOrDapNum, rbtwsSourceWsIp=rbtwsSourceWsIp, rbtwsRadioMimoState=rbtwsRadioMimoState, rbtwsRFDetectClassificationChangeTrap=rbtwsRFDetectClassificationChangeTrap, rbtwsOldChannelNum=rbtwsOldChannelNum, rbtwsClientAuthenticationFailureCause=rbtwsClientAuthenticationFailureCause, RbtwsDot1xFailureType=RbtwsDot1xFailureType, RbtwsClusterFailureReason=RbtwsClusterFailureReason, rbtwsClientSessionState=rbtwsClientSessionState, rbtwsDeviceOkayTrap=rbtwsDeviceOkayTrap, rbtwsRFDetectClientViaRogueWiredAPTrap=rbtwsRFDetectClientViaRogueWiredAPTrap, rbtwsApConnectSecurityType=rbtwsApConnectSecurityType, rbtwsConfigSaveInitiatorDetails=rbtwsConfigSaveInitiatorDetails, rbtwsRadioSSID=rbtwsRadioSSID, rbtwsConfigSaveGeneration=rbtwsConfigSaveGeneration, rbtwsClientClearedReason=rbtwsClientClearedReason, rbtwsClientFailureCause=rbtwsClientFailureCause, rbtwsRFDetectDoSPortTrap=rbtwsRFDetectDoSPortTrap, rbtwsClientDynAuthorClientIp=rbtwsClientDynAuthorClientIp, rbtwsDeviceSerNum=rbtwsDeviceSerNum, rbtwsUserName=rbtwsUserName, rbtwsRFDetectSuspectDeviceDisappearTrap=rbtwsRFDetectSuspectDeviceDisappearTrap, rbtwsClientVLANtag=rbtwsClientVLANtag, rbtwsMobilityDomainResiliencyStatus=rbtwsMobilityDomainResiliencyStatus, rbtwsChangedUserParamOldValues=rbtwsChangedUserParamOldValues, rbtwsClientVLANid=rbtwsClientVLANid, rbtwsClientAuthorizationReason=rbtwsClientAuthorizationReason, RbtwsMichaelMICFailureCause=RbtwsMichaelMICFailureCause, rbtwsRFDetectRogueDisappearTrap=rbtwsRFDetectRogueDisappearTrap, rbtwsDAPConnectWarningTrap=rbtwsDAPConnectWarningTrap, rbtwsApAttachType=rbtwsApAttachType, rbtwsConfigSaveInitiatorType=rbtwsConfigSaveInitiatorType, rbtwsClientDot1xState=rbtwsClientDot1xState, rbtwsRadioPowerChangeReason=rbtwsRadioPowerChangeReason, rbtwsChannelChangeReason=rbtwsChannelChangeReason, rbtwsClientAccessType=rbtwsClientAccessType, rbtwsRFDetectXmtrCryptoType=rbtwsRFDetectXmtrCryptoType, rbtwsDeviceFailTrap=rbtwsDeviceFailTrap, rbtwsOldPowerLevel=rbtwsOldPowerLevel, rbtwsTrapMib=rbtwsTrapMib, rbtwsMobilityDomainSecondarySeedIp=rbtwsMobilityDomainSecondarySeedIp, rbtwsClusterFailureDescription=rbtwsClusterFailureDescription, rbtwsRadioBSSID=rbtwsRadioBSSID, rbtwsClientAssociationSuccessTrap=rbtwsClientAssociationSuccessTrap, rbtwsBlacklistingCause=rbtwsBlacklistingCause, rbtwsApOperRadioStatusTrap3=rbtwsApOperRadioStatusTrap3, rbtwsClientDynAuthorChangeSuccessTrap=rbtwsClientDynAuthorChangeSuccessTrap, rbtwsClientAuthenProtocolType=rbtwsClientAuthenProtocolType, rbtwsClientDot1xFailureTrap=rbtwsClientDot1xFailureTrap, rbtwsRFDetectXmtrMacAddr=rbtwsRFDetectXmtrMacAddr, rbtwsPhysPortNum=rbtwsPhysPortNum, rbtwsRFDetectUnAuthorizedOuiTrap=rbtwsRFDetectUnAuthorizedOuiTrap, rbtwsApNonOperStatusTrap2=rbtwsApNonOperStatusTrap2, rbtwsAPMACAddress=rbtwsAPMACAddress, rbtwsChangedUserParamNewValues=rbtwsChangedUserParamNewValues, rbtwsUserParams=rbtwsUserParams, rbtwsClientAuthorizationSuccessTrap3=rbtwsClientAuthorizationSuccessTrap3, rbtwsRFDetectAdhocUserTrap=rbtwsRFDetectAdhocUserTrap, rbtwsMobilityDomainPrimarySeedIp=rbtwsMobilityDomainPrimarySeedIp, rbtwsApManagerChangeTrap=rbtwsApManagerChangeTrap, rbtwsClientRoamingTrap=rbtwsClientRoamingTrap, rbtwsRFDetectDoSType=rbtwsRFDetectDoSType, rbtwsRFDetectAdhocUserDisappearTrap=rbtwsRFDetectAdhocUserDisappearTrap, rbtwsMichaelMICFailure=rbtwsMichaelMICFailure, rbtwsTrapsV2=rbtwsTrapsV2, rbtwsRFDetectRogueDeviceTrap=rbtwsRFDetectRogueDeviceTrap, rbtwsDAPNum=rbtwsDAPNum, rbtwsMpMichaelMICFailure2=rbtwsMpMichaelMICFailure2, rbtwsRadioChannelWidth=rbtwsRadioChannelWidth, rbtwsRFDetectClientViaRogueWiredAPTrap3=rbtwsRFDetectClientViaRogueWiredAPTrap3, rbtwsAutoTuneRadioChannelChangeTrap=rbtwsAutoTuneRadioChannelChangeTrap, rbtwsNewChannelNum=rbtwsNewChannelNum, rbtwsClusterFailureTrap=rbtwsClusterFailureTrap, rbtwsClientRoamedFromDAPNum=rbtwsClientRoamedFromDAPNum, rbtwsApMgrOldIp=rbtwsApMgrOldIp, rbtwsClientAssociationFailureTrap=rbtwsClientAssociationFailureTrap, rbtwsApName=rbtwsApName, rbtwsPortNum=rbtwsPortNum, rbtwsCounterMeasureStopTrap=rbtwsCounterMeasureStopTrap, rbtwsApMgrNewIp=rbtwsApMgrNewIp, rbtwsClientRoamedFromAccessType=rbtwsClientRoamedFromAccessType, rbtwsApServiceAvailability=rbtwsApServiceAvailability, rbtwsClientIpAddrChangeReason=rbtwsClientIpAddrChangeReason, rbtwsMobilityDomainResiliencyStatusTrap=rbtwsMobilityDomainResiliencyStatusTrap, rbtwsClientAuthorizationSuccessTrap2=rbtwsClientAuthorizationSuccessTrap2, rbtwsRadioConfigState=rbtwsRadioConfigState, rbtwsClientMACAddress=rbtwsClientMACAddress, rbtwsApFailDetail=rbtwsApFailDetail, rbtwsClientDisconnectTrap=rbtwsClientDisconnectTrap, rbtwsClientDynAuthorChangeFailureTrap=rbtwsClientDynAuthorChangeFailureTrap, rbtwsClientAuthServerIp=rbtwsClientAuthServerIp, rbtwsRadioPowerChangeDescription=rbtwsRadioPowerChangeDescription, rbtwsClientAuthorizationFailureCause=rbtwsClientAuthorizationFailureCause, rbtwsRFDetectRogueDeviceDisappearTrap=rbtwsRFDetectRogueDeviceDisappearTrap, rbtwsClientAuthorizationSuccessTrap=rbtwsClientAuthorizationSuccessTrap, rbtwsClientAccessMode=rbtwsClientAccessMode, RbtwsAuthenticationFailureType=RbtwsAuthenticationFailureType, rbtwsApOperRadioStatusTrap2=rbtwsApOperRadioStatusTrap2, RbtwsAuthorizationFailureType=RbtwsAuthorizationFailureType, rbtwsClientAuthorizationFailureTrap=rbtwsClientAuthorizationFailureTrap, rbtwsRFDetectInterferingRogueDisappearTrap=rbtwsRFDetectInterferingRogueDisappearTrap, rbtwsApNonOperStatusTrap=rbtwsApNonOperStatusTrap, rbtwsRFDetectSpoofedMacAPTrap=rbtwsRFDetectSpoofedMacAPTrap, RbtwsAssociationFailureType=RbtwsAssociationFailureType, rbtwsClientLocationPolicyIndex=rbtwsClientLocationPolicyIndex, rbtwsRadioRssi=rbtwsRadioRssi, rbtwsClientIp=rbtwsClientIp, rbtwsAPAccessType=rbtwsAPAccessType, rbtwsRFDetectClassificationReason=rbtwsRFDetectClassificationReason, rbtwsRadioMACAddress=rbtwsRadioMACAddress, rbtwsRFDetectUnAuthorizedAPTrap=rbtwsRFDetectUnAuthorizedAPTrap, rbtwsRFDetectRogueAPTrap=rbtwsRFDetectRogueAPTrap, rbtwsClientSessionId=rbtwsClientSessionId, rbtwsClientDisconnectDescription=rbtwsClientDisconnectDescription, rbtwsAPRadioNum=rbtwsAPRadioNum, rbtwsNumLicensedActiveAPs=rbtwsNumLicensedActiveAPs, rbtwsMpMichaelMICFailure=rbtwsMpMichaelMICFailure, rbtwsClientRadioType=rbtwsClientRadioType, rbtwsMobilityDomainFailOverTrap=rbtwsMobilityDomainFailOverTrap, rbtwsDeviceModel=rbtwsDeviceModel, rbtwsRFDetectSuspectDeviceTrap2=rbtwsRFDetectSuspectDeviceTrap2, rbtwsRsaPubKeyFingerPrint=rbtwsRsaPubKeyFingerPrint, rbtwsClientSessionElapsedSeconds=rbtwsClientSessionElapsedSeconds, rbtwsClientTimeSinceLastRoam=rbtwsClientTimeSinceLastRoam, rbtwsRFDetectSuspectDeviceTrap=rbtwsRFDetectSuspectDeviceTrap, rbtwsLocalId=rbtwsLocalId, rbtwsClientFailureCauseDescription=rbtwsClientFailureCauseDescription, rbtwsClientDeAuthenticationTrap=rbtwsClientDeAuthenticationTrap, rbtwsNewPowerLevel=rbtwsNewPowerLevel, rbtwsClientMACAddress2=rbtwsClientMACAddress2, rbtwsApTransition=rbtwsApTransition, rbtwsClientIpAddrChangeTrap=rbtwsClientIpAddrChangeTrap, RbtwsMobilityDomainResiliencyStatus=RbtwsMobilityDomainResiliencyStatus, RbtwsClientIpAddrChangeReason=RbtwsClientIpAddrChangeReason, rbtwsClientRoamedFromRadioNum=rbtwsClientRoamedFromRadioNum, rbtwsBlacklistingRemainingTime=rbtwsBlacklistingRemainingTime, rbtwsClientAuthenticationSuccessTrap=rbtwsClientAuthenticationSuccessTrap, rbtwsRFDetectSpoofedSsidAPTrap=rbtwsRFDetectSpoofedSsidAPTrap, rbtwsClientVLANName=rbtwsClientVLANName, rbtwsClientAssociationFailureCause=rbtwsClientAssociationFailureCause, rbtwsClientSessionElapsedTime=rbtwsClientSessionElapsedTime, rbtwsRFDetectListenerListInfo=rbtwsRFDetectListenerListInfo, rbtwsClientDot1xFailureCause=rbtwsClientDot1xFailureCause, rbtwsClusterFailureReason=rbtwsClusterFailureReason, rbtwsRFDetectRogueDeviceTrap2=rbtwsRFDetectRogueDeviceTrap2, rbtwsRFDetectRogueAPMacAddr=rbtwsRFDetectRogueAPMacAddr, rbtwsClientDisconnectSource=rbtwsClientDisconnectSource, rbtwsMobilityDomainFailBackTrap=rbtwsMobilityDomainFailBackTrap, rbtwsApWasOperational=rbtwsApWasOperational, RbtwsConfigSaveInitiatorType=RbtwsConfigSaveInitiatorType, rbtwsClientAuthenticationFailureTrap=rbtwsClientAuthenticationFailureTrap, RbtwsApMgrChangeReason=RbtwsApMgrChangeReason, rbtwsClientSessionStartTime=rbtwsClientSessionStartTime, rbtwsApRejectLicenseExceededTrap=rbtwsApRejectLicenseExceededTrap, RbtwsClientAuthorizationReason=RbtwsClientAuthorizationReason, rbtwsAPBootTrap=rbtwsAPBootTrap, rbtwsConfigSaveFileName=rbtwsConfigSaveFileName, rbtwsRFDetectUnAuthorizedSsidTrap=rbtwsRFDetectUnAuthorizedSsidTrap, rbtwsApOperRadioStatusTrap=rbtwsApOperRadioStatusTrap, rbtwsRadioMode=rbtwsRadioMode, rbtwsClientClearedTrap=rbtwsClientClearedTrap, rbtwsApTimeoutTrap=rbtwsApTimeoutTrap, rbtwsApNum=rbtwsApNum, rbtwsRadioType=rbtwsRadioType, RbtwsBlacklistingCause=RbtwsBlacklistingCause)
class MwClientError(RuntimeError): pass class MediaWikiVersionError(MwClientError): pass class APIDisabledError(MwClientError): pass class MaximumRetriesExceeded(MwClientError): pass class APIError(MwClientError): def __init__(self, code, info, kwargs): self.code = code self.info = info MwClientError.__init__(self, code, info, kwargs) class InsufficientPermission(MwClientError): pass class UserBlocked(InsufficientPermission): pass class EditError(MwClientError): pass class ProtectedPageError(EditError, InsufficientPermission): pass class FileExists(EditError): pass class LoginError(MwClientError): pass class EmailError(MwClientError): pass class NoSpecifiedEmail(EmailError): pass class NoWriteApi(MwClientError): pass class InvalidResponse(MwClientError): def __init__(self, response_text=None): self.message = 'Did not get a valid JSON response from the server. Check that ' + \ 'you used the correct hostname. If you did, the server might ' + \ 'be wrongly configured or experiencing temporary problems.' self.response_text = response_text MwClientError.__init__(self, self.message, response_text) def __str__(self): return self.message
class Mwclienterror(RuntimeError): pass class Mediawikiversionerror(MwClientError): pass class Apidisablederror(MwClientError): pass class Maximumretriesexceeded(MwClientError): pass class Apierror(MwClientError): def __init__(self, code, info, kwargs): self.code = code self.info = info MwClientError.__init__(self, code, info, kwargs) class Insufficientpermission(MwClientError): pass class Userblocked(InsufficientPermission): pass class Editerror(MwClientError): pass class Protectedpageerror(EditError, InsufficientPermission): pass class Fileexists(EditError): pass class Loginerror(MwClientError): pass class Emailerror(MwClientError): pass class Nospecifiedemail(EmailError): pass class Nowriteapi(MwClientError): pass class Invalidresponse(MwClientError): def __init__(self, response_text=None): self.message = 'Did not get a valid JSON response from the server. Check that ' + 'you used the correct hostname. If you did, the server might ' + 'be wrongly configured or experiencing temporary problems.' self.response_text = response_text MwClientError.__init__(self, self.message, response_text) def __str__(self): return self.message
def plot_table(data): fig = plt.figure() ax = fig.add_subplot(111) col_labels = list(range(0,10)) row_labels = [' 0 ', ' 1 ', ' 2 ', ' 3 ', ' 4 ', ' 5 ', ' 6 ', ' 7 ', ' 8 ', ' 9 '] # Draw table value_table = plt.table(cellText=data, colWidths=[0.05] * 10, rowLabels=row_labels, colLabels=col_labels, loc='center') value_table.auto_set_font_size(True) value_table.set_fontsize(24) value_table.scale(2.5, 2.5) # Removing ticks and spines enables you to get the figure only with table plt.tick_params(axis='x', which='both', bottom=False, top=False, labelbottom=False) plt.tick_params(axis='y', which='both', right=False, left=False, labelleft=False) for pos in ['right','top','bottom','left']: plt.gca().spines[pos].set_visible(False)
def plot_table(data): fig = plt.figure() ax = fig.add_subplot(111) col_labels = list(range(0, 10)) row_labels = [' 0 ', ' 1 ', ' 2 ', ' 3 ', ' 4 ', ' 5 ', ' 6 ', ' 7 ', ' 8 ', ' 9 '] value_table = plt.table(cellText=data, colWidths=[0.05] * 10, rowLabels=row_labels, colLabels=col_labels, loc='center') value_table.auto_set_font_size(True) value_table.set_fontsize(24) value_table.scale(2.5, 2.5) plt.tick_params(axis='x', which='both', bottom=False, top=False, labelbottom=False) plt.tick_params(axis='y', which='both', right=False, left=False, labelleft=False) for pos in ['right', 'top', 'bottom', 'left']: plt.gca().spines[pos].set_visible(False)
class Settings: def __init__(self): self.screen_width = 800 self.screen_height = 600 self.black = (0, 0, 0) self.white = (255, 255, 255) self.red = (255, 0, 0) self.green = (0, 255, 0) self.blue = (0, 0, 255) self.FPS = 90
class Settings: def __init__(self): self.screen_width = 800 self.screen_height = 600 self.black = (0, 0, 0) self.white = (255, 255, 255) self.red = (255, 0, 0) self.green = (0, 255, 0) self.blue = (0, 0, 255) self.FPS = 90
N = 2 for i in range(1,N): for j in range(1,N): for k in range(1,N): for l in range(1,N): if i**3+j**3==k**3+l**3: print(i,j,k,l)
n = 2 for i in range(1, N): for j in range(1, N): for k in range(1, N): for l in range(1, N): if i ** 3 + j ** 3 == k ** 3 + l ** 3: print(i, j, k, l)
def rainWaterTrapping(arr: list) -> int: n = len(arr) maxL = [1] * n maxR = [1] * n maxL[0] = arr[0] for i in range(1, n): maxL[i] = max(maxL[i - 1], arr[i]) maxR[n - 1] = arr[n - 1] for i in range(n - 2, -1, -1): maxR[i] = max(maxR[i + 1], arr[i]) total_water = 0 for i in range(n): total_water += min(maxL[i], maxR[i]) - arr[i] return total_water if __name__ == "__main__": water = [3, 0, 0, 2, 0, 4] res = rainWaterTrapping(water) print(res)
def rain_water_trapping(arr: list) -> int: n = len(arr) max_l = [1] * n max_r = [1] * n maxL[0] = arr[0] for i in range(1, n): maxL[i] = max(maxL[i - 1], arr[i]) maxR[n - 1] = arr[n - 1] for i in range(n - 2, -1, -1): maxR[i] = max(maxR[i + 1], arr[i]) total_water = 0 for i in range(n): total_water += min(maxL[i], maxR[i]) - arr[i] return total_water if __name__ == '__main__': water = [3, 0, 0, 2, 0, 4] res = rain_water_trapping(water) print(res)
n=int(input()) x=hex(n)[-1] if x.isalpha(): x=ord(x)-87 print(bin(int(x))[-1])
n = int(input()) x = hex(n)[-1] if x.isalpha(): x = ord(x) - 87 print(bin(int(x))[-1])
BLACK = [0x00, 0x00, 0x00] # Floor WHITE = [0xFF, 0xFF, 0xFF] # Wall GOLD = [0xFF, 0xD7, 0x00] # Gold BLUE = [0x00, 0x00, 0xFF] # Player GRAY = [0x55, 0x55, 0x55] # Box GREEN = [0x00, 0xAA, 0x00] # Key PURPLE = [0xC4, 0x00, 0xC4] # Door RED = [0xFF, 0x00, 0x00] # Teleport 1 BROWN = [0xA0, 0x50, 0x00] # Teleport 2
black = [0, 0, 0] white = [255, 255, 255] gold = [255, 215, 0] blue = [0, 0, 255] gray = [85, 85, 85] green = [0, 170, 0] purple = [196, 0, 196] red = [255, 0, 0] brown = [160, 80, 0]
count = 0 sum = 0 print('Before', count, sum) for value in [9, 41, 12, 3, 74, 15]: count = count + 1 sum = sum + value print(count, sum, value) print('After', count, sum, sum / count)
count = 0 sum = 0 print('Before', count, sum) for value in [9, 41, 12, 3, 74, 15]: count = count + 1 sum = sum + value print(count, sum, value) print('After', count, sum, sum / count)
def pattern_thirty_seven(): '''Pattern thirty_seven 1 2 3 4 5 2 5 3 5 4 5 5 ''' num = '12345' for i in range(1, 6): if i == 1: print(' '.join(num)) elif i in range(2, 5): space = -2 * i + 9 # using -2*n + 9 for getting required space where n = 1, 2, 3, .... and here n = i output = num[i - 1] + ' ' * space + '5' print(output) else: print('5') if __name__ == '__main__': pattern_thirty_seven()
def pattern_thirty_seven(): """Pattern thirty_seven 1 2 3 4 5 2 5 3 5 4 5 5 """ num = '12345' for i in range(1, 6): if i == 1: print(' '.join(num)) elif i in range(2, 5): space = -2 * i + 9 output = num[i - 1] + ' ' * space + '5' print(output) else: print('5') if __name__ == '__main__': pattern_thirty_seven()
def listening_algorithm(to,from_): counts = [] to = to.split(' ') for i in range(len(from_)): count = 0 var = from_[i].split(' ') n = min(len(to),len(var)) for j in range(n): if var[j] in to[j]: count += 1 counts.append(count) maxm_ = max(counts) for i in range(len(counts)): if maxm_ == counts[i]: return from_[i]
def listening_algorithm(to, from_): counts = [] to = to.split(' ') for i in range(len(from_)): count = 0 var = from_[i].split(' ') n = min(len(to), len(var)) for j in range(n): if var[j] in to[j]: count += 1 counts.append(count) maxm_ = max(counts) for i in range(len(counts)): if maxm_ == counts[i]: return from_[i]
''' 06 - Combining groupby() and resample() A very powerful method in Pandas is .groupby(). Whereas .resample() groups rows by some time or date information, .groupby() groups rows based on the values in one or more columns. For example, rides.groupby('Member type').size() would tell us how many rides there were by member type in our entire DataFrame. .resample() can be called after .groupby(). For example, how long was the median ride by month, and by Membership type? Instructions - Complete the .groupby() call to group by 'Member type', and the .resample() call to resample according to 'Start date', by month. - Print the median Duration for each group. ''' # Group rides by member type, and resample to the month grouped = rides.groupby('Member type')\ .resample('M', on='Start date') # Print the median duration for each group print(grouped['Duration'].median()) ''' <script.py> output: Member type Start date Casual 2017-10-31 1636.0 2017-11-30 1159.5 2017-12-31 850.0 Member 2017-10-31 671.0 2017-11-30 655.0 2017-12-31 387.5 Name: Duration, dtype: float64 '''
""" 06 - Combining groupby() and resample() A very powerful method in Pandas is .groupby(). Whereas .resample() groups rows by some time or date information, .groupby() groups rows based on the values in one or more columns. For example, rides.groupby('Member type').size() would tell us how many rides there were by member type in our entire DataFrame. .resample() can be called after .groupby(). For example, how long was the median ride by month, and by Membership type? Instructions - Complete the .groupby() call to group by 'Member type', and the .resample() call to resample according to 'Start date', by month. - Print the median Duration for each group. """ grouped = rides.groupby('Member type').resample('M', on='Start date') print(grouped['Duration'].median()) '\n<script.py> output:\n Member type Start date\n Casual 2017-10-31 1636.0\n 2017-11-30 1159.5\n 2017-12-31 850.0\n Member 2017-10-31 671.0\n 2017-11-30 655.0\n 2017-12-31 387.5\n Name: Duration, dtype: float64\n'
# model settings weight_root = '/home/datasets/mix_data/iMIX/data/models/detectron.vmb_weights/' model = dict( type='M4C', hidden_dim=768, dropout_prob=0.1, ocr_in_dim=3002, encoder=[ dict( type='TextBertBase', text_bert_init_from_bert_base=True, hidden_size=768, params=dict(num_hidden_layers=3)), dict( type='ImageFeatureEncoder', encoder_type='finetune_faster_rcnn_fpn_fc7', in_dim=2048, weights_file=weight_root + 'fc7_w.pkl', bias_file=weight_root + 'fc7_b.pkl', ), dict( type='ImageFeatureEncoder', encoder_type='finetune_faster_rcnn_fpn_fc7', in_dim=2048, weights_file=weight_root + 'fc7_w.pkl', bias_file=weight_root + 'fc7_b.pkl', ), ], backbone=dict(type='MMT', hidden_size=768, num_hidden_layers=4), combine_model=dict( type='ModalCombineLayer', combine_type='non_linear_element_multiply', img_feat_dim=4096, txt_emb_dim=2048, dropout=0, hidden_dim=5000, ), head=dict(type='LinearHead', in_dim=768, out_dim=5000)) loss = dict(type='M4CDecodingBCEWithMaskLoss')
weight_root = '/home/datasets/mix_data/iMIX/data/models/detectron.vmb_weights/' model = dict(type='M4C', hidden_dim=768, dropout_prob=0.1, ocr_in_dim=3002, encoder=[dict(type='TextBertBase', text_bert_init_from_bert_base=True, hidden_size=768, params=dict(num_hidden_layers=3)), dict(type='ImageFeatureEncoder', encoder_type='finetune_faster_rcnn_fpn_fc7', in_dim=2048, weights_file=weight_root + 'fc7_w.pkl', bias_file=weight_root + 'fc7_b.pkl'), dict(type='ImageFeatureEncoder', encoder_type='finetune_faster_rcnn_fpn_fc7', in_dim=2048, weights_file=weight_root + 'fc7_w.pkl', bias_file=weight_root + 'fc7_b.pkl')], backbone=dict(type='MMT', hidden_size=768, num_hidden_layers=4), combine_model=dict(type='ModalCombineLayer', combine_type='non_linear_element_multiply', img_feat_dim=4096, txt_emb_dim=2048, dropout=0, hidden_dim=5000), head=dict(type='LinearHead', in_dim=768, out_dim=5000)) loss = dict(type='M4CDecodingBCEWithMaskLoss')
bot_token = "" # Bot token stored as string bot_prefix = "" # bot prefix stored as string log_level = "INFO" # log level stored as string jellyfin_url = "" # jellyfin base url stored as string jellyfin_api_key = "" # jellyfin API key stored as string plex_url = "" # plex base url, stored as string plex_api_key = "" # plex API key stored as string plex_access_role = 0000000000000000000000 # discord role ID required to access the plex guild_id = 0000000000000000000000 # ID of guild plex_admin_role = 00000000000000000000 # role required to administrate the plex
bot_token = '' bot_prefix = '' log_level = 'INFO' jellyfin_url = '' jellyfin_api_key = '' plex_url = '' plex_api_key = '' plex_access_role = 0 guild_id = 0 plex_admin_role = 0
def run_diagnostic_program(program): instruction_lengths = [0, 4, 4, 2, 2, 3, 3, 4, 4] i = 0 while i < len(program): opcode = program[i] % 100 modes = [(program[i] // 10**j) % 10 for j in range(2, 5)] if opcode == 99: break instruction_length = instruction_lengths[opcode] params = [program[i+k] for k in range(1, instruction_length)] values = [p if modes[j] else program[p] for j, p in enumerate(params)] i += instruction_length if opcode == 1: program[params[2]] = values[0] + values[1] elif opcode == 2: program[params[2]] = values[0] * values[1] elif opcode == 3: program[params[0]] = int(input("Input: ")) elif opcode == 4: print("Output: {}".format(values[0])) elif opcode == 5: if values[0] != 0: i = values[1] elif opcode == 6: if values[0] == 0: i = values[1] elif opcode == 7: program[params[2]] = int(values[0] < values[1]) elif opcode == 8: program[params[2]] = int(values[0] == values[1]) if __name__ == "__main__": inputs = open('inputs/05.txt', 'r') program = list(map(int, inputs.read().split(','))) run_diagnostic_program(program)
def run_diagnostic_program(program): instruction_lengths = [0, 4, 4, 2, 2, 3, 3, 4, 4] i = 0 while i < len(program): opcode = program[i] % 100 modes = [program[i] // 10 ** j % 10 for j in range(2, 5)] if opcode == 99: break instruction_length = instruction_lengths[opcode] params = [program[i + k] for k in range(1, instruction_length)] values = [p if modes[j] else program[p] for (j, p) in enumerate(params)] i += instruction_length if opcode == 1: program[params[2]] = values[0] + values[1] elif opcode == 2: program[params[2]] = values[0] * values[1] elif opcode == 3: program[params[0]] = int(input('Input: ')) elif opcode == 4: print('Output: {}'.format(values[0])) elif opcode == 5: if values[0] != 0: i = values[1] elif opcode == 6: if values[0] == 0: i = values[1] elif opcode == 7: program[params[2]] = int(values[0] < values[1]) elif opcode == 8: program[params[2]] = int(values[0] == values[1]) if __name__ == '__main__': inputs = open('inputs/05.txt', 'r') program = list(map(int, inputs.read().split(','))) run_diagnostic_program(program)
# In python lambda stands for an anonymous function. # A lambda function can only perform one lines worth of operations on a given input. greeting = lambda name: 'Hello ' + name print(greeting('Viewers')) # You can also use lambda with map(...) and filter(...) functions names = ['Sherry', 'Jeniffer', 'Ron', 'Sam', 'Messi'] s_manes = list(filter(lambda name: name.lower().startswith('s'), names)) print(s_manes) greetings = list(map(lambda name: 'Hey ' + name, s_manes)) print(greetings)
greeting = lambda name: 'Hello ' + name print(greeting('Viewers')) names = ['Sherry', 'Jeniffer', 'Ron', 'Sam', 'Messi'] s_manes = list(filter(lambda name: name.lower().startswith('s'), names)) print(s_manes) greetings = list(map(lambda name: 'Hey ' + name, s_manes)) print(greetings)
{ "targets": [ { "target_name": "MagickCLI", "sources": ["src/magick-cli.cc"], 'cflags!': [ '-fno-exceptions' ], 'cflags_cc!': [ '-fno-exceptions' ], "include_dirs": [ "<!@(node -p \"require('node-addon-api').include\")" ], 'dependencies': [ "<!(node -p \"require('node-addon-api').gyp\")" ], "conditions": [ ['OS=="linux" or OS=="solaris" or OS=="freebsd"', { "libraries": [ '<!@(pkg-config --libs MagickWand)', '<!@(pkg-config --libs MagickCore)' ], 'cflags': [ '<!@(pkg-config --cflags MagickWand)', '<!@(pkg-config --cflags MagickCore)' ] }], ['OS=="win"', { "variables": { "MAGICK%": '<!(python magick-cli-path.py)' } , "msvs_settings": { "VCCLCompilerTool": { "ExceptionHandling": 1 } }, "libraries": [ '-l<(MAGICK)/lib/CORE_RL_MagickWand_.lib', '-l<(MAGICK)/lib/CORE_RL_MagickCore_.lib' ], "include_dirs": [ '<(MAGICK)/include' ] }], ['OS=="mac"', { 'xcode_settings': { 'GCC_ENABLE_CPP_EXCEPTIONS': 'YES', 'CLANG_CXX_LIBRARY': 'libc++', 'MACOSX_DEPLOYMENT_TARGET': '10.7', 'OTHER_CFLAGS': [ '<!@(pkg-config --cflags MagickCore)', '<!@(pkg-config --cflags MagickWand)' ], 'OTHER_CPLUSPLUSFLAGS' : [ '<!@(pkg-config --cflags MagickCore)', '<!@(pkg-config --cflags MagickWand)' '-std=c++11', '-stdlib=libc++', ], 'OTHER_LDFLAGS': ['-stdlib=libc++'] }, "libraries": [ '<!@(pkg-config --libs MagickWand)', '<!@(pkg-config --libs MagickCore)' ], 'cflags': [ '<!@(pkg-config --cflags MagickWand)', '<!@(pkg-config --cflags MagickCore)' ] }] ] } ] }
{'targets': [{'target_name': 'MagickCLI', 'sources': ['src/magick-cli.cc'], 'cflags!': ['-fno-exceptions'], 'cflags_cc!': ['-fno-exceptions'], 'include_dirs': ['<!@(node -p "require(\'node-addon-api\').include")'], 'dependencies': ['<!(node -p "require(\'node-addon-api\').gyp")'], 'conditions': [['OS=="linux" or OS=="solaris" or OS=="freebsd"', {'libraries': ['<!@(pkg-config --libs MagickWand)', '<!@(pkg-config --libs MagickCore)'], 'cflags': ['<!@(pkg-config --cflags MagickWand)', '<!@(pkg-config --cflags MagickCore)']}], ['OS=="win"', {'variables': {'MAGICK%': '<!(python magick-cli-path.py)'}, 'msvs_settings': {'VCCLCompilerTool': {'ExceptionHandling': 1}}, 'libraries': ['-l<(MAGICK)/lib/CORE_RL_MagickWand_.lib', '-l<(MAGICK)/lib/CORE_RL_MagickCore_.lib'], 'include_dirs': ['<(MAGICK)/include']}], ['OS=="mac"', {'xcode_settings': {'GCC_ENABLE_CPP_EXCEPTIONS': 'YES', 'CLANG_CXX_LIBRARY': 'libc++', 'MACOSX_DEPLOYMENT_TARGET': '10.7', 'OTHER_CFLAGS': ['<!@(pkg-config --cflags MagickCore)', '<!@(pkg-config --cflags MagickWand)'], 'OTHER_CPLUSPLUSFLAGS': ['<!@(pkg-config --cflags MagickCore)', '<!@(pkg-config --cflags MagickWand)-std=c++11', '-stdlib=libc++'], 'OTHER_LDFLAGS': ['-stdlib=libc++']}, 'libraries': ['<!@(pkg-config --libs MagickWand)', '<!@(pkg-config --libs MagickCore)'], 'cflags': ['<!@(pkg-config --cflags MagickWand)', '<!@(pkg-config --cflags MagickCore)']}]]}]}
# -*- coding: utf-8 -*- ############################################## # Export CloudWatch metric data to csv file # Configuration file ############################################## METRICS = { 'CPUUtilization': ['AWS/EC2', 'AWS/RDS'], 'CPUCreditUsage': ['AWS/EC2', 'AWS/RDS'], 'CPUCreditBalance': ['AWS/EC2', 'AWS/RDS'], 'DiskReadOps': ['AWS/EC2'], 'DiskWriteOps': ['AWS/EC2'], 'DiskReadBytes': ['AWS/EC2'], 'DiskWriteBytes': ['AWS/EC2'], 'NetworkIn': ['AWS/EC2'], 'NetworkOut': ['AWS/EC2'], 'NetworkPacketsIn': ['AWS/EC2'], 'NetworkPacketsOut': ['AWS/EC2'], 'MetadataNoToken': ['AWS/EC2'], 'CPUSurplusCreditBalance': ['AWS/EC2'], 'CPUSurplusCreditsCharged': ['AWS/EC2'], 'EBSReadOps': ['AWS/EC2'], 'EBSWriteOps': ['AWS/EC2'], 'EBSReadBytes': ['AWS/EC2'], 'EBSWriteBytes': ['AWS/EC2'], 'EBSIOBalance%': ['AWS/EC2'], 'EBSByteBalance%': ['AWS/EC2'], 'StatusCheckFailed': ['AWS/EC2'], 'StatusCheckFailed_Instance': ['AWS/EC2'], 'StatusCheckFailed_System': ['AWS/EC2'], 'BinLogDiskUsage': ['AWS/RDS'], 'BurstBalance': ['AWS/RDS'], 'DatabaseConnections': ['AWS/RDS'], 'DiskQueueDepth': ['AWS/RDS'], 'FailedSQLServerAgentJobsCount': ['AWS/RDS'], 'FreeableMemory': ['AWS/RDS'], 'FreeStorageSpace': ['AWS/RDS'], 'MaximumUsedTransactionIDs': ['AWS/RDS'], 'NetworkReceiveThroughput': ['AWS/RDS'], 'NetworkTransmitThroughput': ['AWS/RDS'], 'OldestReplicationSlotLag': ['AWS/RDS'], 'ReadIOPS': ['AWS/RDS'], 'ReadLatency': ['AWS/RDS'], 'ReadThroughput': ['AWS/RDS'], 'ReplicaLag': ['AWS/RDS'], 'ReplicationSlotDiskUsage': ['AWS/RDS'], 'SwapUsage': ['AWS/RDS'], 'TransactionLogsDiskUsage': ['AWS/RDS'], 'TransactionLogsGeneration': ['AWS/RDS'], 'WriteIOPS': ['AWS/RDS'], 'WriteLatency': ['AWS/RDS'], 'WriteThroughput': ['AWS/RDS'], 'ActiveConnectionCount': ['AWS/ApplicationELB'], 'ClientTLSNegotiationErrorCount': ['AWS/ApplicationELB'], 'ConsumedLCUs': ['AWS/ApplicationELB'], 'DesyncMitigationMode_NonCompliant_Request_Count': ['AWS/ApplicationELB'], 'HTTP_Fixed_Response_Count': ['AWS/ApplicationELB'], 'HTTP_Redirect_Count': ['AWS/ApplicationELB'], 'HTTP_Redirect_Url_Limit_Exceeded_Count': ['AWS/ApplicationELB'], 'HTTPCode_ELB_3XX_Count': ['AWS/ApplicationELB'], 'HTTPCode_ELB_4XX_Count': ['AWS/ApplicationELB'], 'HTTPCode_ELB_5XX_Count': ['AWS/ApplicationELB'], 'HTTPCode_ELB_500_Count': ['AWS/ApplicationELB'], 'HTTPCode_ELB_502_Count': ['AWS/ApplicationELB'], 'HTTPCode_ELB_503_Count': ['AWS/ApplicationELB'], 'HTTPCode_ELB_504_Count': ['AWS/ApplicationELB'], 'IPv6ProcessedBytes': ['AWS/ApplicationELB'], 'IPv6RequestCount': ['AWS/ApplicationELB'], 'NewConnectionCount': ['AWS/ApplicationELB'], 'NonStickyRequestCount': ['AWS/ApplicationELB'], 'ProcessedBytes': ['AWS/ApplicationELB'], 'RejectedConnectionCount': ['AWS/ApplicationELB'], 'RequestCount': ['AWS/ApplicationELB'], 'RuleEvaluations': ['AWS/ApplicationELB'], 'HTTPCode_Target_2XX_Count': ['AWS/ApplicationELB'], 'HTTPCode_Target_3XX_Count': ['AWS/ApplicationELB'], 'HTTPCode_Target_4XX_Count': ['AWS/ApplicationELB'], 'HTTPCode_Target_5XX_Count': ['AWS/ApplicationELB'], 'TargetConnectionErrorCount': ['AWS/ApplicationELB'], 'TargetResponseTime': ['AWS/ApplicationELB'], 'TargetTLSNegotiationErrorCount': ['AWS/ApplicationELB'], 'LambdaTargetProcessedBytes': ['AWS/ApplicationELB'], 'ELBAuthError': ['AWS/ApplicationELB'], 'ELBAuthFailure': ['AWS/ApplicationELB'], 'ELBAuthLatency': ['AWS/ApplicationELB'], 'ELBAuthRefreshTokenSuccess': ['AWS/ApplicationELB'], 'ELBAuthSuccess': ['AWS/ApplicationELB'], 'ELBAuthUserClaimsSizeExceeded': ['AWS/ApplicationELB'], }
metrics = {'CPUUtilization': ['AWS/EC2', 'AWS/RDS'], 'CPUCreditUsage': ['AWS/EC2', 'AWS/RDS'], 'CPUCreditBalance': ['AWS/EC2', 'AWS/RDS'], 'DiskReadOps': ['AWS/EC2'], 'DiskWriteOps': ['AWS/EC2'], 'DiskReadBytes': ['AWS/EC2'], 'DiskWriteBytes': ['AWS/EC2'], 'NetworkIn': ['AWS/EC2'], 'NetworkOut': ['AWS/EC2'], 'NetworkPacketsIn': ['AWS/EC2'], 'NetworkPacketsOut': ['AWS/EC2'], 'MetadataNoToken': ['AWS/EC2'], 'CPUSurplusCreditBalance': ['AWS/EC2'], 'CPUSurplusCreditsCharged': ['AWS/EC2'], 'EBSReadOps': ['AWS/EC2'], 'EBSWriteOps': ['AWS/EC2'], 'EBSReadBytes': ['AWS/EC2'], 'EBSWriteBytes': ['AWS/EC2'], 'EBSIOBalance%': ['AWS/EC2'], 'EBSByteBalance%': ['AWS/EC2'], 'StatusCheckFailed': ['AWS/EC2'], 'StatusCheckFailed_Instance': ['AWS/EC2'], 'StatusCheckFailed_System': ['AWS/EC2'], 'BinLogDiskUsage': ['AWS/RDS'], 'BurstBalance': ['AWS/RDS'], 'DatabaseConnections': ['AWS/RDS'], 'DiskQueueDepth': ['AWS/RDS'], 'FailedSQLServerAgentJobsCount': ['AWS/RDS'], 'FreeableMemory': ['AWS/RDS'], 'FreeStorageSpace': ['AWS/RDS'], 'MaximumUsedTransactionIDs': ['AWS/RDS'], 'NetworkReceiveThroughput': ['AWS/RDS'], 'NetworkTransmitThroughput': ['AWS/RDS'], 'OldestReplicationSlotLag': ['AWS/RDS'], 'ReadIOPS': ['AWS/RDS'], 'ReadLatency': ['AWS/RDS'], 'ReadThroughput': ['AWS/RDS'], 'ReplicaLag': ['AWS/RDS'], 'ReplicationSlotDiskUsage': ['AWS/RDS'], 'SwapUsage': ['AWS/RDS'], 'TransactionLogsDiskUsage': ['AWS/RDS'], 'TransactionLogsGeneration': ['AWS/RDS'], 'WriteIOPS': ['AWS/RDS'], 'WriteLatency': ['AWS/RDS'], 'WriteThroughput': ['AWS/RDS'], 'ActiveConnectionCount': ['AWS/ApplicationELB'], 'ClientTLSNegotiationErrorCount': ['AWS/ApplicationELB'], 'ConsumedLCUs': ['AWS/ApplicationELB'], 'DesyncMitigationMode_NonCompliant_Request_Count': ['AWS/ApplicationELB'], 'HTTP_Fixed_Response_Count': ['AWS/ApplicationELB'], 'HTTP_Redirect_Count': ['AWS/ApplicationELB'], 'HTTP_Redirect_Url_Limit_Exceeded_Count': ['AWS/ApplicationELB'], 'HTTPCode_ELB_3XX_Count': ['AWS/ApplicationELB'], 'HTTPCode_ELB_4XX_Count': ['AWS/ApplicationELB'], 'HTTPCode_ELB_5XX_Count': ['AWS/ApplicationELB'], 'HTTPCode_ELB_500_Count': ['AWS/ApplicationELB'], 'HTTPCode_ELB_502_Count': ['AWS/ApplicationELB'], 'HTTPCode_ELB_503_Count': ['AWS/ApplicationELB'], 'HTTPCode_ELB_504_Count': ['AWS/ApplicationELB'], 'IPv6ProcessedBytes': ['AWS/ApplicationELB'], 'IPv6RequestCount': ['AWS/ApplicationELB'], 'NewConnectionCount': ['AWS/ApplicationELB'], 'NonStickyRequestCount': ['AWS/ApplicationELB'], 'ProcessedBytes': ['AWS/ApplicationELB'], 'RejectedConnectionCount': ['AWS/ApplicationELB'], 'RequestCount': ['AWS/ApplicationELB'], 'RuleEvaluations': ['AWS/ApplicationELB'], 'HTTPCode_Target_2XX_Count': ['AWS/ApplicationELB'], 'HTTPCode_Target_3XX_Count': ['AWS/ApplicationELB'], 'HTTPCode_Target_4XX_Count': ['AWS/ApplicationELB'], 'HTTPCode_Target_5XX_Count': ['AWS/ApplicationELB'], 'TargetConnectionErrorCount': ['AWS/ApplicationELB'], 'TargetResponseTime': ['AWS/ApplicationELB'], 'TargetTLSNegotiationErrorCount': ['AWS/ApplicationELB'], 'LambdaTargetProcessedBytes': ['AWS/ApplicationELB'], 'ELBAuthError': ['AWS/ApplicationELB'], 'ELBAuthFailure': ['AWS/ApplicationELB'], 'ELBAuthLatency': ['AWS/ApplicationELB'], 'ELBAuthRefreshTokenSuccess': ['AWS/ApplicationELB'], 'ELBAuthSuccess': ['AWS/ApplicationELB'], 'ELBAuthUserClaimsSizeExceeded': ['AWS/ApplicationELB']}
NORTH, EAST, SOUTH, WEST = range(4) class Compass(object): compass = [NORTH, EAST, SOUTH, WEST] def __init__(self, bearing=NORTH): self.bearing = bearing def left(self): self.bearing = self.compass[self.bearing - 1] def right(self): self.bearing = self.compass[(self.bearing + 1) % 4] class Robot(object): def __init__(self, bearing=NORTH, x=0, y=0): self.compass = Compass(bearing) self.x = x self.y = y def advance(self): if self.bearing == NORTH: self.y += 1 elif self.bearing == SOUTH: self.y -= 1 elif self.bearing == EAST: self.x += 1 elif self.bearing == WEST: self.x -= 1 def turn_left(self): self.compass.left() def turn_right(self): self.compass.right() def simulate(self, commands): instructions = {'A': self.advance, 'R': self.turn_right, 'L': self.turn_left} for cmd in commands: if cmd in instructions: instructions[cmd]() @property def bearing(self): return self.compass.bearing @property def coordinates(self): return (self.x, self.y)
(north, east, south, west) = range(4) class Compass(object): compass = [NORTH, EAST, SOUTH, WEST] def __init__(self, bearing=NORTH): self.bearing = bearing def left(self): self.bearing = self.compass[self.bearing - 1] def right(self): self.bearing = self.compass[(self.bearing + 1) % 4] class Robot(object): def __init__(self, bearing=NORTH, x=0, y=0): self.compass = compass(bearing) self.x = x self.y = y def advance(self): if self.bearing == NORTH: self.y += 1 elif self.bearing == SOUTH: self.y -= 1 elif self.bearing == EAST: self.x += 1 elif self.bearing == WEST: self.x -= 1 def turn_left(self): self.compass.left() def turn_right(self): self.compass.right() def simulate(self, commands): instructions = {'A': self.advance, 'R': self.turn_right, 'L': self.turn_left} for cmd in commands: if cmd in instructions: instructions[cmd]() @property def bearing(self): return self.compass.bearing @property def coordinates(self): return (self.x, self.y)
class SavingsAccount: '''Defines a savings account''' #static variables RATE = 0.02 MIN_BALANCE = 25 def __init__(self, name, pin, balance = 0.0): self.name = name self.pin = pin self.balance = balance def __str__(self): result = "Name: " + self.name + "\n" result += "PIN: " + self.pin + "\n" result += "Balance: " + str(self.balance) return result def getBalance(self): return self.balance def getName(self): return self.name def getPin(self): return self.pin def deposit(self, amount): '''deposits the amount into our balance''' self.balance += amount def withdraw(self, amount): if amount < 0: return "Amount must be >= 0" if self.balance < amount: return "Insufficient Funds" self.balance -= amount return None def computeInterest(self): interest = self.balance * SavingsAccount.RATE self.deposit(interest) return interest if __name__ == "__main__": sa1 = SavingsAccount("Marc", "1234", 6.50) print(sa1) print(sa1.getBalance()) print(sa1.getName()) print(sa1.getPin()) sa1.deposit(1234.76) sa1.deposit(1852.86) print(sa1.getBalance()) print(sa1.computeInterest())
class Savingsaccount: """Defines a savings account""" rate = 0.02 min_balance = 25 def __init__(self, name, pin, balance=0.0): self.name = name self.pin = pin self.balance = balance def __str__(self): result = 'Name: ' + self.name + '\n' result += 'PIN: ' + self.pin + '\n' result += 'Balance: ' + str(self.balance) return result def get_balance(self): return self.balance def get_name(self): return self.name def get_pin(self): return self.pin def deposit(self, amount): """deposits the amount into our balance""" self.balance += amount def withdraw(self, amount): if amount < 0: return 'Amount must be >= 0' if self.balance < amount: return 'Insufficient Funds' self.balance -= amount return None def compute_interest(self): interest = self.balance * SavingsAccount.RATE self.deposit(interest) return interest if __name__ == '__main__': sa1 = savings_account('Marc', '1234', 6.5) print(sa1) print(sa1.getBalance()) print(sa1.getName()) print(sa1.getPin()) sa1.deposit(1234.76) sa1.deposit(1852.86) print(sa1.getBalance()) print(sa1.computeInterest())
MICROSERVICES = { # Map locations to their microservices "LOCATION_MICROSERVICES": [ { "module": "intelligence.welcome.location_welcome_microservice", "class": "LocationWelcomeMicroservice" } ] }
microservices = {'LOCATION_MICROSERVICES': [{'module': 'intelligence.welcome.location_welcome_microservice', 'class': 'LocationWelcomeMicroservice'}]}
ADDRESS_STR = '' PRIVATE_KEY_STR = '' GAS = 210000 GAS_PRICE = 5000000000 SECONDS_LEFT = 25 SELL_AFTER_WIN = False
address_str = '' private_key_str = '' gas = 210000 gas_price = 5000000000 seconds_left = 25 sell_after_win = False
track_width = 0.6603288840524426 track_original = [(3.9968843292236325, -2.398085115814209), (4.108486819458006, -2.398085115814209), (4.220117408752442, -2.398085115814209), (4.331728619384766, -2.3980848251342772), (4.443350294494627, -2.398085115814209), (4.554988441467286, -2.398085115814209), (4.666571746826172, -2.398085115814209), (4.7781641601562495, -2.398085115814209), (4.8896753768920895, -2.398085115814209), (5.001236978149414, -2.398085115814209), (5.112820671081545, -2.398085115814209), (5.22445222930908, -2.398085115814209), (5.336061114501954, -2.398085115814209), (5.4476612792968755, -2.3980848251342772), (5.559263769531249, -2.398085115814209), (5.670884088134765, -2.398085115814209), (5.782510801696777, -2.398085115814209), (5.894127050781252, -2.398085115814209), (6.00181679534912, -2.398085115814209), (6.173943692016602, -2.398085115814209), (6.345643870544436, -2.398085115814209), (6.537344378662107, -2.398085115814209), (6.768550421142578, -2.398085115814209), (6.98473063659668, -2.398085115814209), (7.162758142089844, -2.398085115814209), (7.274807891845702, -2.398085115814209), (7.3869537597656265, -2.398085115814209), (7.499844155883789, -2.398085115814209), (7.61068235168457, -2.384343028259277), (7.715040710449218, -2.3489811363220214), (7.806151428222655, -2.289116379547119), (7.879453155517577, -2.2083449531555175), (7.931933673095703, -2.1111327667236326), (7.969687957763672, -2.0054785568237286), (8.009337475585937, -1.9026145835876465), (8.063614782714842, -1.8110042839050309), (8.13654327697754, -1.734422282028198), (8.224194903564452, -1.670004508590698), (8.315116873168945, -1.6062793285369872), (8.397656408691406, -1.5321647148132325), (8.462792355346679, -1.44245458984375), (8.509496481323243, -1.3409916938781739), (8.540622875976563, -1.2328676250457764), (8.560585998535156, -1.12199483833313), (8.572986404418945, -1.010168572998047), (8.580685159301758, -0.8628370136260985), (8.583536148071289, -0.7021988536834717), (8.58443454284668, -0.5753229497909546), (8.584472137451172, -0.3747735631942749), (8.584492291259764, -0.19896346716880797), (8.584528335571289, -0.00428482018969953), (8.584556240844726, 0.2119464259147644), (8.58433532409668, 0.3881836337089538), (8.584120608520507, 0.5002564319610595), (8.580803369140625, 0.6122315738677978), (8.571400067138672, 0.7239659116744994), (8.555663430786133, 0.8350995351791382), (8.531425762939453, 0.9447460159301757), (8.500583847045899, 1.0525313941955565), (8.46601541442871, 1.1590160766601563), (8.431132659912109, 1.2648468261718748), (8.40480791015625, 1.3722508808135987), (8.388611611938476, 1.4806030849456786), (8.405742349243162, 1.6502103195190427), (8.463046215820313, 1.8476967147827148), (8.53134553527832, 2.0626024925231934), (8.55994340209961, 2.291900899505615), (8.514377191162108, 2.4563697364807124), (8.426188388061522, 2.610280400085449), (8.300192977905272, 2.7344502433776854), (8.126715969848632, 2.814492935180664), (7.936248913574218, 2.8448311027526856), (7.69728442993164, 2.842157622528076), (7.414035440063476, 2.8335633796691893), (7.165993991088866, 2.8013261032104495), (6.971922503662109, 2.736647105407715), (6.792461752319335, 2.6331662124633786), (6.649091239929199, 2.4822172866821286), (6.649091239929199, 2.4822172866821286), (6.544510801696777, 2.30300177230835), (6.491997534179687, 2.1105175910949705), (6.481333262634276, 1.915810774230957), (6.498144058227538, 1.7427884864807128), (6.531408113098145, 1.5830480915069578), (6.566860212707519, 1.4499332515716552), (6.603410694885254, 1.3282434410095214), (6.641890516662597, 1.2071183731079103), (6.678002847290038, 1.0942358253479), (6.713907051086426, 0.9754661369323733), (6.748999676513671, 0.8351240734100341), (6.771528340148926, 0.6824846742630002), (6.770214854431152, 0.5170887620925904), (6.739964762878418, 0.35214239854812623), (6.678730709838867, 0.20278325449079276), (6.584536071777343, 0.073577370595932), (6.465435395812988, -0.022756241798400884), (6.332671018981934, -0.08443354539871215), (6.192271061706543, -0.11442267904281617), (6.048808113098144, -0.11327295513153077), (5.9084566024780285, -0.0796875414848329), (5.777142330932618, -0.017066400146484362), (5.654321920776367, 0.04993410081863381), (5.543534690856934, 0.08980346956253056), (5.431823098754883, 0.10004641265869134), (5.321303681945801, 0.08101749906539898), (5.223240675354005, 0.0331226148605349), (5.136034951782227, -0.03443096523284911), (5.057559121704101, -0.11292725191116332), (4.981652514648437, -0.19307756190299985), (4.901582789611815, -0.265934788107872), (4.813124816894531, -0.3229467545032501), (4.716816741943359, -0.3564500641271472), (4.6162901260375975, -0.3593997144155204), (4.51511413116455, -0.3368315144300461), (4.416144396972657, -0.29576415982246396), (4.317549252319336, -0.247266593170166), (4.215311694335938, -0.20396510591506956), (4.107997895812988, -0.18035982437133785), (3.999729116821289, -0.184920810508728), (3.8959674270629883, -0.2160716101646423), (3.800001385498047, -0.27164925882816315), (3.709108677673339, -0.33655119952783036), (3.616933296203613, -0.3951910578489304), (3.518029643249511, -0.4385550443172457), (3.4129790786743164, -0.46291566977500914), (3.3047851013183593, -0.4704929507255554), (3.1941414672851565, -0.4655450453758239), (3.0825288032531737, -0.45816466374397274), (2.9700563079833975, -0.4528322554588317), (2.8574543632507323, -0.4456599219322205), (2.7442044929504394, -0.4349176088809967), (2.6292975532531737, -0.4197862710952759), (2.5105101333618163, -0.40448946981430056), (2.3889220123291004, -0.39316141550540923), (2.26488229675293, -0.38975981838703155), (2.1411589378356934, -0.4009938316822052), (2.020786827850342, -0.4341942760944366), (1.8794536911010733, -0.5233404517173774), (1.7949362239837645, -0.6104808813095093), (1.7206921123504637, -0.7506510318756103), (1.6887726943969725, -0.8770849569320678), (1.6724089160919189, -1.0758010009765624), (1.6601904273986814, -1.2993672481536864), (1.6567321598052978, -1.5105078002929688), (1.6593520095825194, -1.6933875289916993), (1.6648058433532715, -1.8153231094360351), (1.6874392971038819, -1.9510643394470213), (1.7280409854888914, -2.050013919830322), (1.7906410888671873, -2.1427592277526855), (1.870859399795532, -2.223833251953125), (1.9645064453124998, -2.2893214057922364), (2.0718011558532714, -2.3412403297424316), (2.18892162322998, -2.375639586639404), (2.3153282485961912, -2.3939165718078614), (2.429082545471191, -2.398216987609863), (2.542245696258545, -2.3981534255981445), (2.6547331130981444, -2.398104203796387), (2.766569309997559, -2.398085115814209), (2.878082949066162, -2.398085115814209), (2.990368634033203, -2.398085115814209), (3.102650637054443, -2.398085115814209), (3.214940197753906, -2.398085115814209), (3.3272259796142576, -2.398085115814209), (3.438768783569336, -2.398085115814209), (3.5503902648925783, -2.398085115814209), (3.6620016693115236, -2.398085115814209), (3.7736411727905272, -2.3980848251342772), (3.8852564529418943, -2.398085115814209), (3.9968843292236325, -2.398085115814209)]
track_width = 0.6603288840524426 track_original = [(3.9968843292236325, -2.398085115814209), (4.108486819458006, -2.398085115814209), (4.220117408752442, -2.398085115814209), (4.331728619384766, -2.3980848251342772), (4.443350294494627, -2.398085115814209), (4.554988441467286, -2.398085115814209), (4.666571746826172, -2.398085115814209), (4.7781641601562495, -2.398085115814209), (4.8896753768920895, -2.398085115814209), (5.001236978149414, -2.398085115814209), (5.112820671081545, -2.398085115814209), (5.22445222930908, -2.398085115814209), (5.336061114501954, -2.398085115814209), (5.4476612792968755, -2.3980848251342772), (5.559263769531249, -2.398085115814209), (5.670884088134765, -2.398085115814209), (5.782510801696777, -2.398085115814209), (5.894127050781252, -2.398085115814209), (6.00181679534912, -2.398085115814209), (6.173943692016602, -2.398085115814209), (6.345643870544436, -2.398085115814209), (6.537344378662107, -2.398085115814209), (6.768550421142578, -2.398085115814209), (6.98473063659668, -2.398085115814209), (7.162758142089844, -2.398085115814209), (7.274807891845702, -2.398085115814209), (7.3869537597656265, -2.398085115814209), (7.499844155883789, -2.398085115814209), (7.61068235168457, -2.384343028259277), (7.715040710449218, -2.3489811363220214), (7.806151428222655, -2.289116379547119), (7.879453155517577, -2.2083449531555175), (7.931933673095703, -2.1111327667236326), (7.969687957763672, -2.0054785568237286), (8.009337475585937, -1.9026145835876465), (8.063614782714842, -1.8110042839050309), (8.13654327697754, -1.734422282028198), (8.224194903564452, -1.670004508590698), (8.315116873168945, -1.6062793285369872), (8.397656408691406, -1.5321647148132325), (8.462792355346679, -1.44245458984375), (8.509496481323243, -1.3409916938781739), (8.540622875976563, -1.2328676250457764), (8.560585998535156, -1.12199483833313), (8.572986404418945, -1.010168572998047), (8.580685159301758, -0.8628370136260985), (8.583536148071289, -0.7021988536834717), (8.58443454284668, -0.5753229497909546), (8.584472137451172, -0.3747735631942749), (8.584492291259764, -0.19896346716880797), (8.584528335571289, -0.00428482018969953), (8.584556240844726, 0.2119464259147644), (8.58433532409668, 0.3881836337089538), (8.584120608520507, 0.5002564319610595), (8.580803369140625, 0.6122315738677978), (8.571400067138672, 0.7239659116744994), (8.555663430786133, 0.8350995351791382), (8.531425762939453, 0.9447460159301757), (8.500583847045899, 1.0525313941955565), (8.46601541442871, 1.1590160766601563), (8.431132659912109, 1.2648468261718748), (8.40480791015625, 1.3722508808135987), (8.388611611938476, 1.4806030849456786), (8.405742349243162, 1.6502103195190427), (8.463046215820313, 1.8476967147827148), (8.53134553527832, 2.0626024925231934), (8.55994340209961, 2.291900899505615), (8.514377191162108, 2.4563697364807124), (8.426188388061522, 2.610280400085449), (8.300192977905272, 2.7344502433776854), (8.126715969848632, 2.814492935180664), (7.936248913574218, 2.8448311027526856), (7.69728442993164, 2.842157622528076), (7.414035440063476, 2.8335633796691893), (7.165993991088866, 2.8013261032104495), (6.971922503662109, 2.736647105407715), (6.792461752319335, 2.6331662124633786), (6.649091239929199, 2.4822172866821286), (6.649091239929199, 2.4822172866821286), (6.544510801696777, 2.30300177230835), (6.491997534179687, 2.1105175910949705), (6.481333262634276, 1.915810774230957), (6.498144058227538, 1.7427884864807128), (6.531408113098145, 1.5830480915069578), (6.566860212707519, 1.4499332515716552), (6.603410694885254, 1.3282434410095214), (6.641890516662597, 1.2071183731079103), (6.678002847290038, 1.0942358253479), (6.713907051086426, 0.9754661369323733), (6.748999676513671, 0.8351240734100341), (6.771528340148926, 0.6824846742630002), (6.770214854431152, 0.5170887620925904), (6.739964762878418, 0.35214239854812623), (6.678730709838867, 0.20278325449079276), (6.584536071777343, 0.073577370595932), (6.465435395812988, -0.022756241798400884), (6.332671018981934, -0.08443354539871215), (6.192271061706543, -0.11442267904281617), (6.048808113098144, -0.11327295513153077), (5.9084566024780285, -0.0796875414848329), (5.777142330932618, -0.017066400146484362), (5.654321920776367, 0.04993410081863381), (5.543534690856934, 0.08980346956253056), (5.431823098754883, 0.10004641265869134), (5.321303681945801, 0.08101749906539898), (5.223240675354005, 0.0331226148605349), (5.136034951782227, -0.03443096523284911), (5.057559121704101, -0.11292725191116332), (4.981652514648437, -0.19307756190299985), (4.901582789611815, -0.265934788107872), (4.813124816894531, -0.3229467545032501), (4.716816741943359, -0.3564500641271472), (4.6162901260375975, -0.3593997144155204), (4.51511413116455, -0.3368315144300461), (4.416144396972657, -0.29576415982246396), (4.317549252319336, -0.247266593170166), (4.215311694335938, -0.20396510591506956), (4.107997895812988, -0.18035982437133785), (3.999729116821289, -0.184920810508728), (3.8959674270629883, -0.2160716101646423), (3.800001385498047, -0.27164925882816315), (3.709108677673339, -0.33655119952783036), (3.616933296203613, -0.3951910578489304), (3.518029643249511, -0.4385550443172457), (3.4129790786743164, -0.46291566977500914), (3.3047851013183593, -0.4704929507255554), (3.1941414672851565, -0.4655450453758239), (3.0825288032531737, -0.45816466374397274), (2.9700563079833975, -0.4528322554588317), (2.8574543632507323, -0.4456599219322205), (2.7442044929504394, -0.4349176088809967), (2.6292975532531737, -0.4197862710952759), (2.5105101333618163, -0.40448946981430056), (2.3889220123291004, -0.39316141550540923), (2.26488229675293, -0.38975981838703155), (2.1411589378356934, -0.4009938316822052), (2.020786827850342, -0.4341942760944366), (1.8794536911010733, -0.5233404517173774), (1.7949362239837645, -0.6104808813095093), (1.7206921123504637, -0.7506510318756103), (1.6887726943969725, -0.8770849569320678), (1.6724089160919189, -1.0758010009765624), (1.6601904273986814, -1.2993672481536864), (1.6567321598052978, -1.5105078002929688), (1.6593520095825194, -1.6933875289916993), (1.6648058433532715, -1.8153231094360351), (1.6874392971038819, -1.9510643394470213), (1.7280409854888914, -2.050013919830322), (1.7906410888671873, -2.1427592277526855), (1.870859399795532, -2.223833251953125), (1.9645064453124998, -2.2893214057922364), (2.0718011558532714, -2.3412403297424316), (2.18892162322998, -2.375639586639404), (2.3153282485961912, -2.3939165718078614), (2.429082545471191, -2.398216987609863), (2.542245696258545, -2.3981534255981445), (2.6547331130981444, -2.398104203796387), (2.766569309997559, -2.398085115814209), (2.878082949066162, -2.398085115814209), (2.990368634033203, -2.398085115814209), (3.102650637054443, -2.398085115814209), (3.214940197753906, -2.398085115814209), (3.3272259796142576, -2.398085115814209), (3.438768783569336, -2.398085115814209), (3.5503902648925783, -2.398085115814209), (3.6620016693115236, -2.398085115814209), (3.7736411727905272, -2.3980848251342772), (3.8852564529418943, -2.398085115814209), (3.9968843292236325, -2.398085115814209)]
class DealProposal(object): ''' Holds details about a deal proposed by one player to another. ''' def __init__( self, propose_to_player=None, properties_offered=None, properties_wanted=None, maximum_cash_offered=0, minimum_cash_wanted=0): ''' The 'constructor'. properties_offered and properties_wanted should be passed as lists of property names, for example: [Square.Name.OLD_KENT_ROAD, Square.Name.BOW_STREET] If you offer cash as part of the deal, set maximum_cash_offered and set minimum_cash_wanted to zero. And vice versa if you are willing to pay money as part of the deal. ''' if (not properties_offered): properties_offered = [] if (not properties_wanted): properties_wanted = [] self.propose_to_player = propose_to_player self.properties_offered = properties_offered self.properties_wanted = properties_wanted self.maximum_cash_offered = maximum_cash_offered self.minimum_cash_wanted = minimum_cash_wanted self.proposed_by_player = None def __str__(self): ''' Renders the proposal as a string. ''' return "Offered: {0}. Wanted: {1}".format(self.properties_offered, self.properties_wanted) @property def deal_proposed(self): ''' True if a valid deal was proposed, False if not. ''' return True if (self.properties_offered or self.properties_wanted) else False
class Dealproposal(object): """ Holds details about a deal proposed by one player to another. """ def __init__(self, propose_to_player=None, properties_offered=None, properties_wanted=None, maximum_cash_offered=0, minimum_cash_wanted=0): """ The 'constructor'. properties_offered and properties_wanted should be passed as lists of property names, for example: [Square.Name.OLD_KENT_ROAD, Square.Name.BOW_STREET] If you offer cash as part of the deal, set maximum_cash_offered and set minimum_cash_wanted to zero. And vice versa if you are willing to pay money as part of the deal. """ if not properties_offered: properties_offered = [] if not properties_wanted: properties_wanted = [] self.propose_to_player = propose_to_player self.properties_offered = properties_offered self.properties_wanted = properties_wanted self.maximum_cash_offered = maximum_cash_offered self.minimum_cash_wanted = minimum_cash_wanted self.proposed_by_player = None def __str__(self): """ Renders the proposal as a string. """ return 'Offered: {0}. Wanted: {1}'.format(self.properties_offered, self.properties_wanted) @property def deal_proposed(self): """ True if a valid deal was proposed, False if not. """ return True if self.properties_offered or self.properties_wanted else False
email = input() while True: line = input() if line == 'Complete': break args = line.split() command = args[0] if command == 'Make': result = '' if args[1] == 'Upper': for ch in email: if ch.isalpha(): ch = ch.upper() result += ch email = result print(email) else: for ch in email: if ch.isalpha(): ch = ch.lower() result += ch email = result print(email) elif command == 'GetDomain': count = int(args[1]) print(email[-count:]) elif command == 'GetUsername': if '@' not in email: print(f"The email {email} doesn't contain the @ symbol.") continue username = '' for ch in email: if ch == '@': break username += ch print(username) elif command == 'Replace': replace = args[1] while replace in email: email = email.replace(replace, '-') print(email) elif command == 'Encrypt': encrypted = [] for ch in email: encrypted.append(str(ord(ch))) print(' '.join(encrypted))
email = input() while True: line = input() if line == 'Complete': break args = line.split() command = args[0] if command == 'Make': result = '' if args[1] == 'Upper': for ch in email: if ch.isalpha(): ch = ch.upper() result += ch email = result print(email) else: for ch in email: if ch.isalpha(): ch = ch.lower() result += ch email = result print(email) elif command == 'GetDomain': count = int(args[1]) print(email[-count:]) elif command == 'GetUsername': if '@' not in email: print(f"The email {email} doesn't contain the @ symbol.") continue username = '' for ch in email: if ch == '@': break username += ch print(username) elif command == 'Replace': replace = args[1] while replace in email: email = email.replace(replace, '-') print(email) elif command == 'Encrypt': encrypted = [] for ch in email: encrypted.append(str(ord(ch))) print(' '.join(encrypted))
# B_R_R # M_S_A_W # Accept a string # Encode the received string into unicodes # And decipher the unicodes back to its original form # Convention of assigning characters with unicodes # A - Z ---> 65-90 # a - z ---> 97-122 # ord("A") ---> 65 # chr(65) ---> A # Enter a string to encode in uppercase givenStr=input('What is your word in mind(in uppercase please): ').upper() # Print encoded unicodes secretStr='' normStr='' for char in givenStr: secretStr+=str(ord(char)) print("The encrypted string is --->", secretStr) # Cycle through each charcter code 2 at a time for i in range(0,(len(secretStr)-1),2): charCode=secretStr[i]+secretStr[i+1] # Decipher the encrypted code normStr+=chr(int(charCode)) # Print original string print(normStr)
given_str = input('What is your word in mind(in uppercase please): ').upper() secret_str = '' norm_str = '' for char in givenStr: secret_str += str(ord(char)) print('The encrypted string is --->', secretStr) for i in range(0, len(secretStr) - 1, 2): char_code = secretStr[i] + secretStr[i + 1] norm_str += chr(int(charCode)) print(normStr)
# Backtracking is a general algorithm for finding all (or some) solutions to some computational problems, notably # constraint satisfaction problems, that incrementally builds candidates to the solutions, and abandons a candidate # ("backtracks") as soon as it determines that the candidate cannot possibly be completed to a valid solution. # # backtracking vs. dfs # traverse in solution space vs. traverse in data structure space, pruned of dfs def backtracking(self, data, candidate): # pruning if self.reject(data, candidate): return # reach the end if self.accept(data, candidate): return self.output(data, candidate) # drill down for cur_candidate in self.all_extension(data, candidate): # or you can choose to prune here, recursion depth - 1 if not self.should_to_be_pruned(cur_candidate): self.backtracking(data, cur_candidate)
def backtracking(self, data, candidate): if self.reject(data, candidate): return if self.accept(data, candidate): return self.output(data, candidate) for cur_candidate in self.all_extension(data, candidate): if not self.should_to_be_pruned(cur_candidate): self.backtracking(data, cur_candidate)
f = open('input.txt').readlines() f = [line.strip().split(')') for line in f] nodes = {} for line in f: nodes[line[1]] = set() nodes['COM'] = set() for line in f: nodes[line[0]].add(line[1]) def predecessors(n): global nodes if n == 'COM': return set([n]) for p in nodes: if n in nodes[p]: return set([n]) | predecessors(p) result = predecessors('YOU') ^ predecessors('SAN') print(len(result)-2)
f = open('input.txt').readlines() f = [line.strip().split(')') for line in f] nodes = {} for line in f: nodes[line[1]] = set() nodes['COM'] = set() for line in f: nodes[line[0]].add(line[1]) def predecessors(n): global nodes if n == 'COM': return set([n]) for p in nodes: if n in nodes[p]: return set([n]) | predecessors(p) result = predecessors('YOU') ^ predecessors('SAN') print(len(result) - 2)
#Creating a single link list static (Example-1) class Node: def __init__(self): self.data=None self.nxt=None def assign_data(self,val): self.data=val def assign_add(self,addr): self.nxt=addr class ListPrint: def printLinklist(self,tmp): while(tmp): print(tmp.data,end=' ') tmp=tmp.nxt print("") head=Node() #Implementing Head Node head.assign_data(5) node2=Node() node2.assign_data(7) head.assign_add(node2) node3=Node() node3.assign_data(10) node2.assign_add(node3) pr=ListPrint() pr.printLinklist(head)
class Node: def __init__(self): self.data = None self.nxt = None def assign_data(self, val): self.data = val def assign_add(self, addr): self.nxt = addr class Listprint: def print_linklist(self, tmp): while tmp: print(tmp.data, end=' ') tmp = tmp.nxt print('') head = node() head.assign_data(5) node2 = node() node2.assign_data(7) head.assign_add(node2) node3 = node() node3.assign_data(10) node2.assign_add(node3) pr = list_print() pr.printLinklist(head)
# a *very* minimal conversion from a bitstream only fpga to fpga binary format # that can be loaded by the qorc-sdk bootloader(v2.1 or above) # 8 word header: # bin version = 0.1 = 0x00000001 # bitstream size = 75960 = 0x000128B8 # bitstream crc = 0x0 (not used) # meminit size = 0x0 (not used) # meminit crc = 0x0 (not used) # iomux size = 0x0 (not used) # iomux crc = 0x0 (not used) # reserved = 0x0 (not used) header = [ 0x00000001, 0x000128B8, 0x00000000, 0x00000000, 0x00000000, 0x00000000, 0x00000000, 0x00000000 ] fpga_binary_bytearray = bytearray() # add header bytes for each_word in header: fpga_binary_bytearray.extend(int(each_word).to_bytes(4, "little")) # add bitstream content with open('usb2serial.bit', 'rb') as fpga_bitstream: fpga_binary_bytearray.extend(fpga_bitstream.read()) # other content is zero length, save binary: with open('usb2serial_fpga.bin', 'wb') as fpga_binary: fpga_binary.write(fpga_binary_bytearray)
header = [1, 75960, 0, 0, 0, 0, 0, 0] fpga_binary_bytearray = bytearray() for each_word in header: fpga_binary_bytearray.extend(int(each_word).to_bytes(4, 'little')) with open('usb2serial.bit', 'rb') as fpga_bitstream: fpga_binary_bytearray.extend(fpga_bitstream.read()) with open('usb2serial_fpga.bin', 'wb') as fpga_binary: fpga_binary.write(fpga_binary_bytearray)
class WrapperBase(object): def __init__(self, instance_to_wrap): self.wrapped = instance_to_wrap def __getattr__(self, item): assert item not in dir(self) return self.wrapped.__getattribute__(item)
class Wrapperbase(object): def __init__(self, instance_to_wrap): self.wrapped = instance_to_wrap def __getattr__(self, item): assert item not in dir(self) return self.wrapped.__getattribute__(item)
def busca(inicio, fim, elemento, A): if (fim >= inicio): terco1 = inicio + (fim - inicio) // 3 terco2 = fim - (fim - inicio) // 3 if (A[terco1] == elemento): return terco1 if (A[terco2] == elemento): return terco2 if (elemento < A[terco1]): return busca(inicio, terco1 - 1, elemento, A) elif (elemento > A[terco2]): return busca(terco2 + 1, fim, elemento, A) else: return busca(terco1 + 1, terco2 - 1, elemento, A) return -1 if __name__ == "__main__": # Driver code A = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10] n = len(A) elemento = 5 print(busca(0, n - 1, elemento, A)) # 4 elemento = 1 print(busca(0, n - 1, elemento, A)) # 0 elemento = 10 print(busca(0, n - 1, elemento, A)) # 9
def busca(inicio, fim, elemento, A): if fim >= inicio: terco1 = inicio + (fim - inicio) // 3 terco2 = fim - (fim - inicio) // 3 if A[terco1] == elemento: return terco1 if A[terco2] == elemento: return terco2 if elemento < A[terco1]: return busca(inicio, terco1 - 1, elemento, A) elif elemento > A[terco2]: return busca(terco2 + 1, fim, elemento, A) else: return busca(terco1 + 1, terco2 - 1, elemento, A) return -1 if __name__ == '__main__': a = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10] n = len(A) elemento = 5 print(busca(0, n - 1, elemento, A)) elemento = 1 print(busca(0, n - 1, elemento, A)) elemento = 10 print(busca(0, n - 1, elemento, A))
for _ in range(int(input())): n = int(input()) a = [int(x) for x in input().split()] b = [int(x) for x in input().split()] s = "" for i in range(n): b[i] -= a[i] for i in range(1,n): s += str(abs(b[i] - b[i - 1])) print("TAK") if (s == s[::-1]) else print("NIE")
for _ in range(int(input())): n = int(input()) a = [int(x) for x in input().split()] b = [int(x) for x in input().split()] s = '' for i in range(n): b[i] -= a[i] for i in range(1, n): s += str(abs(b[i] - b[i - 1])) print('TAK') if s == s[::-1] else print('NIE')
#!/usr/bin/python3 class Complex: def __init__(self, realpart, imagpart): self.realpart = realpart self.imagpart = imagpart x = complex(3.0, -4.5) print(x.real, x.imag) class Test: def prt(self): print(self) print(self.__class__) t = Test() t.prt()
class Complex: def __init__(self, realpart, imagpart): self.realpart = realpart self.imagpart = imagpart x = complex(3.0, -4.5) print(x.real, x.imag) class Test: def prt(self): print(self) print(self.__class__) t = test() t.prt()
__version__ = 0.1 __all__ = [ "secure", "mft", "logfile", "usnjrnl", ]
__version__ = 0.1 __all__ = ['secure', 'mft', 'logfile', 'usnjrnl']
def transform_type(val): if val == 'payment': return 3 elif val == 'transfer': return 4 elif val == 'cash_out': return 1 elif val == 'cash_in': return 0 elif val == 'debit': return 2 else: return 0 def transform_nameDest(val): dest = val[0] if dest == 'M': return 1 elif dest == 'C': return 0 else: return 0
def transform_type(val): if val == 'payment': return 3 elif val == 'transfer': return 4 elif val == 'cash_out': return 1 elif val == 'cash_in': return 0 elif val == 'debit': return 2 else: return 0 def transform_name_dest(val): dest = val[0] if dest == 'M': return 1 elif dest == 'C': return 0 else: return 0
locs, labels = xticks() xticks(locs, ("-10%", "-6.7%", "-3.3%", "0", "3.3%", "6.7%", "10%")) xlabel("Percentage change") ylabel("Number of Stocks") title("Simulated Market Performance")
(locs, labels) = xticks() xticks(locs, ('-10%', '-6.7%', '-3.3%', '0', '3.3%', '6.7%', '10%')) xlabel('Percentage change') ylabel('Number of Stocks') title('Simulated Market Performance')
{ 'targets': [ { 'target_name': 'yajl', 'type': 'static_library', 'sources': [ 'yajl/src/yajl.c', 'yajl/src/yajl_lex.c', 'yajl/src/yajl_parser.c', 'yajl/src/yajl_buf.c', 'yajl/src/yajl_encode.c', 'yajl/src/yajl_gen.c', 'yajl/src/yajl_alloc.c', 'yajl/src/yajl_tree.c', 'yajl/src/yajl_version.c', ], 'cflags': [ '-Wall', '-fvisibility=hidden', '-std=c99', '-pedantic', '-Wpointer-arith', '-Wno-format-y2k', '-Wstrict-prototypes', '-Wmissing-declarations', '-Wnested-externs', '-Wextra', '-Wundef', '-Wwrite-strings', '-Wold-style-definition', '-Wredundant-decls', '-Wno-unused-parameter', '-Wno-sign-compare', '-Wmissing-prototypes', ], 'xcode_settings': { 'OTHER_CFLAGS' : ['<@(_cflags)'], }, 'include_dirs': [ 'include', ], }, ] }
{'targets': [{'target_name': 'yajl', 'type': 'static_library', 'sources': ['yajl/src/yajl.c', 'yajl/src/yajl_lex.c', 'yajl/src/yajl_parser.c', 'yajl/src/yajl_buf.c', 'yajl/src/yajl_encode.c', 'yajl/src/yajl_gen.c', 'yajl/src/yajl_alloc.c', 'yajl/src/yajl_tree.c', 'yajl/src/yajl_version.c'], 'cflags': ['-Wall', '-fvisibility=hidden', '-std=c99', '-pedantic', '-Wpointer-arith', '-Wno-format-y2k', '-Wstrict-prototypes', '-Wmissing-declarations', '-Wnested-externs', '-Wextra', '-Wundef', '-Wwrite-strings', '-Wold-style-definition', '-Wredundant-decls', '-Wno-unused-parameter', '-Wno-sign-compare', '-Wmissing-prototypes'], 'xcode_settings': {'OTHER_CFLAGS': ['<@(_cflags)']}, 'include_dirs': ['include']}]}
def letUsCalculate(): print("Where n is the number of ELEMENTS in the SET, and R is the samples taken in the function\n") print("///////////////////////////////\n") print("///////////////////////////////\n") print("///////////////////////////////\n") print("///////////////////////////////\n") print("NOW.... LET US CALCULATE!!!\n")
def let_us_calculate(): print('Where n is the number of ELEMENTS in the SET, and R is the samples taken in the function\n') print('///////////////////////////////\n') print('///////////////////////////////\n') print('///////////////////////////////\n') print('///////////////////////////////\n') print('NOW.... LET US CALCULATE!!!\n')
n=int(input('Numero:\n')) i=1 while(i*i<=n): i=i+1 print('La parte entera de la raiz cuadrada es: '+str(i-1))
n = int(input('Numero:\n')) i = 1 while i * i <= n: i = i + 1 print('La parte entera de la raiz cuadrada es: ' + str(i - 1))
dados = [] lista = [] maior = menor = 0 while True: lista.append(str(input('Digite um nome: '))) lista.append(float(input('Digite seu peso: '))) while True: escol = str(input('Quer continuar?[S/N] ')).upper().split()[0] if escol in 'SN': break dados.append(lista[:]) lista.clear() if escol in 'N': break print('-='*30) print(f'{len(dados)} pessoas foram cadastradas.') for c in dados: if maior == 0 or c[1] > maior: maior = c[1] if menor == 0 or c[1] < menor: menor = c[1] print(f'O maior peso foi de {maior:.1f}Kg. Peso de ', end='') for i in dados: if i[1] == maior: print(f'[{i[0]}]', end=' ') print('\n') print(f'O menor peso foi de {menor:.1f}Kg. Peso de ', end='') for a in dados: if a[1] == menor: print(f'[{a[0]}]', end='')
dados = [] lista = [] maior = menor = 0 while True: lista.append(str(input('Digite um nome: '))) lista.append(float(input('Digite seu peso: '))) while True: escol = str(input('Quer continuar?[S/N] ')).upper().split()[0] if escol in 'SN': break dados.append(lista[:]) lista.clear() if escol in 'N': break print('-=' * 30) print(f'{len(dados)} pessoas foram cadastradas.') for c in dados: if maior == 0 or c[1] > maior: maior = c[1] if menor == 0 or c[1] < menor: menor = c[1] print(f'O maior peso foi de {maior:.1f}Kg. Peso de ', end='') for i in dados: if i[1] == maior: print(f'[{i[0]}]', end=' ') print('\n') print(f'O menor peso foi de {menor:.1f}Kg. Peso de ', end='') for a in dados: if a[1] == menor: print(f'[{a[0]}]', end='')
class Bit: def __init__(self, n): self.size = n self.tree = [0] * (n + 1) def sum(self, i): s = 0 while i > 0: s += self.tree[i] i -= i & -i return s def add(self, i, x): while i <= self.size: self.tree[i] += x i += i & -i def main(): N = 5 bit = Bit(N) bit.add(1, 2) bit.add(2, 3) bit.add(3, 8) bit.add(1, 1) print(bit.sum(2)) print(bit.sum(3)) if __name__ == '__main__': main()
class Bit: def __init__(self, n): self.size = n self.tree = [0] * (n + 1) def sum(self, i): s = 0 while i > 0: s += self.tree[i] i -= i & -i return s def add(self, i, x): while i <= self.size: self.tree[i] += x i += i & -i def main(): n = 5 bit = bit(N) bit.add(1, 2) bit.add(2, 3) bit.add(3, 8) bit.add(1, 1) print(bit.sum(2)) print(bit.sum(3)) if __name__ == '__main__': main()
def print_rules(bit): rules = [] # Bit Toggle rules.append(( "// REG ^= (1 << %d)" % bit, "replace restart {", " ld a, %1", " xor a, #%s" % format((1 << bit) & 0xff, '#04x'), " ld %1, a", "} by {", " bcpl %%1, #%d ; peephole replaced xor by bcpl." % bit, "} if notUsed('a')")) # Bit Set rules.append(( "// REG |= (1 << %d)" % bit, "replace restart {", " ld a, %1", " or a, #%s" % format((1 << bit) & 0xff, '#04x'), " ld %1, a", "} by {", " bset %%1, #%d ; peephole replaced or by bset." % bit, "} if notUsed('a')")) # Bit Reset rules.append(( "// REG &= ~(1 << %d)" % bit, "replace restart {", " ld a, %1", " and a, #%s" % format(~(1 << bit) & 0xff, '#04x'), " ld %1, a", "} by {", " bres %%1, #%d ; peephole replaced and by bres." % bit, "} if notUsed('a')")) for r in rules: print ('\n'.join(r) + '\n') print('// Extra rules generated by rules_gen.py') for i in range(8): print_rules(i)
def print_rules(bit): rules = [] rules.append(('// REG ^= (1 << %d)' % bit, 'replace restart {', ' ld a, %1', ' xor a, #%s' % format(1 << bit & 255, '#04x'), ' ld %1, a', '} by {', ' bcpl %%1, #%d ; peephole replaced xor by bcpl.' % bit, "} if notUsed('a')")) rules.append(('// REG |= (1 << %d)' % bit, 'replace restart {', ' ld a, %1', ' or a, #%s' % format(1 << bit & 255, '#04x'), ' ld %1, a', '} by {', ' bset %%1, #%d ; peephole replaced or by bset.' % bit, "} if notUsed('a')")) rules.append(('// REG &= ~(1 << %d)' % bit, 'replace restart {', ' ld a, %1', ' and a, #%s' % format(~(1 << bit) & 255, '#04x'), ' ld %1, a', '} by {', ' bres %%1, #%d ; peephole replaced and by bres.' % bit, "} if notUsed('a')")) for r in rules: print('\n'.join(r) + '\n') print('// Extra rules generated by rules_gen.py') for i in range(8): print_rules(i)
class RedirectException(Exception): def __init__(self, redirect_to: str): super().__init__() self.redirect_to = redirect_to
class Redirectexception(Exception): def __init__(self, redirect_to: str): super().__init__() self.redirect_to = redirect_to
AMAZON_COM: str = "https://www.amazon.com/" DBA_DK: str = "https://www.dba.dk/" EXAMPLE_COM: str = "http://example.com/" GOOGLE_COM: str = "https://www.google.com/" JYLLANDSPOSTEN_DK: str = "https://jyllands-posten.dk/" IANA_ORG: str = "https://www.iana.org/domains/reserved" W3SCHOOLS_COM: str = "https://www.w3schools.com/"
amazon_com: str = 'https://www.amazon.com/' dba_dk: str = 'https://www.dba.dk/' example_com: str = 'http://example.com/' google_com: str = 'https://www.google.com/' jyllandsposten_dk: str = 'https://jyllands-posten.dk/' iana_org: str = 'https://www.iana.org/domains/reserved' w3_schools_com: str = 'https://www.w3schools.com/'
def read_file_to_string(filename): with open(filename, 'r') as fin: return fin.read() def write_string_to_file(filename, content): with open(filename, 'w') as fout: fout.write(content)
def read_file_to_string(filename): with open(filename, 'r') as fin: return fin.read() def write_string_to_file(filename, content): with open(filename, 'w') as fout: fout.write(content)
# Coding up the SVM Quiz clf.fit(features_train, labels_train) pred = clf.predict(features_test)
clf.fit(features_train, labels_train) pred = clf.predict(features_test)
# https://www.hackerrank.com/challenges/grading/problem def gradingStudents(grades): rounded = [] for g in grades: if (g < 38) or ((g % 5) < 3) : rounded.append(g) else: rounded.append(g + (5 - (g % 5))) return rounded
def grading_students(grades): rounded = [] for g in grades: if g < 38 or g % 5 < 3: rounded.append(g) else: rounded.append(g + (5 - g % 5)) return rounded