content
stringlengths
7
1.05M
fixed_cases
stringlengths
1
1.28M
# Copyright 2020 Google Inc. All rights reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. """ This template deploys SAP HANA and all required infrastructure resources (network, firewall rules, NAT, etc). """ def generate_config(context): properties = context.properties # Creating the network (VPC + subnets) resource network = { 'name': 'sap-poc-vpc', 'type': 'network.py', 'properties': { 'autoCreateSubnetworks': False, 'subnetworks': [{ 'name': 'subnetwork-1', 'region': properties['region'], 'ipCidrRange': '10.0.0.0/24', }, { 'name': 'subnetwork-2', 'region': properties['region'], 'ipCidrRange': '192.168.0.0/24', }] } } #Create a Cloud NAT Gateway cloud_router = { 'name': 'cloud-nat-gateway', 'type': 'cloud_router.py', 'properties': { 'name': 'cloud-nat-router', 'network': '$(ref.sap-poc-vpc.name)', 'region': properties['region'], 'nats': [{ 'name': 'cloud-nat', 'sourceSubnetworkIpRangesToNat': 'LIST_OF_SUBNETWORKS', 'natIpAllocateOption': 'AUTO_ONLY', 'subnetworks': [{ 'name': '$(ref.subnetwork-1.selfLink)' }] }] } } #Create a windows bastion host to be used for installing HANA Studio and connecting to HANA DB windows_bastion_host = { 'name': 'windows-bastion-host', 'type': 'instance.py', 'properties': { 'zone': properties['primaryZone'], 'diskImage': 'projects/windows-cloud/global/images/family/windows-2019', 'machineType': 'n1-standard-1', 'diskType': 'pd-ssd', 'networks': [{ 'network': "$(ref.sap-poc-vpc.selfLink)", 'subnetwork': "$(ref.subnetwork-2.selfLink)", 'accessConfigs': [{ 'type': 'ONE_TO_ONE_NAT' }] }], 'tags': { 'items': ['jumpserver'] } } } #Create a linux bastion host which will be used to connect to HANA DB CLI and run commands. linux_bastion_host = { 'name': 'linux-bastion-host', 'type': 'instance.py', 'properties': { 'zone': properties['primaryZone'], 'diskImage': 'projects/ubuntu-os-cloud/global/images/family/ubuntu-1804-lts', 'machineType': 'f1-micro', 'diskType': 'pd-ssd', 'networks': [{ 'network': '$(ref.sap-poc-vpc.selfLink)', 'subnetwork': '$(ref.subnetwork-2.selfLink)', 'accessConfigs': [{ 'type': 'ONE_TO_ONE_NAT' }] }], 'tags': { 'items': ['jumpserver'] } } } # Create necessary Firewall rules to allow connectivity to HANA DB from both bastion hosts. firewall_rules = { 'name': 'firewall-rules', 'type': 'firewall.py', 'properties': { 'network': '$(ref.sap-poc-vpc.selfLink)', 'rules': [{ 'name': 'allow-ssh-and-rdp', 'allowed':[ { 'IPProtocol': 'tcp', 'ports': ['22', '3389'] }], 'description': 'Allow SSH and RDP from outside to bastion host.', 'direction': 'INGRESS', 'targetTags': ["jumpserver"], 'sourceRanges': [ '0.0.0.0/0' ] }, { 'name': 'jumpserver-to-hana', 'allowed': [{ 'IPProtocol': 'tcp', 'ports': ['22', '30015'] # In general,the port to open is 3 <Instance number> 15 to allow HANA Studio to Connect to HANA DB < -- -- -TODO }], 'description': 'Allow SSH from bastion host to HANA instances', 'direction': 'INGRESS', 'targetTags': ["hana-db"], 'sourceRanges': ['$(ref.subnetwork-2.ipCidrRange)'] } ] } } sap_hana_resource = {} if properties.get('secondaryZone'): # HANA HA deployment sap_hana_resource = { 'name': 'sap_hana', "type": 'sap_hana_ha.py', 'properties': { 'primaryInstanceName': properties['primaryInstanceName'], 'secondaryInstanceName': properties['secondaryInstanceName'], 'primaryZone': properties['primaryZone'], 'secondaryZone': properties['secondaryZone'], 'sap_vip': '10.1.0.10', #TO DO: improve this by reserving an internal IP address in advance. } } else: sap_hana_resource = { #HANA standalone setup 'name': 'sap_hana', "type": 'sap_hana.py', 'properties': { 'instanceName': properties['primaryInstanceName'], 'zone': properties['primaryZone'], 'sap_hana_scaleout_nodes': 0 } } #Add the rest of "common & manadatory" properties sap_hana_resource['properties']['dependsOn'] = ['$(ref.cloud-nat-gateway.selfLink)'] sap_hana_resource['properties']['instanceType'] = properties['instanceType'] sap_hana_resource['properties']['subnetwork'] = 'subnetwork-1' sap_hana_resource['properties']['linuxImage'] = properties['linuxImage'] sap_hana_resource['properties']['linuxImageProject'] = properties['linuxImageProject'] sap_hana_resource['properties']['sap_hana_deployment_bucket'] = properties['sap_hana_deployment_bucket'] sap_hana_resource['properties']['sap_hana_sid'] = properties['sap_hana_sid'] sap_hana_resource['properties']['sap_hana_instance_number'] = 00 sap_hana_resource['properties']['sap_hana_sidadm_password'] = properties['sap_hana_sidadm_password'] sap_hana_resource['properties']['sap_hana_system_password'] = properties['sap_hana_system_password'] sap_hana_resource['properties']['networkTag'] = 'hana-db' sap_hana_resource['properties']['publicIP'] = False # Define optional properties. optional_properties = [ 'serviceAccount', 'sap_hana_backup_size', 'sap_hana_double_volume_size', 'sap_hana_sidadm_uid', 'sap_hana_sapsys_gid', 'sap_deployment_debug', 'post_deployment_script' ] # Add optional properties if there are any. for prop in optional_properties: append_optional_property(sap_hana_resource, properties, prop) resources = [network, cloud_router, windows_bastion_host, linux_bastion_host, firewall_rules, sap_hana_resource] return { 'resources': resources} def append_optional_property(resource, properties, prop_name): """ If the property is set, it is added to the resource. """ val = properties.get(prop_name) if val: resource['properties'][prop_name] = val return
""" This template deploys SAP HANA and all required infrastructure resources (network, firewall rules, NAT, etc). """ def generate_config(context): properties = context.properties network = {'name': 'sap-poc-vpc', 'type': 'network.py', 'properties': {'autoCreateSubnetworks': False, 'subnetworks': [{'name': 'subnetwork-1', 'region': properties['region'], 'ipCidrRange': '10.0.0.0/24'}, {'name': 'subnetwork-2', 'region': properties['region'], 'ipCidrRange': '192.168.0.0/24'}]}} cloud_router = {'name': 'cloud-nat-gateway', 'type': 'cloud_router.py', 'properties': {'name': 'cloud-nat-router', 'network': '$(ref.sap-poc-vpc.name)', 'region': properties['region'], 'nats': [{'name': 'cloud-nat', 'sourceSubnetworkIpRangesToNat': 'LIST_OF_SUBNETWORKS', 'natIpAllocateOption': 'AUTO_ONLY', 'subnetworks': [{'name': '$(ref.subnetwork-1.selfLink)'}]}]}} windows_bastion_host = {'name': 'windows-bastion-host', 'type': 'instance.py', 'properties': {'zone': properties['primaryZone'], 'diskImage': 'projects/windows-cloud/global/images/family/windows-2019', 'machineType': 'n1-standard-1', 'diskType': 'pd-ssd', 'networks': [{'network': '$(ref.sap-poc-vpc.selfLink)', 'subnetwork': '$(ref.subnetwork-2.selfLink)', 'accessConfigs': [{'type': 'ONE_TO_ONE_NAT'}]}], 'tags': {'items': ['jumpserver']}}} linux_bastion_host = {'name': 'linux-bastion-host', 'type': 'instance.py', 'properties': {'zone': properties['primaryZone'], 'diskImage': 'projects/ubuntu-os-cloud/global/images/family/ubuntu-1804-lts', 'machineType': 'f1-micro', 'diskType': 'pd-ssd', 'networks': [{'network': '$(ref.sap-poc-vpc.selfLink)', 'subnetwork': '$(ref.subnetwork-2.selfLink)', 'accessConfigs': [{'type': 'ONE_TO_ONE_NAT'}]}], 'tags': {'items': ['jumpserver']}}} firewall_rules = {'name': 'firewall-rules', 'type': 'firewall.py', 'properties': {'network': '$(ref.sap-poc-vpc.selfLink)', 'rules': [{'name': 'allow-ssh-and-rdp', 'allowed': [{'IPProtocol': 'tcp', 'ports': ['22', '3389']}], 'description': 'Allow SSH and RDP from outside to bastion host.', 'direction': 'INGRESS', 'targetTags': ['jumpserver'], 'sourceRanges': ['0.0.0.0/0']}, {'name': 'jumpserver-to-hana', 'allowed': [{'IPProtocol': 'tcp', 'ports': ['22', '30015']}], 'description': 'Allow SSH from bastion host to HANA instances', 'direction': 'INGRESS', 'targetTags': ['hana-db'], 'sourceRanges': ['$(ref.subnetwork-2.ipCidrRange)']}]}} sap_hana_resource = {} if properties.get('secondaryZone'): sap_hana_resource = {'name': 'sap_hana', 'type': 'sap_hana_ha.py', 'properties': {'primaryInstanceName': properties['primaryInstanceName'], 'secondaryInstanceName': properties['secondaryInstanceName'], 'primaryZone': properties['primaryZone'], 'secondaryZone': properties['secondaryZone'], 'sap_vip': '10.1.0.10'}} else: sap_hana_resource = {'name': 'sap_hana', 'type': 'sap_hana.py', 'properties': {'instanceName': properties['primaryInstanceName'], 'zone': properties['primaryZone'], 'sap_hana_scaleout_nodes': 0}} sap_hana_resource['properties']['dependsOn'] = ['$(ref.cloud-nat-gateway.selfLink)'] sap_hana_resource['properties']['instanceType'] = properties['instanceType'] sap_hana_resource['properties']['subnetwork'] = 'subnetwork-1' sap_hana_resource['properties']['linuxImage'] = properties['linuxImage'] sap_hana_resource['properties']['linuxImageProject'] = properties['linuxImageProject'] sap_hana_resource['properties']['sap_hana_deployment_bucket'] = properties['sap_hana_deployment_bucket'] sap_hana_resource['properties']['sap_hana_sid'] = properties['sap_hana_sid'] sap_hana_resource['properties']['sap_hana_instance_number'] = 0 sap_hana_resource['properties']['sap_hana_sidadm_password'] = properties['sap_hana_sidadm_password'] sap_hana_resource['properties']['sap_hana_system_password'] = properties['sap_hana_system_password'] sap_hana_resource['properties']['networkTag'] = 'hana-db' sap_hana_resource['properties']['publicIP'] = False optional_properties = ['serviceAccount', 'sap_hana_backup_size', 'sap_hana_double_volume_size', 'sap_hana_sidadm_uid', 'sap_hana_sapsys_gid', 'sap_deployment_debug', 'post_deployment_script'] for prop in optional_properties: append_optional_property(sap_hana_resource, properties, prop) resources = [network, cloud_router, windows_bastion_host, linux_bastion_host, firewall_rules, sap_hana_resource] return {'resources': resources} def append_optional_property(resource, properties, prop_name): """ If the property is set, it is added to the resource. """ val = properties.get(prop_name) if val: resource['properties'][prop_name] = val return
# John McDonough # github - movinalot # Advent of Code 2015 testing = 0 debug = 0 day = "03" year = "2015" part = "1" answer = None with open("puzzle_data_" + day + "_" + year + ".txt") as f: puzzle_data = f.read() if testing: puzzle_data = ">" #puzzle_data = "^>v<" #puzzle_data = "^v^v^v^v^v" if debug: print(puzzle_data) houses = {} x = 0 y = 0 def update_present_count(x, y): if (x,y) in houses: houses[(x,y)] += 1 else: houses[(x,y)] = 1 if debug: print('(',x,',',y,'):',houses[(x,y)]) update_present_count(x, y) for direction in range(0, len(puzzle_data)): if debug: print(puzzle_data[direction]) if puzzle_data[direction] == '^': y = y + 1 elif puzzle_data[direction] == '>': x = x + 1 elif puzzle_data[direction] == 'v': y = y - 1 elif puzzle_data[direction] == '<': x = x - 1 update_present_count(x, y) answer = len(houses.keys()) print("AoC Day: " + day + " Year: " + year + " part " + part + ", this is the answer:", answer)
testing = 0 debug = 0 day = '03' year = '2015' part = '1' answer = None with open('puzzle_data_' + day + '_' + year + '.txt') as f: puzzle_data = f.read() if testing: puzzle_data = '>' if debug: print(puzzle_data) houses = {} x = 0 y = 0 def update_present_count(x, y): if (x, y) in houses: houses[x, y] += 1 else: houses[x, y] = 1 if debug: print('(', x, ',', y, '):', houses[x, y]) update_present_count(x, y) for direction in range(0, len(puzzle_data)): if debug: print(puzzle_data[direction]) if puzzle_data[direction] == '^': y = y + 1 elif puzzle_data[direction] == '>': x = x + 1 elif puzzle_data[direction] == 'v': y = y - 1 elif puzzle_data[direction] == '<': x = x - 1 update_present_count(x, y) answer = len(houses.keys()) print('AoC Day: ' + day + ' Year: ' + year + ' part ' + part + ', this is the answer:', answer)
""" This module defines function that turns ANSI codes into an escaped string """ def encode_ansi(*codes: int) -> str: """ Encodes the ANSI code into an ANSI escape sequence. >>> encode_ansi(30) '\\x1b[30m' Support defining multiple codes: >>> encode_ansi(1, 33) '\\x1b[1;33m' All numbers are treated as positive; the sign doesn't matter: >>> encode_ansi(-31) '\\x1b[31m' :param codes: ANSI codes :return: ANSI escaped sequence """ return f"\033[{';'.join([str(abs(code)) for code in codes])}m"
""" This module defines function that turns ANSI codes into an escaped string """ def encode_ansi(*codes: int) -> str: """ Encodes the ANSI code into an ANSI escape sequence. >>> encode_ansi(30) '\\x1b[30m' Support defining multiple codes: >>> encode_ansi(1, 33) '\\x1b[1;33m' All numbers are treated as positive; the sign doesn't matter: >>> encode_ansi(-31) '\\x1b[31m' :param codes: ANSI codes :return: ANSI escaped sequence """ return f"\x1b[{';'.join([str(abs(code)) for code in codes])}m"
# string methods course = 'Python for Beginners' print('Original = ' + course) print(course.upper()) print(course.lower()) print(course.find('P')) # finds the index of P which is 0 print(course.replace('Beginners', 'Absolute Beginners')) print('Python' in course) # Boolean value
course = 'Python for Beginners' print('Original = ' + course) print(course.upper()) print(course.lower()) print(course.find('P')) print(course.replace('Beginners', 'Absolute Beginners')) print('Python' in course)
"""Internet Relay Chat Protocol numerics""" RPL_WELCOME = 1 RPL_YOURHOST = 2 RPL_TRACELINK = 200 RPL_TRACECONNECTING = 201 RPL_TRACEHANDSHAKE = 202 RPL_TRACEUNKNOWN = 203 RPL_TRACEOPERATOR = 204 RPL_TRACEUSER = 205 RPL_TRACESERVER = 206 RPL_TRACENEWTYPE = 208 RPL_TRACELOG = 261 RPL_STATSLINKINFO = 211 RPL_STATSCOMMANDS = 212 RPL_STATSCLINE = 213 RPL_STATSNLINE = 214 RPL_STATSILINE = 215 RPL_STATSKLINE = 216 RPL_STATSYLINE = 218 RPL_ENDOFSTATS = 219 RPL_STATSLLINE = 241 RPL_STATSUPTIME = 242 RPL_STATSOLINE = 243 RPL_STATSHLINE = 244 RPL_UMODEIS = 221 RPL_LUSERCLIENT = 251 RPL_LUSEROP = 252 RPL_LUSERUNKNOWN = 253 RPL_LUSERCHANNELS = 254 RPL_LUSERME = 255 RPL_ADMINME = 256 RPL_ADMINLOC1 = 257 RPL_ADMINLOC2 = 258 RPL_ADMINEMAIL = 259 RPL_NONE = 300 RPL_USERHOST = 302 RPL_ISON = 303 RPL_AWAY = 301 RPL_UNAWAY = 305 RPL_NOWAWAY = 306 RPL_WHOISUSER = 311 RPL_WHOISSERVER = 312 RPL_WHOISOPERATOR = 313 RPL_WHOISIDLE = 317 RPL_ENDOFWHOIS = 318 RPL_WHOISCHANNELS = 319 RPL_WHOWASUSER = 314 RPL_ENDOFWHOWAS = 369 RPL_LIST = 322 RPL_LISTEND = 323 RPL_CHANNELMODEIS = 324 RPL_NOTOPIC = 331 RPL_TOPIC = 332 RPL_INVITING = 341 RPL_SUMMONING = 342 RPL_VERSION = 351 RPL_WHOREPLY = 352 RPL_ENDOFWHO = 315 RPL_NAMEREPLY = 353 RPL_ENDOFNAMES = 366 RPL_LINKS = 364 RPL_ENDOFLINKS = 365 RPL_BANLIST = 367 RPL_ENDOFBANLIST = 368 RPL_INFO = 371 RPL_ENDOFINFO = 374 RPL_MOTDSTART = 375 RPL_MOTD = 372 RPL_ENDOFMOTD = 376 RPL_YOUREOPER = 381 RPL_REHASHING = 382 RPL_TIME = 391 RPL_USERSSTART = 392 RPL_USERS = 393 RPL_ENDOFUSERS = 394 RPL_NOUSERS = 395 ERR_NOSUCHNICK = 401 ERR_NOSUCHSERVER = 402 ERR_NOSUCHCHANNEL = 403 ERR_CANNOTSENDTOCHAN = 404 ERR_TOOMANYCHANNELS = 405 ERR_WASNOSUCHNICK = 406 ERR_TOOMANYTARGETS = 407 ERR_NOORIGIN = 409 ERR_NORECIPIENT = 411 ERR_NOTEXTTOSEND = 412 ERR_NOTOPLEVEL = 413 ERR_WILDTOPLEVEL = 414 ERR_UNKNOWNCOMMAND = 421 ERR_NOMOTD = 422 ERR_NOADMININFO = 423 ERR_FILEERROR = 424 ERR_NONICKNAMEGIVEN = 431 ERR_ERRONEUSNICKNAME = 432 ERR_NICKNAMEINUSE = 433 ERR_NICKCOLLISION = 436 ERR_NOTONCHANNEL = 442 ERR_USERONCHANNEL = 443 ERR_NOLOGIN = 444 ERR_SUMMONDISABLED = 445 ERR_USERSDISABLED = 446 ERR_NOTREGISTERED = 451 ERR_NEEDMOREPARAMS = 461 ERR_ALREADYREGISTRED = 462 ERR_PASSWDMISMATCH = 464 ERR_YOUREBANNEDCREEP = 465 ERR_KEYSET = 467 ERR_CHANNELISFULL = 471 ERR_UNKNOWNMODE = 472 ERR_INVITEONLYCHAN = 473 ERR_BANNEDFROMCHAN = 474 ERR_BADCHANNELKEY = 475 ERR_NOPRIVILEGES = 481 ERR_CHANOPRIVSNEEDED = 482 ERR_CANTKILLSERVER = 483 ERR_NOOPERHOST = 491 ERR_UMODEUNKNOWNFLAG = 501 ERR_USERSDONTMATCH = 502
"""Internet Relay Chat Protocol numerics""" rpl_welcome = 1 rpl_yourhost = 2 rpl_tracelink = 200 rpl_traceconnecting = 201 rpl_tracehandshake = 202 rpl_traceunknown = 203 rpl_traceoperator = 204 rpl_traceuser = 205 rpl_traceserver = 206 rpl_tracenewtype = 208 rpl_tracelog = 261 rpl_statslinkinfo = 211 rpl_statscommands = 212 rpl_statscline = 213 rpl_statsnline = 214 rpl_statsiline = 215 rpl_statskline = 216 rpl_statsyline = 218 rpl_endofstats = 219 rpl_statslline = 241 rpl_statsuptime = 242 rpl_statsoline = 243 rpl_statshline = 244 rpl_umodeis = 221 rpl_luserclient = 251 rpl_luserop = 252 rpl_luserunknown = 253 rpl_luserchannels = 254 rpl_luserme = 255 rpl_adminme = 256 rpl_adminloc1 = 257 rpl_adminloc2 = 258 rpl_adminemail = 259 rpl_none = 300 rpl_userhost = 302 rpl_ison = 303 rpl_away = 301 rpl_unaway = 305 rpl_nowaway = 306 rpl_whoisuser = 311 rpl_whoisserver = 312 rpl_whoisoperator = 313 rpl_whoisidle = 317 rpl_endofwhois = 318 rpl_whoischannels = 319 rpl_whowasuser = 314 rpl_endofwhowas = 369 rpl_list = 322 rpl_listend = 323 rpl_channelmodeis = 324 rpl_notopic = 331 rpl_topic = 332 rpl_inviting = 341 rpl_summoning = 342 rpl_version = 351 rpl_whoreply = 352 rpl_endofwho = 315 rpl_namereply = 353 rpl_endofnames = 366 rpl_links = 364 rpl_endoflinks = 365 rpl_banlist = 367 rpl_endofbanlist = 368 rpl_info = 371 rpl_endofinfo = 374 rpl_motdstart = 375 rpl_motd = 372 rpl_endofmotd = 376 rpl_youreoper = 381 rpl_rehashing = 382 rpl_time = 391 rpl_usersstart = 392 rpl_users = 393 rpl_endofusers = 394 rpl_nousers = 395 err_nosuchnick = 401 err_nosuchserver = 402 err_nosuchchannel = 403 err_cannotsendtochan = 404 err_toomanychannels = 405 err_wasnosuchnick = 406 err_toomanytargets = 407 err_noorigin = 409 err_norecipient = 411 err_notexttosend = 412 err_notoplevel = 413 err_wildtoplevel = 414 err_unknowncommand = 421 err_nomotd = 422 err_noadmininfo = 423 err_fileerror = 424 err_nonicknamegiven = 431 err_erroneusnickname = 432 err_nicknameinuse = 433 err_nickcollision = 436 err_notonchannel = 442 err_useronchannel = 443 err_nologin = 444 err_summondisabled = 445 err_usersdisabled = 446 err_notregistered = 451 err_needmoreparams = 461 err_alreadyregistred = 462 err_passwdmismatch = 464 err_yourebannedcreep = 465 err_keyset = 467 err_channelisfull = 471 err_unknownmode = 472 err_inviteonlychan = 473 err_bannedfromchan = 474 err_badchannelkey = 475 err_noprivileges = 481 err_chanoprivsneeded = 482 err_cantkillserver = 483 err_nooperhost = 491 err_umodeunknownflag = 501 err_usersdontmatch = 502
''' TACO: Multi-sample transcriptome assembly from RNA-Seq ''' __author__ = "Matthew Iyer, Yashar Niknafs, and Balaji Pandian" __copyright__ = "Copyright 2012-2018" __credits__ = ["Matthew Iyer", "Yashar Niknafs", "Balaji Pandian"] __license__ = "MIT" __version__ = "0.7.3" __maintainer__ = "Yashar Niknafs" __email__ = "yniknafs@umich.edu" __status__ = "Development" def single_node_shortest_path_length(node, nbrs): ''' Adapted from NetworkX 1.10 source code (networkx.github.io) node: source or sink nbrs: array of node neighbors (either succs or preds) indexed by node ''' seen = {} level = 0 nextlevel = set([node]) while nextlevel: thislevel = nextlevel # advance to next level nextlevel = set() # and start a new list (fringe) for v in thislevel: if v not in seen: seen[v] = level # set the level of vertex v nextlevel.update(nbrs[v]) level += 1 return seen # return all path lengths as dictionary def _plain_bfs(succs, preds, source): """ Adapted from Networkx 1.10 A fast BFS node generator """ seen = set() nextlevel = {source} while nextlevel: thislevel = nextlevel nextlevel = set() for v in thislevel: if v not in seen: yield v seen.add(v) nextlevel.update(succs[v]) nextlevel.update(preds[v]) class Graph(object): SOURCE = -1 SINK = -2 EMPTY = -3 SOURCE_ID = 0 SINK_ID = 1 FIRST_ID = 2 def __init__(self): self.node_id_map = {Graph.SOURCE: Graph.SOURCE_ID, Graph.SINK: Graph.SINK_ID} self.nodes = [Graph.SOURCE, Graph.SINK] self.succs = [set(), set()] self.preds = [set(), set()] self.n = 0 def __len__(self): return self.n def __contains__(self, item): return item in self.node_id_map def nodes_iter(self, source=False, sink=False): if source: yield Graph.SOURCE if sink: yield Graph.SINK for i in xrange(Graph.FIRST_ID, len(self.nodes)): if self.nodes[i] == Graph.EMPTY: continue yield self.nodes[i] def node_ids_iter(self, source=False, sink=False): if source: yield Graph.SOURCE_ID if sink: yield Graph.SINK_ID for i in xrange(Graph.FIRST_ID, len(self.nodes)): if self.nodes[i] == Graph.EMPTY: continue yield i def edges_iter(self): for i in xrange(len(self.nodes)): if self.nodes[i] == Graph.EMPTY: continue for j in self.succs[i]: yield i, j def has_node(self, node): return node in self.node_id_map def get_node(self, node_id): return self.nodes[node_id] def get_node_id(self, node): return self.node_id_map[node] def add_node(self, node): if node not in self.node_id_map: node_id = len(self.nodes) self.node_id_map[node] = node_id self.nodes.append(node) self.succs.append(set()) self.preds.append(set()) self.n += 1 else: node_id = self.node_id_map[node] return node_id def add_path(self, nodes): if len(nodes) == 0: return [] # add edges in path u = self.add_node(nodes[0]) node_ids = [u] for i in xrange(1, len(nodes)): v = self.add_node(nodes[i]) node_ids.append(v) self.succs[u].add(v) self.preds[v].add(u) u = v return node_ids def remove_node_id(self, node_id): if node_id == Graph.SOURCE_ID or node_id == Graph.SINK_ID: return # for each successor, remove from predecessors for succ in self.succs[node_id]: self.preds[succ].remove(node_id) # for each predecessor, remove from successors for pred in self.preds[node_id]: self.succs[pred].remove(node_id) # remove from node id map del self.node_id_map[self.nodes[node_id]] # mask self.nodes[node_id] = Graph.EMPTY self.n -= 1 def get_unreachable_nodes(self): '''find unreachable kmers from source or sink''' allnodes = set(self.node_id_map.values()) # unreachable from source a = set(single_node_shortest_path_length(Graph.SOURCE_ID, self.succs)) a = allnodes - a # unreachable from sink b = set(single_node_shortest_path_length(Graph.SINK_ID, self.preds)) b = allnodes - b return a | b def remove_unreachable_nodes(self): ''' mask nodes that are unreachable from the source or sink, these occur due to fragmentation when k > 1 ''' unreachable = self.get_unreachable_nodes() for i in unreachable: self.remove_node_id(i) return len(unreachable) def is_valid(self): ''' Adapted from NetworkX 1.10 bidirectional_shortest_path ''' if self.nodes[Graph.SOURCE_ID] == Graph.EMPTY: return False if self.nodes[Graph.SINK_ID] == Graph.EMPTY: return False # predecesssor and successors in search pred = {Graph.SOURCE_ID: None} succ = {Graph.SINK_ID: None} # initialize fringes, start with forward forward_fringe = [Graph.SOURCE_ID] reverse_fringe = [Graph.SINK_ID] while forward_fringe and reverse_fringe: if len(forward_fringe) <= len(reverse_fringe): this_level = forward_fringe forward_fringe = [] for v in this_level: for w in self.succs[v]: if w not in pred: forward_fringe.append(w) pred[w] = v if w in succ: return True # return pred, succ, w # found path else: this_level = reverse_fringe reverse_fringe = [] for v in this_level: for w in self.preds[v]: if w not in succ: succ[w] = v reverse_fringe.append(w) if w in pred: return True # return pred, succ, w # found path return False def topological_sort_kahn(self): ''' Adapted from NetworkX source code (networkx.github.io) networkx.algorithms.dag.topological_sort ''' indegree_map = {} zero_indegree = [] for i in xrange(len(self.preds)): if self.nodes[i] == Graph.EMPTY: continue indegree = len(self.preds[i]) if indegree > 0: indegree_map[i] = indegree else: zero_indegree.append(i) nodes = [] while zero_indegree: i = zero_indegree.pop() for child in self.succs[i]: indegree_map[child] -= 1 if indegree_map[child] == 0: zero_indegree.append(child) del indegree_map[child] nodes.append(i) if indegree_map: return None return nodes def topological_sort_dfs(self): """ Adapted from NetworkX source code (networkx.github.io) networkx.algorithms.dag.topological_sort """ # nonrecursive version order = [] explored = set() for i in xrange(len(self.nodes)): if self.nodes[i] == Graph.EMPTY: continue if i in explored: continue fringe = [i] # nodes yet to look at while fringe: j = fringe[-1] # depth first search if j in explored: # already looked down this branch fringe.pop() continue # Check successors for cycles and for new nodes new_nodes = [n for n in self.succs[j] if n not in explored] if new_nodes: # Add new_nodes to fringe fringe.extend(new_nodes) else: # No new nodes so w is fully explored explored.add(j) order.append(j) fringe.pop() # done considering this node order.reverse() return order def topological_sort(self): return self.topological_sort_dfs() def is_topological_sort(self, order): order_indexes = dict((x, i) for i, x in enumerate(order)) a = set(self.node_id_map.values()).symmetric_difference(order_indexes) if len(a) != 0: return False for u, v in self.edges_iter(): ui = order_indexes[u] vi = order_indexes[v] if ui > vi: return False return True def weakly_connected_components(self): """ Adapted from NetworkX 1.10 (networkx.algorithms.components) Creates a list that maps each node to the index of a weakly connected component """ components = [-1] * len(self.nodes) num_components = 0 seen = set() for v in self.node_ids_iter(): if v not in seen: c = set(_plain_bfs(self.succs, self.preds, v)) for i in c: components[i] = num_components num_components += 1 seen.update(c) return num_components, components
""" TACO: Multi-sample transcriptome assembly from RNA-Seq """ __author__ = 'Matthew Iyer, Yashar Niknafs, and Balaji Pandian' __copyright__ = 'Copyright 2012-2018' __credits__ = ['Matthew Iyer', 'Yashar Niknafs', 'Balaji Pandian'] __license__ = 'MIT' __version__ = '0.7.3' __maintainer__ = 'Yashar Niknafs' __email__ = 'yniknafs@umich.edu' __status__ = 'Development' def single_node_shortest_path_length(node, nbrs): """ Adapted from NetworkX 1.10 source code (networkx.github.io) node: source or sink nbrs: array of node neighbors (either succs or preds) indexed by node """ seen = {} level = 0 nextlevel = set([node]) while nextlevel: thislevel = nextlevel nextlevel = set() for v in thislevel: if v not in seen: seen[v] = level nextlevel.update(nbrs[v]) level += 1 return seen def _plain_bfs(succs, preds, source): """ Adapted from Networkx 1.10 A fast BFS node generator """ seen = set() nextlevel = {source} while nextlevel: thislevel = nextlevel nextlevel = set() for v in thislevel: if v not in seen: yield v seen.add(v) nextlevel.update(succs[v]) nextlevel.update(preds[v]) class Graph(object): source = -1 sink = -2 empty = -3 source_id = 0 sink_id = 1 first_id = 2 def __init__(self): self.node_id_map = {Graph.SOURCE: Graph.SOURCE_ID, Graph.SINK: Graph.SINK_ID} self.nodes = [Graph.SOURCE, Graph.SINK] self.succs = [set(), set()] self.preds = [set(), set()] self.n = 0 def __len__(self): return self.n def __contains__(self, item): return item in self.node_id_map def nodes_iter(self, source=False, sink=False): if source: yield Graph.SOURCE if sink: yield Graph.SINK for i in xrange(Graph.FIRST_ID, len(self.nodes)): if self.nodes[i] == Graph.EMPTY: continue yield self.nodes[i] def node_ids_iter(self, source=False, sink=False): if source: yield Graph.SOURCE_ID if sink: yield Graph.SINK_ID for i in xrange(Graph.FIRST_ID, len(self.nodes)): if self.nodes[i] == Graph.EMPTY: continue yield i def edges_iter(self): for i in xrange(len(self.nodes)): if self.nodes[i] == Graph.EMPTY: continue for j in self.succs[i]: yield (i, j) def has_node(self, node): return node in self.node_id_map def get_node(self, node_id): return self.nodes[node_id] def get_node_id(self, node): return self.node_id_map[node] def add_node(self, node): if node not in self.node_id_map: node_id = len(self.nodes) self.node_id_map[node] = node_id self.nodes.append(node) self.succs.append(set()) self.preds.append(set()) self.n += 1 else: node_id = self.node_id_map[node] return node_id def add_path(self, nodes): if len(nodes) == 0: return [] u = self.add_node(nodes[0]) node_ids = [u] for i in xrange(1, len(nodes)): v = self.add_node(nodes[i]) node_ids.append(v) self.succs[u].add(v) self.preds[v].add(u) u = v return node_ids def remove_node_id(self, node_id): if node_id == Graph.SOURCE_ID or node_id == Graph.SINK_ID: return for succ in self.succs[node_id]: self.preds[succ].remove(node_id) for pred in self.preds[node_id]: self.succs[pred].remove(node_id) del self.node_id_map[self.nodes[node_id]] self.nodes[node_id] = Graph.EMPTY self.n -= 1 def get_unreachable_nodes(self): """find unreachable kmers from source or sink""" allnodes = set(self.node_id_map.values()) a = set(single_node_shortest_path_length(Graph.SOURCE_ID, self.succs)) a = allnodes - a b = set(single_node_shortest_path_length(Graph.SINK_ID, self.preds)) b = allnodes - b return a | b def remove_unreachable_nodes(self): """ mask nodes that are unreachable from the source or sink, these occur due to fragmentation when k > 1 """ unreachable = self.get_unreachable_nodes() for i in unreachable: self.remove_node_id(i) return len(unreachable) def is_valid(self): """ Adapted from NetworkX 1.10 bidirectional_shortest_path """ if self.nodes[Graph.SOURCE_ID] == Graph.EMPTY: return False if self.nodes[Graph.SINK_ID] == Graph.EMPTY: return False pred = {Graph.SOURCE_ID: None} succ = {Graph.SINK_ID: None} forward_fringe = [Graph.SOURCE_ID] reverse_fringe = [Graph.SINK_ID] while forward_fringe and reverse_fringe: if len(forward_fringe) <= len(reverse_fringe): this_level = forward_fringe forward_fringe = [] for v in this_level: for w in self.succs[v]: if w not in pred: forward_fringe.append(w) pred[w] = v if w in succ: return True else: this_level = reverse_fringe reverse_fringe = [] for v in this_level: for w in self.preds[v]: if w not in succ: succ[w] = v reverse_fringe.append(w) if w in pred: return True return False def topological_sort_kahn(self): """ Adapted from NetworkX source code (networkx.github.io) networkx.algorithms.dag.topological_sort """ indegree_map = {} zero_indegree = [] for i in xrange(len(self.preds)): if self.nodes[i] == Graph.EMPTY: continue indegree = len(self.preds[i]) if indegree > 0: indegree_map[i] = indegree else: zero_indegree.append(i) nodes = [] while zero_indegree: i = zero_indegree.pop() for child in self.succs[i]: indegree_map[child] -= 1 if indegree_map[child] == 0: zero_indegree.append(child) del indegree_map[child] nodes.append(i) if indegree_map: return None return nodes def topological_sort_dfs(self): """ Adapted from NetworkX source code (networkx.github.io) networkx.algorithms.dag.topological_sort """ order = [] explored = set() for i in xrange(len(self.nodes)): if self.nodes[i] == Graph.EMPTY: continue if i in explored: continue fringe = [i] while fringe: j = fringe[-1] if j in explored: fringe.pop() continue new_nodes = [n for n in self.succs[j] if n not in explored] if new_nodes: fringe.extend(new_nodes) else: explored.add(j) order.append(j) fringe.pop() order.reverse() return order def topological_sort(self): return self.topological_sort_dfs() def is_topological_sort(self, order): order_indexes = dict(((x, i) for (i, x) in enumerate(order))) a = set(self.node_id_map.values()).symmetric_difference(order_indexes) if len(a) != 0: return False for (u, v) in self.edges_iter(): ui = order_indexes[u] vi = order_indexes[v] if ui > vi: return False return True def weakly_connected_components(self): """ Adapted from NetworkX 1.10 (networkx.algorithms.components) Creates a list that maps each node to the index of a weakly connected component """ components = [-1] * len(self.nodes) num_components = 0 seen = set() for v in self.node_ids_iter(): if v not in seen: c = set(_plain_bfs(self.succs, self.preds, v)) for i in c: components[i] = num_components num_components += 1 seen.update(c) return (num_components, components)
class Event: def __init__(self): self.listeners = set() def __call__(self, *args, **kwargs): for listener in self.listeners: listener(*args, **kwargs) def subscribe(self, listener): self.listeners.add(listener)
class Event: def __init__(self): self.listeners = set() def __call__(self, *args, **kwargs): for listener in self.listeners: listener(*args, **kwargs) def subscribe(self, listener): self.listeners.add(listener)
# currently unused; to be tested and further refined prior to final csv handover byline_replacementlist = [ "Exclusive ", " And ", # jobs "National", "Correspondent", "Political", "Health " , "Political", "Education" , "Commentator", "Regional", "Agencies", "Defence", "Fashion", "Music", "Social Issues", "Reporter", "Chief", "Business", "Workplace", "Editor", "Indulge", "Science", "Sunday", "Saturdays", "Writer", "Food ", "Dr ", "Professor ", # cities, "Las Vegas", "Melbourne", "Canberra", "Brisbane", "Sydney", "Perth", "Adelaide", "Chicago", "Daily Mail, London" , "London Correspondent", "London Daily Mail", "Buenos Aires" , "New York", "New Delhi", "London", ", Washington", "Beijing", "Health", # random stuff "State ", "Council On The Ageing", "Words ", "Text", "By ", "With ", " In ", " - ", ":", "Proprietor Realise Personal Training Company", "B+S Nutritionist", "My Week", "Medical", "Manufacturing", "Brought To You", "Film ", "Reviews ", "Comment", "Personal", "Finance", "Natural ", "Solutions ", "Special ", "Report ", "Recipe ", "Photography ", "Photo", "-At-Large", "Styling ", "Preparation ", # individual, " - Ian Rose Is A Melbourne Writer." , "Cycling Promotion Fund Policy Adviser ", ". Dannielle Miller Is The Head Of Enlighten Education. Enlighten Works With Teenage Girls In High Schools On Developing A Positive Self-Esteem And Healthy Body Image." ]
byline_replacementlist = ['Exclusive ', ' And ', 'National', 'Correspondent', 'Political', 'Health ', 'Political', 'Education', 'Commentator', 'Regional', 'Agencies', 'Defence', 'Fashion', 'Music', 'Social Issues', 'Reporter', 'Chief', 'Business', 'Workplace', 'Editor', 'Indulge', 'Science', 'Sunday', 'Saturdays', 'Writer', 'Food ', 'Dr ', 'Professor ', 'Las Vegas', 'Melbourne', 'Canberra', 'Brisbane', 'Sydney', 'Perth', 'Adelaide', 'Chicago', 'Daily Mail, London', 'London Correspondent', 'London Daily Mail', 'Buenos Aires', 'New York', 'New Delhi', 'London', ', Washington', 'Beijing', 'Health', 'State ', 'Council On The Ageing', 'Words ', 'Text', 'By ', 'With ', ' In ', ' - ', ':', 'Proprietor Realise Personal Training Company', 'B+S Nutritionist', 'My Week', 'Medical', 'Manufacturing', 'Brought To You', 'Film ', 'Reviews ', 'Comment', 'Personal', 'Finance', 'Natural ', 'Solutions ', 'Special ', 'Report ', 'Recipe ', 'Photography ', 'Photo', '-At-Large', 'Styling ', 'Preparation ', ' - Ian Rose Is A Melbourne Writer.', 'Cycling Promotion Fund Policy Adviser ', '. Dannielle Miller Is The Head Of Enlighten Education. Enlighten Works With Teenage Girls In High Schools On Developing A Positive Self-Esteem And Healthy Body Image.']
""" Model attributes, from https://github.com/kohpangwei/group_DRO/blob/master/models.py Used for: Waterbirds """ model_attributes = { 'bert': { 'feature_type': 'text' }, 'inception_v3': { 'feature_type': 'image', 'target_resolution': (299, 299), 'flatten': False }, 'wideresnet50': { 'feature_type': 'image', 'target_resolution': (224, 224), 'flatten': False }, 'resnet50': { 'feature_type': 'image', 'target_resolution': (224, 224), 'flatten': False }, 'resnet34': { 'feature_type': 'image', 'target_resolution': None, 'flatten': False }, 'raw_logistic_regression': { 'feature_type': 'image', 'target_resolution': None, 'flatten': True, } }
""" Model attributes, from https://github.com/kohpangwei/group_DRO/blob/master/models.py Used for: Waterbirds """ model_attributes = {'bert': {'feature_type': 'text'}, 'inception_v3': {'feature_type': 'image', 'target_resolution': (299, 299), 'flatten': False}, 'wideresnet50': {'feature_type': 'image', 'target_resolution': (224, 224), 'flatten': False}, 'resnet50': {'feature_type': 'image', 'target_resolution': (224, 224), 'flatten': False}, 'resnet34': {'feature_type': 'image', 'target_resolution': None, 'flatten': False}, 'raw_logistic_regression': {'feature_type': 'image', 'target_resolution': None, 'flatten': True}}
# read input file = open("day_two_input.txt", 'r') # compile to list raw_data = file.read().splitlines() valid_count = 0 # iterate over all lines for line in raw_data: line_data = line.split() # find min/max group from line required_value_list = line_data[0].split('-') # define min/max min = int(required_value_list[0]) max = int(required_value_list[1]) # determine character in question character = line_data[1].split(':')[0] # define password password = line_data[2] # count required character in password password_character_count = password.count(character) # if character greater than or equal to min character count if password_character_count >= min: # and if character count less than or equal to max if password_character_count <= max: # valid pwd valid_count += 1 print("Valid Password Count: " + str(valid_count))
file = open('day_two_input.txt', 'r') raw_data = file.read().splitlines() valid_count = 0 for line in raw_data: line_data = line.split() required_value_list = line_data[0].split('-') min = int(required_value_list[0]) max = int(required_value_list[1]) character = line_data[1].split(':')[0] password = line_data[2] password_character_count = password.count(character) if password_character_count >= min: if password_character_count <= max: valid_count += 1 print('Valid Password Count: ' + str(valid_count))
class DispatchActionConfiguration(object): """Slack Dispatch Action Configuration composition object builder. For more information, see the following URL: https://api.slack.com/reference/block-kit/composition-objects#dispatch_action_config""" ON_ENTER_PRESSED = 'on_enter_pressed' ON_CHARACTER_ENTERED = 'on_character_entered' ALL_DISPATCH_ACTION_CONFIGURATIONS = [ ON_ENTER_PRESSED, ON_CHARACTER_ENTERED, ] def __init__(self, trigger_actions_on): if not isinstance(trigger_actions_on, list): trigger_actions_on = [trigger_actions_on] if ( len(trigger_actions_on) < 1 or len(trigger_actions_on) > len(ALL_DISPATCH_ACTION_CONFIGURATIONS) ): raise ValueError( 'trigger_actions_on should be one or both of: ' f'{ON_ENTER_PRESSED}, {ON_CHARACTER_ENTERED}' ) for action in trigger_actions_on: if action not in ALL_DISPATCH_ACTION_CONFIGURATIONS: raise ValueError( 'trigger_actions_on should be one or both of: ' f'{ON_ENTER_PRESSED}, {ON_CHARACTER_ENTERED}' ) super(DispatchActionConfiguration, self).__init__( trigger_actions_on=trigger_actions_on, )
class Dispatchactionconfiguration(object): """Slack Dispatch Action Configuration composition object builder. For more information, see the following URL: https://api.slack.com/reference/block-kit/composition-objects#dispatch_action_config""" on_enter_pressed = 'on_enter_pressed' on_character_entered = 'on_character_entered' all_dispatch_action_configurations = [ON_ENTER_PRESSED, ON_CHARACTER_ENTERED] def __init__(self, trigger_actions_on): if not isinstance(trigger_actions_on, list): trigger_actions_on = [trigger_actions_on] if len(trigger_actions_on) < 1 or len(trigger_actions_on) > len(ALL_DISPATCH_ACTION_CONFIGURATIONS): raise value_error(f'trigger_actions_on should be one or both of: {ON_ENTER_PRESSED}, {ON_CHARACTER_ENTERED}') for action in trigger_actions_on: if action not in ALL_DISPATCH_ACTION_CONFIGURATIONS: raise value_error(f'trigger_actions_on should be one or both of: {ON_ENTER_PRESSED}, {ON_CHARACTER_ENTERED}') super(DispatchActionConfiguration, self).__init__(trigger_actions_on=trigger_actions_on)
__title__ = 'SQL Python for Deep Learning' __version__ = '0.1' __author__ = 'Miguel Gonzalez-Fierro' __license__ = 'MIT license' # Synonym VERSION = __version__ LICENSE = __license__
__title__ = 'SQL Python for Deep Learning' __version__ = '0.1' __author__ = 'Miguel Gonzalez-Fierro' __license__ = 'MIT license' version = __version__ license = __license__
# # Complete the 'flippingMatrix' function below. # # The function is expected to return an INTEGER. # The function accepts 2D_INTEGER_ARRAY matrix as parameter. # def flippingMatrix(matrix): n = len(matrix) - 1 max_sum = 0 for i in range(len(matrix) // 2): for j in range(len(matrix) // 2): top_left = matrix[i][j] top_right = matrix[i][n-j] bottom_left = matrix[n-i][j] bottom_right = matrix[n-i][n-j] max_sum += max(top_left, top_right, bottom_left, bottom_right) return max_sum
def flipping_matrix(matrix): n = len(matrix) - 1 max_sum = 0 for i in range(len(matrix) // 2): for j in range(len(matrix) // 2): top_left = matrix[i][j] top_right = matrix[i][n - j] bottom_left = matrix[n - i][j] bottom_right = matrix[n - i][n - j] max_sum += max(top_left, top_right, bottom_left, bottom_right) return max_sum
# # PySNMP MIB module SIAE-UNITYPE-MIB (http://snmplabs.com/pysmi) # ASN.1 source file://./sm_unitype.mib # Produced by pysmi-0.3.2 at Fri Jul 19 08:22:05 2019 # On host 0e190c6811ee platform Linux version 4.9.125-linuxkit by user root # Using Python version 3.7.3 (default, Apr 3 2019, 05:39:12) # OctetString, ObjectIdentifier, Integer = mibBuilder.importSymbols("ASN1", "OctetString", "ObjectIdentifier", "Integer") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ConstraintsIntersection, ValueSizeConstraint, ValueRangeConstraint, SingleValueConstraint, ConstraintsUnion = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsIntersection", "ValueSizeConstraint", "ValueRangeConstraint", "SingleValueConstraint", "ConstraintsUnion") siaeMib, = mibBuilder.importSymbols("SIAE-TREE-MIB", "siaeMib") ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup") MibIdentifier, Counter32, Gauge32, IpAddress, ObjectIdentity, ModuleIdentity, TimeTicks, iso, NotificationType, Integer32, MibScalar, MibTable, MibTableRow, MibTableColumn, Bits, Counter64, Unsigned32 = mibBuilder.importSymbols("SNMPv2-SMI", "MibIdentifier", "Counter32", "Gauge32", "IpAddress", "ObjectIdentity", "ModuleIdentity", "TimeTicks", "iso", "NotificationType", "Integer32", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Bits", "Counter64", "Unsigned32") TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString") unitTypeMib = ModuleIdentity((1, 3, 6, 1, 4, 1, 3373, 1103, 506)) unitTypeMib.setRevisions(('2015-03-04 00:00', '2014-12-01 00:00', '2014-03-19 00:00', '2014-02-07 00:00', '2013-04-16 00:00',)) if mibBuilder.loadTexts: unitTypeMib.setLastUpdated('201503040000Z') if mibBuilder.loadTexts: unitTypeMib.setOrganization('SIAE MICROELETTRONICA spa') unitType = MibIdentifier((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3)) unitTypeUnequipped = ObjectIdentity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 1)) if mibBuilder.loadTexts: unitTypeUnequipped.setStatus('current') unitTypeODU = ObjectIdentity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 5)) if mibBuilder.loadTexts: unitTypeODU.setStatus('current') unitTypeALFO80HD = ObjectIdentity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 200)) if mibBuilder.loadTexts: unitTypeALFO80HD.setStatus('current') unitTypeALFO80HDelectrical = ObjectIdentity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 201)) if mibBuilder.loadTexts: unitTypeALFO80HDelectrical.setStatus('current') unitTypeALFO80HDelectricalOptical = ObjectIdentity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 202)) if mibBuilder.loadTexts: unitTypeALFO80HDelectricalOptical.setStatus('current') unitTypeALFO80HDoptical = ObjectIdentity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 203)) if mibBuilder.loadTexts: unitTypeALFO80HDoptical.setStatus('current') unitTypeAGS20ARI1 = ObjectIdentity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 210)) if mibBuilder.loadTexts: unitTypeAGS20ARI1.setStatus('current') unitTypeAGS20ARI2 = ObjectIdentity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 211)) if mibBuilder.loadTexts: unitTypeAGS20ARI2.setStatus('current') unitTypeAGS20ARI4 = ObjectIdentity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 212)) if mibBuilder.loadTexts: unitTypeAGS20ARI4.setStatus('current') unitTypeAGS20DRI4 = ObjectIdentity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 213)) if mibBuilder.loadTexts: unitTypeAGS20DRI4.setStatus('current') unitTypeAGS20ARI1TDM2 = ObjectIdentity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 214)) if mibBuilder.loadTexts: unitTypeAGS20ARI1TDM2.setStatus('current') unitTypeAGS20ARI1TDM3 = ObjectIdentity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 215)) if mibBuilder.loadTexts: unitTypeAGS20ARI1TDM3.setStatus('current') unitTypeAGS20ARI2TDM2 = ObjectIdentity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 216)) if mibBuilder.loadTexts: unitTypeAGS20ARI2TDM2.setStatus('current') unitTypeAGS20ARI2TDM3 = ObjectIdentity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 217)) if mibBuilder.loadTexts: unitTypeAGS20ARI2TDM3.setStatus('current') unitTypeAGS20ARI4TDM2 = ObjectIdentity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 218)) if mibBuilder.loadTexts: unitTypeAGS20ARI4TDM2.setStatus('current') unitTypeAGS20ARI4TDM3 = ObjectIdentity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 219)) if mibBuilder.loadTexts: unitTypeAGS20ARI4TDM3.setStatus('current') unitTypeAGS20DRI4TDM2 = ObjectIdentity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 220)) if mibBuilder.loadTexts: unitTypeAGS20DRI4TDM2.setStatus('current') unitTypeAGS20DRI4TDM3 = ObjectIdentity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 221)) if mibBuilder.loadTexts: unitTypeAGS20DRI4TDM3.setStatus('current') unitTypeAGS20CORE = ObjectIdentity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 222)) if mibBuilder.loadTexts: unitTypeAGS20CORE.setStatus('current') unitTypeAGS20ARI1DP = ObjectIdentity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 223)) if mibBuilder.loadTexts: unitTypeAGS20ARI1DP.setStatus('current') unitTypeAGS20ARI1TDM2DP = ObjectIdentity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 224)) if mibBuilder.loadTexts: unitTypeAGS20ARI1TDM2DP.setStatus('current') unitTypeAGS20ARI1TDM3DP = ObjectIdentity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 225)) if mibBuilder.loadTexts: unitTypeAGS20ARI1TDM3DP.setStatus('current') unitTypeALFOplus2 = ObjectIdentity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 230)) if mibBuilder.loadTexts: unitTypeALFOplus2.setStatus('current') unitTypeAGS20ODU = ObjectIdentity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 231)) if mibBuilder.loadTexts: unitTypeAGS20ODU.setStatus('current') mibBuilder.exportSymbols("SIAE-UNITYPE-MIB", unitTypeALFO80HDelectrical=unitTypeALFO80HDelectrical, unitTypeAGS20ARI1TDM2=unitTypeAGS20ARI1TDM2, unitTypeAGS20ARI4=unitTypeAGS20ARI4, unitTypeAGS20DRI4TDM3=unitTypeAGS20DRI4TDM3, unitTypeAGS20ARI2TDM3=unitTypeAGS20ARI2TDM3, PYSNMP_MODULE_ID=unitTypeMib, unitTypeAGS20ARI2=unitTypeAGS20ARI2, unitTypeMib=unitTypeMib, unitTypeALFO80HD=unitTypeALFO80HD, unitTypeALFOplus2=unitTypeALFOplus2, unitTypeAGS20DRI4TDM2=unitTypeAGS20DRI4TDM2, unitTypeAGS20ODU=unitTypeAGS20ODU, unitTypeAGS20ARI1=unitTypeAGS20ARI1, unitType=unitType, unitTypeAGS20ARI4TDM3=unitTypeAGS20ARI4TDM3, unitTypeAGS20DRI4=unitTypeAGS20DRI4, unitTypeAGS20ARI1DP=unitTypeAGS20ARI1DP, unitTypeAGS20ARI1TDM2DP=unitTypeAGS20ARI1TDM2DP, unitTypeAGS20ARI1TDM3=unitTypeAGS20ARI1TDM3, unitTypeAGS20ARI2TDM2=unitTypeAGS20ARI2TDM2, unitTypeODU=unitTypeODU, unitTypeALFO80HDelectricalOptical=unitTypeALFO80HDelectricalOptical, unitTypeAGS20ARI4TDM2=unitTypeAGS20ARI4TDM2, unitTypeUnequipped=unitTypeUnequipped, unitTypeAGS20ARI1TDM3DP=unitTypeAGS20ARI1TDM3DP, unitTypeALFO80HDoptical=unitTypeALFO80HDoptical, unitTypeAGS20CORE=unitTypeAGS20CORE)
(octet_string, object_identifier, integer) = mibBuilder.importSymbols('ASN1', 'OctetString', 'ObjectIdentifier', 'Integer') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (constraints_intersection, value_size_constraint, value_range_constraint, single_value_constraint, constraints_union) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsIntersection', 'ValueSizeConstraint', 'ValueRangeConstraint', 'SingleValueConstraint', 'ConstraintsUnion') (siae_mib,) = mibBuilder.importSymbols('SIAE-TREE-MIB', 'siaeMib') (module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup') (mib_identifier, counter32, gauge32, ip_address, object_identity, module_identity, time_ticks, iso, notification_type, integer32, mib_scalar, mib_table, mib_table_row, mib_table_column, bits, counter64, unsigned32) = mibBuilder.importSymbols('SNMPv2-SMI', 'MibIdentifier', 'Counter32', 'Gauge32', 'IpAddress', 'ObjectIdentity', 'ModuleIdentity', 'TimeTicks', 'iso', 'NotificationType', 'Integer32', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Bits', 'Counter64', 'Unsigned32') (textual_convention, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString') unit_type_mib = module_identity((1, 3, 6, 1, 4, 1, 3373, 1103, 506)) unitTypeMib.setRevisions(('2015-03-04 00:00', '2014-12-01 00:00', '2014-03-19 00:00', '2014-02-07 00:00', '2013-04-16 00:00')) if mibBuilder.loadTexts: unitTypeMib.setLastUpdated('201503040000Z') if mibBuilder.loadTexts: unitTypeMib.setOrganization('SIAE MICROELETTRONICA spa') unit_type = mib_identifier((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3)) unit_type_unequipped = object_identity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 1)) if mibBuilder.loadTexts: unitTypeUnequipped.setStatus('current') unit_type_odu = object_identity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 5)) if mibBuilder.loadTexts: unitTypeODU.setStatus('current') unit_type_alfo80_hd = object_identity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 200)) if mibBuilder.loadTexts: unitTypeALFO80HD.setStatus('current') unit_type_alfo80_h_delectrical = object_identity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 201)) if mibBuilder.loadTexts: unitTypeALFO80HDelectrical.setStatus('current') unit_type_alfo80_h_delectrical_optical = object_identity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 202)) if mibBuilder.loadTexts: unitTypeALFO80HDelectricalOptical.setStatus('current') unit_type_alfo80_h_doptical = object_identity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 203)) if mibBuilder.loadTexts: unitTypeALFO80HDoptical.setStatus('current') unit_type_ags20_ari1 = object_identity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 210)) if mibBuilder.loadTexts: unitTypeAGS20ARI1.setStatus('current') unit_type_ags20_ari2 = object_identity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 211)) if mibBuilder.loadTexts: unitTypeAGS20ARI2.setStatus('current') unit_type_ags20_ari4 = object_identity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 212)) if mibBuilder.loadTexts: unitTypeAGS20ARI4.setStatus('current') unit_type_ags20_dri4 = object_identity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 213)) if mibBuilder.loadTexts: unitTypeAGS20DRI4.setStatus('current') unit_type_ags20_ari1_tdm2 = object_identity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 214)) if mibBuilder.loadTexts: unitTypeAGS20ARI1TDM2.setStatus('current') unit_type_ags20_ari1_tdm3 = object_identity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 215)) if mibBuilder.loadTexts: unitTypeAGS20ARI1TDM3.setStatus('current') unit_type_ags20_ari2_tdm2 = object_identity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 216)) if mibBuilder.loadTexts: unitTypeAGS20ARI2TDM2.setStatus('current') unit_type_ags20_ari2_tdm3 = object_identity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 217)) if mibBuilder.loadTexts: unitTypeAGS20ARI2TDM3.setStatus('current') unit_type_ags20_ari4_tdm2 = object_identity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 218)) if mibBuilder.loadTexts: unitTypeAGS20ARI4TDM2.setStatus('current') unit_type_ags20_ari4_tdm3 = object_identity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 219)) if mibBuilder.loadTexts: unitTypeAGS20ARI4TDM3.setStatus('current') unit_type_ags20_dri4_tdm2 = object_identity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 220)) if mibBuilder.loadTexts: unitTypeAGS20DRI4TDM2.setStatus('current') unit_type_ags20_dri4_tdm3 = object_identity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 221)) if mibBuilder.loadTexts: unitTypeAGS20DRI4TDM3.setStatus('current') unit_type_ags20_core = object_identity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 222)) if mibBuilder.loadTexts: unitTypeAGS20CORE.setStatus('current') unit_type_ags20_ari1_dp = object_identity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 223)) if mibBuilder.loadTexts: unitTypeAGS20ARI1DP.setStatus('current') unit_type_ags20_ari1_tdm2_dp = object_identity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 224)) if mibBuilder.loadTexts: unitTypeAGS20ARI1TDM2DP.setStatus('current') unit_type_ags20_ari1_tdm3_dp = object_identity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 225)) if mibBuilder.loadTexts: unitTypeAGS20ARI1TDM3DP.setStatus('current') unit_type_alf_oplus2 = object_identity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 230)) if mibBuilder.loadTexts: unitTypeALFOplus2.setStatus('current') unit_type_ags20_odu = object_identity((1, 3, 6, 1, 4, 1, 3373, 1103, 6, 3, 231)) if mibBuilder.loadTexts: unitTypeAGS20ODU.setStatus('current') mibBuilder.exportSymbols('SIAE-UNITYPE-MIB', unitTypeALFO80HDelectrical=unitTypeALFO80HDelectrical, unitTypeAGS20ARI1TDM2=unitTypeAGS20ARI1TDM2, unitTypeAGS20ARI4=unitTypeAGS20ARI4, unitTypeAGS20DRI4TDM3=unitTypeAGS20DRI4TDM3, unitTypeAGS20ARI2TDM3=unitTypeAGS20ARI2TDM3, PYSNMP_MODULE_ID=unitTypeMib, unitTypeAGS20ARI2=unitTypeAGS20ARI2, unitTypeMib=unitTypeMib, unitTypeALFO80HD=unitTypeALFO80HD, unitTypeALFOplus2=unitTypeALFOplus2, unitTypeAGS20DRI4TDM2=unitTypeAGS20DRI4TDM2, unitTypeAGS20ODU=unitTypeAGS20ODU, unitTypeAGS20ARI1=unitTypeAGS20ARI1, unitType=unitType, unitTypeAGS20ARI4TDM3=unitTypeAGS20ARI4TDM3, unitTypeAGS20DRI4=unitTypeAGS20DRI4, unitTypeAGS20ARI1DP=unitTypeAGS20ARI1DP, unitTypeAGS20ARI1TDM2DP=unitTypeAGS20ARI1TDM2DP, unitTypeAGS20ARI1TDM3=unitTypeAGS20ARI1TDM3, unitTypeAGS20ARI2TDM2=unitTypeAGS20ARI2TDM2, unitTypeODU=unitTypeODU, unitTypeALFO80HDelectricalOptical=unitTypeALFO80HDelectricalOptical, unitTypeAGS20ARI4TDM2=unitTypeAGS20ARI4TDM2, unitTypeUnequipped=unitTypeUnequipped, unitTypeAGS20ARI1TDM3DP=unitTypeAGS20ARI1TDM3DP, unitTypeALFO80HDoptical=unitTypeALFO80HDoptical, unitTypeAGS20CORE=unitTypeAGS20CORE)
class hash_list(): def __init__(self): self.hash_list = {} def add(self, *args): if args: for item in args: key = self._key(item) if self.hash_list.get(key): self.hash_list[key].append(item) else: self.hash_list[key] = [item] else: raise TypeError('No arguments passed.') def get_item_index(self, item): key = self._key(item) if self.hash_list.get(key): items_lst = self.hash_list[key] if item in items_lst: return (key, items_lst.index(item)) raise LookupError(f"'{item}' may have the same key but is not in hashlist") else: raise LookupError(f"'{item}' not found") def get_item_by_index(self, index): try: return self.hash_list[index[0]][index[1]] except LookupError: raise LookupError('Index out of bound') def remove_item_by_index(self, index): try: self.hash_list[index[0]].pop(index[1]) if self.hash_list[index[0]]: self.delete_key(index[0]) except LookupError: raise LookupError('Index out of bound.') def remove_item_by_name(self, item): index = self.get_item_index(item) self.remove_item_by_index(index) def delete_key(self, key): self.hash_list.pop(key) def keys(self): ind = [index for index in self.hash_list.keys()] return ind def _key(self, word): if word: key = sum([ord(letter) for letter in word])//len(word) return key raise TypeError('Argument can not be None') def print(self): print(self.hash_list)
class Hash_List: def __init__(self): self.hash_list = {} def add(self, *args): if args: for item in args: key = self._key(item) if self.hash_list.get(key): self.hash_list[key].append(item) else: self.hash_list[key] = [item] else: raise type_error('No arguments passed.') def get_item_index(self, item): key = self._key(item) if self.hash_list.get(key): items_lst = self.hash_list[key] if item in items_lst: return (key, items_lst.index(item)) raise lookup_error(f"'{item}' may have the same key but is not in hashlist") else: raise lookup_error(f"'{item}' not found") def get_item_by_index(self, index): try: return self.hash_list[index[0]][index[1]] except LookupError: raise lookup_error('Index out of bound') def remove_item_by_index(self, index): try: self.hash_list[index[0]].pop(index[1]) if self.hash_list[index[0]]: self.delete_key(index[0]) except LookupError: raise lookup_error('Index out of bound.') def remove_item_by_name(self, item): index = self.get_item_index(item) self.remove_item_by_index(index) def delete_key(self, key): self.hash_list.pop(key) def keys(self): ind = [index for index in self.hash_list.keys()] return ind def _key(self, word): if word: key = sum([ord(letter) for letter in word]) // len(word) return key raise type_error('Argument can not be None') def print(self): print(self.hash_list)
class Parent(): def __init__(self, last_name, eye_color): print("Parent Constructor Called.") self.last_name = last_name self.eye_color = eye_color def show_info(self): print("Last name - " + self.last_name) print("Eye color - " + self.eye_color) class Child(Parent): def __init__(self, last_name, eye_color, number_of_toys): print("child constructor called.") Parent.__init__(self, last_name, eye_color) self.number_of_toys = number_of_toys # billy_cyrus = Parent("Cyrus", "Blue") # billy_cyrus.show_info() miley_cyrus = Child("Cyrus", "Blue", 5) miley_cyrus.show_info() # print(miley_cyrus.last_name) # print(miley_cyrus.number_of_toys)
class Parent: def __init__(self, last_name, eye_color): print('Parent Constructor Called.') self.last_name = last_name self.eye_color = eye_color def show_info(self): print('Last name - ' + self.last_name) print('Eye color - ' + self.eye_color) class Child(Parent): def __init__(self, last_name, eye_color, number_of_toys): print('child constructor called.') Parent.__init__(self, last_name, eye_color) self.number_of_toys = number_of_toys miley_cyrus = child('Cyrus', 'Blue', 5) miley_cyrus.show_info()
# Mumbling def accum(s): counter = 0 answer = '' for char in s: counter += 1 answer += char.upper() for i in range(counter - 1): answer += char.lower() if counter < len(s): answer += '-' return answer # Alternative solution def accum2(s): answer = '' for i in range(len(s)): answer += s[i] * (i + 1) + '-' return answer[:-1]
def accum(s): counter = 0 answer = '' for char in s: counter += 1 answer += char.upper() for i in range(counter - 1): answer += char.lower() if counter < len(s): answer += '-' return answer def accum2(s): answer = '' for i in range(len(s)): answer += s[i] * (i + 1) + '-' return answer[:-1]
CALLING = 0 WAITING = 1 IN_VEHICLE = 2 ARRIVED = 3 DISAPPEARED = 4
calling = 0 waiting = 1 in_vehicle = 2 arrived = 3 disappeared = 4
def print_progress(iteration, total, start_time, print_every=1e-2): progress = (iteration + 1) / total if iteration == total - 1: print("Completed in {}s.\n".format(int(time() - start_time))) elif (iteration + 1) % max(1, int(total * print_every / 100)) == 0: print("{:.2f}% completed. Time - {}s, ETA - {}s\t\t".format(np.round(progress * 100, 2), int(time() - start_time), int((1 / progress - 1) * (time() - start_time))), end='\r', flush=True) def dict_to_list(dictionary, idx_list_length=0, none_key='None'): for key, value in dictionary.items(): if len(value) == 0: none_key = key if idx_list_length == 0: for index in value: if index >= idx_list_length: idx_list_length = index + 1 idx_list = [none_key] * idx_list_length for key, value in dictionary.items(): for index in value: idx_list[index] = key return idx_list
def print_progress(iteration, total, start_time, print_every=0.01): progress = (iteration + 1) / total if iteration == total - 1: print('Completed in {}s.\n'.format(int(time() - start_time))) elif (iteration + 1) % max(1, int(total * print_every / 100)) == 0: print('{:.2f}% completed. Time - {}s, ETA - {}s\t\t'.format(np.round(progress * 100, 2), int(time() - start_time), int((1 / progress - 1) * (time() - start_time))), end='\r', flush=True) def dict_to_list(dictionary, idx_list_length=0, none_key='None'): for (key, value) in dictionary.items(): if len(value) == 0: none_key = key if idx_list_length == 0: for index in value: if index >= idx_list_length: idx_list_length = index + 1 idx_list = [none_key] * idx_list_length for (key, value) in dictionary.items(): for index in value: idx_list[index] = key return idx_list
def solve(heights): temp = heights[0] for height in heights[1:]: if height > temp: temp = height else: print(temp) return print(temp) return t = int(input()) heights = list(map(int, input().split())) solve(heights)
def solve(heights): temp = heights[0] for height in heights[1:]: if height > temp: temp = height else: print(temp) return print(temp) return t = int(input()) heights = list(map(int, input().split())) solve(heights)
commands = [] with open('./input', encoding='utf8') as file: for line in file.readlines(): cmd, cube = line.strip().split(" ") ranges = [ [int(val)+50 for val in dimension[2:].split('..')] for dimension in cube.split(',') ] commands.append({'cmd': cmd, 'ranges': ranges}) reactor = [[[0 for col in range(101)]for row in range(101)] for x in range(101)] for cmd in commands: if cmd['cmd'] == 'on': val = 1 else: val = 0 for i in range(cmd['ranges'][0][0], cmd['ranges'][0][1]+1): if abs(cmd['ranges'][0][0]) > 100 or abs(cmd['ranges'][0][1])+1 > 100: continue for j in range(cmd['ranges'][1][0], cmd['ranges'][1][1]+1): for k in range(cmd['ranges'][2][0], cmd['ranges'][2][1]+1): reactor[i][j][k] = val total = 0 for r1 in reactor: for r2 in r1: total += sum(r2) print(total)
commands = [] with open('./input', encoding='utf8') as file: for line in file.readlines(): (cmd, cube) = line.strip().split(' ') ranges = [[int(val) + 50 for val in dimension[2:].split('..')] for dimension in cube.split(',')] commands.append({'cmd': cmd, 'ranges': ranges}) reactor = [[[0 for col in range(101)] for row in range(101)] for x in range(101)] for cmd in commands: if cmd['cmd'] == 'on': val = 1 else: val = 0 for i in range(cmd['ranges'][0][0], cmd['ranges'][0][1] + 1): if abs(cmd['ranges'][0][0]) > 100 or abs(cmd['ranges'][0][1]) + 1 > 100: continue for j in range(cmd['ranges'][1][0], cmd['ranges'][1][1] + 1): for k in range(cmd['ranges'][2][0], cmd['ranges'][2][1] + 1): reactor[i][j][k] = val total = 0 for r1 in reactor: for r2 in r1: total += sum(r2) print(total)
class MorphSerializable: def __init__(self, properties_to_serialize, property_dict): self.property_dict = property_dict self.properties_to_serialize = properties_to_serialize
class Morphserializable: def __init__(self, properties_to_serialize, property_dict): self.property_dict = property_dict self.properties_to_serialize = properties_to_serialize
# # PySNMP MIB module F5-BIGIP-GLOBAL-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/F5-BIGIP-GLOBAL-MIB # Produced by pysmi-0.3.4 at Wed May 1 13:11:42 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # OctetString, ObjectIdentifier, Integer = mibBuilder.importSymbols("ASN1", "OctetString", "ObjectIdentifier", "Integer") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") SingleValueConstraint, ValueRangeConstraint, ConstraintsIntersection, ValueSizeConstraint, ConstraintsUnion = mibBuilder.importSymbols("ASN1-REFINEMENT", "SingleValueConstraint", "ValueRangeConstraint", "ConstraintsIntersection", "ValueSizeConstraint", "ConstraintsUnion") bigipGroups, bigipCompliances, LongDisplayString, bigipTrafficMgmt = mibBuilder.importSymbols("F5-BIGIP-COMMON-MIB", "bigipGroups", "bigipCompliances", "LongDisplayString", "bigipTrafficMgmt") InetAddressType, InetAddress, InetPortNumber = mibBuilder.importSymbols("INET-ADDRESS-MIB", "InetAddressType", "InetAddress", "InetPortNumber") ModuleCompliance, ObjectGroup, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "ObjectGroup", "NotificationGroup") MibIdentifier, ObjectIdentity, Counter32, Gauge32, Counter64, iso, IpAddress, NotificationType, ModuleIdentity, Unsigned32, Integer32, enterprises, Bits, Opaque, TimeTicks, MibScalar, MibTable, MibTableRow, MibTableColumn = mibBuilder.importSymbols("SNMPv2-SMI", "MibIdentifier", "ObjectIdentity", "Counter32", "Gauge32", "Counter64", "iso", "IpAddress", "NotificationType", "ModuleIdentity", "Unsigned32", "Integer32", "enterprises", "Bits", "Opaque", "TimeTicks", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn") TextualConvention, MacAddress, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "MacAddress", "DisplayString") bigipGlobalTM = ModuleIdentity((1, 3, 6, 1, 4, 1, 3375, 2, 3)) if mibBuilder.loadTexts: bigipGlobalTM.setLastUpdated('201508070110Z') if mibBuilder.loadTexts: bigipGlobalTM.setOrganization('F5 Networks, Inc.') if mibBuilder.loadTexts: bigipGlobalTM.setContactInfo('postal: F5 Networks, Inc. 401 Elliott Ave. West Seattle, WA 98119 phone: (206) 272-5555 email: support@f5.com') if mibBuilder.loadTexts: bigipGlobalTM.setDescription('Top-level infrastructure of the F5 enterprise MIB tree.') gtmGlobals = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1)) gtmApplications = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2)) gtmDataCenters = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3)) gtmIps = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 4)) gtmLinks = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5)) gtmPools = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6)) gtmRegions = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 7)) gtmRules = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8)) gtmServers = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9)) gtmTopologies = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 10)) gtmVirtualServers = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11)) gtmWideips = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12)) gtmProberPools = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13)) gtmDNSSEC = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14)) gtmGlobalAttrs = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1)) gtmGlobalStats = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2)) gtmGlobalAttr = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1)) gtmGlobalLdnsProbeProto = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 2)) gtmGlobalAttr2 = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3)) gtmGlobalStat = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1)) gtmGlobalDnssecStat = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2)) gtmApplication = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 1)) gtmApplicationStatus = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 2)) gtmAppContextStat = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 3)) gtmAppContextDisable = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 4)) gtmDataCenter = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 1)) gtmDataCenterStat = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 2)) gtmDataCenterStatus = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 3)) gtmIp = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 4, 1)) gtmLink = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1)) gtmLinkCost = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 2)) gtmLinkStat = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 3)) gtmLinkStatus = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 4)) gtmPool = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1)) gtmPoolStat = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 2)) gtmPoolStatus = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 3)) gtmPoolMember = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4)) gtmPoolMemberDepends = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 5)) gtmPoolMemberStat = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 6)) gtmPoolMemberStatus = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 7)) gtmRegionEntry = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 7, 1)) gtmRegItem = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 7, 2)) gtmRule = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 1)) gtmRuleEvent = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 2)) gtmRuleEventStat = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 3)) gtmServer = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1)) gtmServerStat = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 2)) gtmServerStatus = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 3)) gtmServerStat2 = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 4)) gtmTopItem = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 10, 1)) gtmVirtualServ = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1)) gtmVirtualServDepends = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 2)) gtmVirtualServStat = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3)) gtmVirtualServStatus = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 4)) gtmWideip = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 1)) gtmWideipStat = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 2)) gtmWideipStatus = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 3)) gtmWideipAlias = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 4)) gtmWideipPool = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 5)) gtmWideipRule = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 6)) gtmProberPool = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 1)) gtmProberPoolStat = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 2)) gtmProberPoolStatus = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 3)) gtmProberPoolMember = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 4)) gtmProberPoolMemberStat = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 5)) gtmProberPoolMemberStatus = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 6)) gtmDnssecZoneStat = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1)) gtmAttrDumpTopology = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrDumpTopology.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrDumpTopology.setDescription('Deprecated!. The state indicating whether or not to dump the topology.') gtmAttrCacheLdns = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrCacheLdns.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrCacheLdns.setDescription('Deprecated!. The state indicating whether or not to cache LDNSes.') gtmAttrAolAware = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrAolAware.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrAolAware.setDescription('Deprecated!. The state indicating whether or not local DNS servers that belong to AOL (America Online) are recognized.') gtmAttrCheckStaticDepends = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrCheckStaticDepends.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrCheckStaticDepends.setDescription('Deprecated!. The state indicating whether or not to check the availability of virtual servers.') gtmAttrCheckDynamicDepends = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrCheckDynamicDepends.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrCheckDynamicDepends.setDescription('Deprecated!. The state indicating whether or not to check availability of a path before it uses the path for load balancing.') gtmAttrDrainRequests = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrDrainRequests.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrDrainRequests.setDescription('Deprecated!. The state indicating whether or not persistent connections are allowed to remain connected, until TTL expires, when disabling a pool.') gtmAttrEnableResetsRipeness = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrEnableResetsRipeness.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrEnableResetsRipeness.setDescription('Deprecated!. The state indicating whether or not ripeness value is allowed to be reset.') gtmAttrFbRespectDepends = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrFbRespectDepends.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrFbRespectDepends.setDescription('Deprecated!. The state indicating whether or not to respect virtual server status when load balancing switches to the fallback mode.') gtmAttrFbRespectAcl = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrFbRespectAcl.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrFbRespectAcl.setDescription('Deprecated!. Deprecated! The state indicating whether or not to respect ACL. This is part of an outdated mechanism for disabling virtual servers') gtmAttrDefaultAlternate = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18))).clone(namedValues=NamedValues(("returntodns", 0), ("null", 1), ("roundrobin", 2), ("ratio", 3), ("topology", 4), ("statpersist", 5), ("ga", 6), ("vscapacity", 7), ("leastconn", 8), ("lowestrtt", 9), ("lowesthops", 10), ("packetrate", 11), ("cpu", 12), ("hitratio", 13), ("qos", 14), ("bps", 15), ("droppacket", 16), ("explicitip", 17), ("vssore", 18)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrDefaultAlternate.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrDefaultAlternate.setDescription('Deprecated!. The default alternate LB method.') gtmAttrDefaultFallback = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18))).clone(namedValues=NamedValues(("returntodns", 0), ("null", 1), ("roundrobin", 2), ("ratio", 3), ("topology", 4), ("statpersit", 5), ("ga", 6), ("vscapacity", 7), ("leastconn", 8), ("lowestrtt", 9), ("lowesthops", 10), ("packetrate", 11), ("cpu", 12), ("hitratio", 13), ("qos", 14), ("bps", 15), ("droppacket", 16), ("explicitip", 17), ("vsscore", 18)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrDefaultFallback.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrDefaultFallback.setDescription('Deprecated!. The default fallback LB method.') gtmAttrPersistMask = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 12), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrPersistMask.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrPersistMask.setDescription('Deprecated!. Deprecated! Replaced by gtmAttrStaticPersistCidr and gtmAttrStaticPersistV6Cidr. The persistence mask which is used to determine the netmask applied for static persistance requests.') gtmAttrGtmSetsRecursion = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrGtmSetsRecursion.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrGtmSetsRecursion.setDescription('Deprecated!. The state indicating whether set recursion by global traffic management object(GTM) is enable or not.') gtmAttrQosFactorLcs = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 14), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrQosFactorLcs.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrQosFactorLcs.setDescription('Deprecated!. The factor used to normalize link capacity values when the load balancing mode is set to LB_METHOD_QOS.') gtmAttrQosFactorRtt = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 15), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrQosFactorRtt.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrQosFactorRtt.setDescription('Deprecated!. The factor used to normalize round-trip time values when the load balancing mode is set to LB_METHOD_QOS.') gtmAttrQosFactorHops = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 16), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrQosFactorHops.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrQosFactorHops.setDescription('Deprecated!. The factor used to normalize hops when the load balancing mode is set to LB_METHOD_QOS.') gtmAttrQosFactorHitRatio = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 17), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrQosFactorHitRatio.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrQosFactorHitRatio.setDescription('Deprecated!. The factor used to normalize ping packet completion rates when the load balancing mode is set to LB_METHOD_QOS.') gtmAttrQosFactorPacketRate = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 18), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrQosFactorPacketRate.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrQosFactorPacketRate.setDescription('Deprecated!. The factor used to normalize packet rates when the load balancing mode is set to LB_METHOD_QOS.') gtmAttrQosFactorBps = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 19), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrQosFactorBps.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrQosFactorBps.setDescription('Deprecated!. The factor used to normalize kilobytes per second when the load balancing mode is set to LB_METHOD_QOS.') gtmAttrQosFactorVsCapacity = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 20), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrQosFactorVsCapacity.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrQosFactorVsCapacity.setDescription('Deprecated!. The factor used to normalize virtual server capacity values when the load balancing mode is set to LB_METHOD_QOS.') gtmAttrQosFactorTopology = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 21), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrQosFactorTopology.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrQosFactorTopology.setDescription('Deprecated!. The factor used to normalize topology values when the load balancing mode is set to LB_METHOD_QOS.') gtmAttrQosFactorConnRate = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 22), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrQosFactorConnRate.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrQosFactorConnRate.setDescription('Deprecated!. Deprecated! Replaced by gtmAttrQosFactorVsScore. The factor used to normalize connection rates when the load balancing mode is set to LB_METHOD_QOS.') gtmAttrTimerRetryPathData = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 23), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrTimerRetryPathData.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrTimerRetryPathData.setDescription('Deprecated!. The frequency at which to retrieve path data.') gtmAttrTimerGetAutoconfigData = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 24), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrTimerGetAutoconfigData.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrTimerGetAutoconfigData.setDescription('Deprecated!. The frequency at which to retrieve auto-configuration data.') gtmAttrTimerPersistCache = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 25), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrTimerPersistCache.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrTimerPersistCache.setDescription('Deprecated!. The frequency at which to retrieve path and metrics data from the system cache.') gtmAttrDefaultProbeLimit = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 26), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrDefaultProbeLimit.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrDefaultProbeLimit.setDescription('Deprecated!. The default probe limit, the number of times to probe a path.') gtmAttrDownThreshold = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 27), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrDownThreshold.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrDownThreshold.setDescription('Deprecated!. The down_threshold value. If a host server or a host virtual server has been marked down for the last down_threshold probing cycles (timer_get_host_data or timer_get_vs_data respectively), then perform service checks every down_multiple * timer period instead.') gtmAttrDownMultiple = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 28), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrDownMultiple.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrDownMultiple.setDescription('Deprecated!. The down_multiple value. If a host server or a host virtual server has been marked down for the last down_threshold probing cycles (timer_get_host_data or timer_get_vs_data respectively), then perform service checks every down_multiple * timer period instead.') gtmAttrPathTtl = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 29), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrPathTtl.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrPathTtl.setDescription('Deprecated!. The TTL for the path information.') gtmAttrTraceTtl = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 30), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrTraceTtl.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrTraceTtl.setDescription('Deprecated!. The TTL for the traceroute information.') gtmAttrLdnsDuration = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 31), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrLdnsDuration.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrLdnsDuration.setDescription('Deprecated!. The number of seconds that an inactive LDNS remains cached.') gtmAttrPathDuration = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 32), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrPathDuration.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrPathDuration.setDescription('Deprecated!. The number of seconds that a path remains cached after its last access.') gtmAttrRttSampleCount = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 33), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrRttSampleCount.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrRttSampleCount.setDescription('Deprecated!. The number of packets to send out in a probe request to determine path information.') gtmAttrRttPacketLength = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 34), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrRttPacketLength.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrRttPacketLength.setDescription('Deprecated!. The length of the packet sent out in a probe request to determine path information.') gtmAttrRttTimeout = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 35), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrRttTimeout.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrRttTimeout.setDescription('Deprecated!. The timeout for RTT, in seconds.') gtmAttrMaxMonReqs = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 36), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrMaxMonReqs.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrMaxMonReqs.setDescription('Deprecated!. The maximum synchronous monitor request, which is used to control the maximum number of monitor requests being sent out at one time for a given probing interval. This will allow the user to smooth out monitor probe requests as much as they desire.') gtmAttrTraceroutePort = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 37), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrTraceroutePort.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrTraceroutePort.setDescription('Deprecated!. The port to use to collect traceroute (hops) data.') gtmAttrPathsNeverDie = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 38), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrPathsNeverDie.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrPathsNeverDie.setDescription('Deprecated!. The state indicating whether the dynamic load balancing modes can use path data even after the TTL for the path data has expired.') gtmAttrProbeDisabledObjects = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 39), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrProbeDisabledObjects.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrProbeDisabledObjects.setDescription('Deprecated!. The state indicating whether probing disabled objects by global traffic management object(GTM) is enabled or not.') gtmAttrLinkLimitFactor = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 40), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrLinkLimitFactor.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrLinkLimitFactor.setDescription('Deprecated!. The link limit factor, which is used to set a target percentage for traffic. For example, if it is set to 90, the ratio cost based load-balancing will set a ratio with a maximum value equal to 90% of the limit value for the link. Default is 95%.') gtmAttrOverLimitLinkLimitFactor = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 41), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrOverLimitLinkLimitFactor.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrOverLimitLinkLimitFactor.setDescription('Deprecated!. The over-limit link limit factor. If traffic on a link exceeds the limit, this factor will be used instead of the link_limit_factor until the traffic is over limit for more than max_link_over_limit_count times. Once the limit has been exceeded too many times, all traffic is shut off for the link. The default for over_limit_link_limit_factor is 90%.') gtmAttrLinkPrepaidFactor = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 42), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrLinkPrepaidFactor.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrLinkPrepaidFactor.setDescription('Deprecated!. The link prepaid factor. Maximum percentage of traffic allocated to link which has a traffic allotment which has been prepaid. Default is 95%.') gtmAttrLinkCompensateInbound = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 43), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrLinkCompensateInbound.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrLinkCompensateInbound.setDescription('Deprecated!. The link compensate inbound. If set, the link allotment calculation will take into account traffic which does not flow through the BIGIP, i.e. if more traffic is flowing through a link as measured by SNMP on the router than is flowing through the BIGIP. This applies to inbound traffic which the major volume will initiate from internal clients.') gtmAttrLinkCompensateOutbound = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 44), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrLinkCompensateOutbound.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrLinkCompensateOutbound.setDescription('Deprecated!. The link compensate outbound. If set, the link allotment calculation will take into account traffic which does not flow through the BIGIP, i.e. if more traffic is flowing through a link as measured by SNMP on the router than is flowing through the BIGIP. This applies to outbound traffic which the major volume will initiate from internal clients.') gtmAttrLinkCompensationHistory = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 45), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrLinkCompensationHistory.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrLinkCompensationHistory.setDescription('Deprecated!. The link compensation history.') gtmAttrMaxLinkOverLimitCount = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 46), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrMaxLinkOverLimitCount.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrMaxLinkOverLimitCount.setDescription('Deprecated!. The maximum link over limit count. The count of how many times in a row traffic may be over the defined limit for the link before it is shut off entirely. Default is 1.') gtmAttrLowerBoundPctRow = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 47), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrLowerBoundPctRow.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrLowerBoundPctRow.setDescription('Deprecated!. Deprecated! No longer useful. The lower bound percentage row option in Internet Weather Map.') gtmAttrLowerBoundPctCol = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 48), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrLowerBoundPctCol.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrLowerBoundPctCol.setDescription('Deprecated!. Deprecated! No longer useful. The lower bound percentage column option in Internet Weather Map.') gtmAttrAutoconf = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 49), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrAutoconf.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrAutoconf.setDescription('Deprecated!. The state indicating whether to auto configure BIGIP/3DNS servers (automatic addition and deletion of self IPs and virtual servers).') gtmAttrAutosync = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 50), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrAutosync.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrAutosync.setDescription('Deprecated!. The state indicating whether or not to autosync. Allows automatic updates of wideip.conf to/from other 3-DNSes.') gtmAttrSyncNamedConf = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 51), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrSyncNamedConf.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrSyncNamedConf.setDescription('Deprecated!. The state indicating whether or not to auto-synchronize named configuration. Allows automatic updates of named.conf to/from other 3-DNSes.') gtmAttrSyncGroup = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 52), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrSyncGroup.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrSyncGroup.setDescription('Deprecated!. The name of sync group.') gtmAttrSyncTimeout = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 53), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrSyncTimeout.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrSyncTimeout.setDescription("Deprecated!. The sync timeout. If synch'ing from a remote 3-DNS takes longer than this timeout, then abort the connection.") gtmAttrSyncZonesTimeout = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 54), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrSyncZonesTimeout.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrSyncZonesTimeout.setDescription("Deprecated!. The sync zones timeout. If synch'ing named and zone configuration takes this timeout, then abort the connection.") gtmAttrTimeTolerance = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 55), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrTimeTolerance.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrTimeTolerance.setDescription('Deprecated!. The allowable time difference for data to be out of sync between members of a sync group.') gtmAttrTopologyLongestMatch = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 56), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrTopologyLongestMatch.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrTopologyLongestMatch.setDescription('Deprecated!. The state indicating whether or not the 3-DNS Controller selects the topology record that is most specific and, thus, has the longest match, in cases where there are several IP/netmask items that match a particular IP address. If it is set to false, the 3-DNS Controller uses the first topology record that matches (according to the order of entry) in the topology statement.') gtmAttrTopologyAclThreshold = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 57), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrTopologyAclThreshold.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrTopologyAclThreshold.setDescription('Deprecated!. Deprecated! The threshold of the topology ACL. This is an outdated mechanism for disabling a node.') gtmAttrStaticPersistCidr = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 58), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrStaticPersistCidr.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrStaticPersistCidr.setDescription('Deprecated!. The variable used with the static persistence load balancing mode to allow users to specify what cidr should be used. This is used for IPv4.') gtmAttrStaticPersistV6Cidr = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 59), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrStaticPersistV6Cidr.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrStaticPersistV6Cidr.setDescription('Deprecated!. The variable used with the static persistence load balancing mode to allow users to specify what cidr should be used. This is used for IPv6.') gtmAttrQosFactorVsScore = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 60), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrQosFactorVsScore.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrQosFactorVsScore.setDescription('Deprecated!. The factor used to normalize virtual server (VS) score when the load balancing mode is set to LB_METHOD_QOS.') gtmAttrTimerSendKeepAlive = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 61), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrTimerSendKeepAlive.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrTimerSendKeepAlive.setDescription('Deprecated!. The frequency of GTM keep alive messages (strictly the config timestamps).') gtmAttrCertificateDepth = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 62), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrCertificateDepth.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrCertificateDepth.setDescription('Deprecated!. Deprecated! No longer updated. When non-zero, customers may use their own SSL certificates by setting the certificate depth.') gtmAttrMaxMemoryUsage = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 63), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttrMaxMemoryUsage.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrMaxMemoryUsage.setDescription('Deprecated!. Deprecated! The maximum amount of memory (in MB) allocated to GTM.') gtmGlobalLdnsProbeProtoNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 2, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmGlobalLdnsProbeProtoNumber.setStatus('current') if mibBuilder.loadTexts: gtmGlobalLdnsProbeProtoNumber.setDescription('The number of gtmGlobalLdnsProbeProto entries in the table.') gtmGlobalLdnsProbeProtoTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 2, 2), ) if mibBuilder.loadTexts: gtmGlobalLdnsProbeProtoTable.setStatus('current') if mibBuilder.loadTexts: gtmGlobalLdnsProbeProtoTable.setDescription('A table containing information of global LDSN probe protocols for GTM (Global Traffic Management).') gtmGlobalLdnsProbeProtoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 2, 2, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmGlobalLdnsProbeProtoName"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmGlobalLdnsProbeProtoIndex")) if mibBuilder.loadTexts: gtmGlobalLdnsProbeProtoEntry.setStatus('current') if mibBuilder.loadTexts: gtmGlobalLdnsProbeProtoEntry.setDescription('Columns in the gtmGlobalLdnsProbeProto Table') gtmGlobalLdnsProbeProtoIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 2, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmGlobalLdnsProbeProtoIndex.setStatus('current') if mibBuilder.loadTexts: gtmGlobalLdnsProbeProtoIndex.setDescription('The index of LDNS probe protocols.') gtmGlobalLdnsProbeProtoType = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 2, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4))).clone(namedValues=NamedValues(("icmp", 0), ("tcp", 1), ("udp", 2), ("dnsdot", 3), ("dnsrev", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmGlobalLdnsProbeProtoType.setStatus('current') if mibBuilder.loadTexts: gtmGlobalLdnsProbeProtoType.setDescription('The LDNS probe protocol. The less index is, the more preferred protocol is.') gtmGlobalLdnsProbeProtoName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 2, 2, 1, 3), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmGlobalLdnsProbeProtoName.setStatus('current') if mibBuilder.loadTexts: gtmGlobalLdnsProbeProtoName.setDescription('name as a key.') gtmStatResetStats = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 1), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: gtmStatResetStats.setStatus('current') if mibBuilder.loadTexts: gtmStatResetStats.setDescription('The action to reset resetable statistics data in gtmGlobalStat. Setting this value to 1 will reset statistics data. Note, some statistics data may not be reset including data that are incremental counters.') gtmStatRequests = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 2), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmStatRequests.setStatus('current') if mibBuilder.loadTexts: gtmStatRequests.setDescription('The number of total requests for wide IPs for GTM (Global Traffic Management).') gtmStatResolutions = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 3), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmStatResolutions.setStatus('current') if mibBuilder.loadTexts: gtmStatResolutions.setDescription('The number of total resolutions for wide IPs for GTM (Global Traffic Management).') gtmStatPersisted = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 4), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmStatPersisted.setStatus('current') if mibBuilder.loadTexts: gtmStatPersisted.setDescription('The number of persisted requests for wide IPs for GTM (Global Traffic Management).') gtmStatPreferred = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 5), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmStatPreferred.setStatus('current') if mibBuilder.loadTexts: gtmStatPreferred.setDescription('The number of times which the preferred load balance method is used for wide IPs for GTM (Global Traffic Management).') gtmStatAlternate = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 6), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmStatAlternate.setStatus('current') if mibBuilder.loadTexts: gtmStatAlternate.setDescription('The number of times which the alternate load balance method is used for wide IPs for GTM (Global Traffic Management).') gtmStatFallback = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 7), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmStatFallback.setStatus('current') if mibBuilder.loadTexts: gtmStatFallback.setDescription('The number of times which the alternate load balance method is used for wide IPs for GTM (Global Traffic Management).') gtmStatDropped = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 8), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmStatDropped.setStatus('current') if mibBuilder.loadTexts: gtmStatDropped.setDescription('The number of dropped DNS messages for wide IPs for GTM (Global Traffic Management).') gtmStatExplicitIp = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 9), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmStatExplicitIp.setStatus('deprecated') if mibBuilder.loadTexts: gtmStatExplicitIp.setDescription('Deprecated! The number of times which a LDNS was persisted to wide IPs by the explicit IP rule for GTM (Global Traffic Management).') gtmStatReturnToDns = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 10), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmStatReturnToDns.setStatus('current') if mibBuilder.loadTexts: gtmStatReturnToDns.setDescription('The number of times which a resolve was returned to DNS (for resolution) for wide IPs for GTM (Global Traffic Management).') gtmStatReconnects = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 11), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmStatReconnects.setStatus('current') if mibBuilder.loadTexts: gtmStatReconnects.setDescription('The number of total reconnects for GTM (Global Traffic Management).') gtmStatBytesReceived = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 12), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmStatBytesReceived.setStatus('current') if mibBuilder.loadTexts: gtmStatBytesReceived.setDescription('The total number of bytes received by the system for GTM (Global Traffic Management).') gtmStatBytesSent = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 13), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmStatBytesSent.setStatus('current') if mibBuilder.loadTexts: gtmStatBytesSent.setDescription('The total number of bytes sent out by the system for GTM (Global Traffic Management).') gtmStatNumBacklogged = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 14), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmStatNumBacklogged.setStatus('current') if mibBuilder.loadTexts: gtmStatNumBacklogged.setDescription('The number of times when a send action was backlogged for GTM (Global Traffic Management).') gtmStatBytesDropped = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 15), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmStatBytesDropped.setStatus('current') if mibBuilder.loadTexts: gtmStatBytesDropped.setDescription('The total number of bytes dropped due to backlogged/unconnected for GTM (Global Traffic Management).') gtmStatLdnses = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 16), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmStatLdnses.setStatus('current') if mibBuilder.loadTexts: gtmStatLdnses.setDescription('The total current LDNSes for GTM (Global Traffic Management).') gtmStatPaths = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 17), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmStatPaths.setStatus('current') if mibBuilder.loadTexts: gtmStatPaths.setDescription('The total current paths for GTM (Global Traffic Management).') gtmStatReturnFromDns = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 18), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmStatReturnFromDns.setStatus('current') if mibBuilder.loadTexts: gtmStatReturnFromDns.setDescription('The number of times which a resolve was returned from DNS for wide IPs for GTM (Global Traffic Management).') gtmStatCnameResolutions = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 19), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmStatCnameResolutions.setStatus('current') if mibBuilder.loadTexts: gtmStatCnameResolutions.setDescription('The number of times which a query is resolved by the CNAME of pools associated with a Wide IP for GTM (Global Traffic Management).') gtmStatARequests = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 20), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmStatARequests.setStatus('current') if mibBuilder.loadTexts: gtmStatARequests.setDescription('The number of A requests for wide IPs for GTM (Global Traffic Management).') gtmStatAaaaRequests = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 21), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmStatAaaaRequests.setStatus('current') if mibBuilder.loadTexts: gtmStatAaaaRequests.setDescription('The number of AAAA requests for wide IPs for GTM (Global Traffic Management).') gtmAppNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAppNumber.setStatus('current') if mibBuilder.loadTexts: gtmAppNumber.setDescription('The number of gtmApplication entries in the table.') gtmAppTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 1, 2), ) if mibBuilder.loadTexts: gtmAppTable.setStatus('current') if mibBuilder.loadTexts: gtmAppTable.setDescription('A table containing information of applications for GTM (Global Traffic Management).') gtmAppEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 1, 2, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmAppName")) if mibBuilder.loadTexts: gtmAppEntry.setStatus('current') if mibBuilder.loadTexts: gtmAppEntry.setDescription('Columns in the gtmApp Table') gtmAppName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 1, 2, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAppName.setStatus('current') if mibBuilder.loadTexts: gtmAppName.setDescription('The name of an application.') gtmAppPersist = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 1, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAppPersist.setStatus('current') if mibBuilder.loadTexts: gtmAppPersist.setDescription('The state indicating whether persistence is enabled or not.') gtmAppTtlPersist = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 1, 2, 1, 3), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAppTtlPersist.setStatus('current') if mibBuilder.loadTexts: gtmAppTtlPersist.setDescription('The persistence TTL value for the specified application.') gtmAppAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 1, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("none", 0), ("server", 1), ("link", 2), ("datacenter", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAppAvailability.setStatus('current') if mibBuilder.loadTexts: gtmAppAvailability.setDescription('The availability dependency for the specified application. The application object availability does not depend on anything, or it depends on at lease one of server, link, or data center being up.') gtmAppStatusNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 2, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAppStatusNumber.setStatus('current') if mibBuilder.loadTexts: gtmAppStatusNumber.setDescription('The number of gtmApplicationStatus entries in the table.') gtmAppStatusTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 2, 2), ) if mibBuilder.loadTexts: gtmAppStatusTable.setStatus('current') if mibBuilder.loadTexts: gtmAppStatusTable.setDescription('A table containing status information of applications for GTM (Global Traffic Management).') gtmAppStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 2, 2, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmAppStatusName")) if mibBuilder.loadTexts: gtmAppStatusEntry.setStatus('current') if mibBuilder.loadTexts: gtmAppStatusEntry.setDescription('Columns in the gtmAppStatus Table') gtmAppStatusName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 2, 2, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAppStatusName.setStatus('current') if mibBuilder.loadTexts: gtmAppStatusName.setDescription('The name of an application.') gtmAppStatusAvailState = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 2, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("none", 0), ("green", 1), ("yellow", 2), ("red", 3), ("blue", 4), ("gray", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAppStatusAvailState.setStatus('current') if mibBuilder.loadTexts: gtmAppStatusAvailState.setDescription('The availability of the specified application indicated in color. none - error; green - available in some capacity; yellow - not currently available; red - not available; blue - availability is unknown; gray - unlicensed.') gtmAppStatusEnabledState = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 2, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("none", 0), ("enabled", 1), ("disabled", 2), ("disabledbyparent", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAppStatusEnabledState.setStatus('current') if mibBuilder.loadTexts: gtmAppStatusEnabledState.setDescription('The activity status of the specified application, as specified by the user.') gtmAppStatusParentType = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 2, 2, 1, 4), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAppStatusParentType.setStatus('deprecated') if mibBuilder.loadTexts: gtmAppStatusParentType.setDescription('Deprecated! This is an internal data. The type of parent object which disabled the specified application.') gtmAppStatusDetailReason = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 2, 2, 1, 5), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAppStatusDetailReason.setStatus('current') if mibBuilder.loadTexts: gtmAppStatusDetailReason.setDescription("The detail description of the specified application's status.") gtmAppContStatNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 3, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAppContStatNumber.setStatus('current') if mibBuilder.loadTexts: gtmAppContStatNumber.setDescription('The number of gtmAppContextStat entries in the table.') gtmAppContStatTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 3, 2), ) if mibBuilder.loadTexts: gtmAppContStatTable.setStatus('current') if mibBuilder.loadTexts: gtmAppContStatTable.setDescription('A table containing information of all able to used objects of application contexts for GTM (Global Traffic Management).') gtmAppContStatEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 3, 2, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmAppContStatAppName"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmAppContStatType"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmAppContStatName")) if mibBuilder.loadTexts: gtmAppContStatEntry.setStatus('current') if mibBuilder.loadTexts: gtmAppContStatEntry.setDescription('Columns in the gtmAppContStat Table') gtmAppContStatAppName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 3, 2, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAppContStatAppName.setStatus('current') if mibBuilder.loadTexts: gtmAppContStatAppName.setDescription('The name of an application.') gtmAppContStatType = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 3, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("datacenter", 0), ("server", 1), ("link", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAppContStatType.setStatus('current') if mibBuilder.loadTexts: gtmAppContStatType.setDescription("The object type of an application's context for the specified application.") gtmAppContStatName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 3, 2, 1, 3), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAppContStatName.setStatus('current') if mibBuilder.loadTexts: gtmAppContStatName.setDescription("The object name of an application's context for the specified application.") gtmAppContStatNumAvail = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 3, 2, 1, 4), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAppContStatNumAvail.setStatus('current') if mibBuilder.loadTexts: gtmAppContStatNumAvail.setDescription('The minimum number of pool members per wide IP available (green + enabled) in this context.') gtmAppContStatAvailState = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 3, 2, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("none", 0), ("green", 1), ("yellow", 2), ("red", 3), ("blue", 4), ("gray", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAppContStatAvailState.setStatus('current') if mibBuilder.loadTexts: gtmAppContStatAvailState.setDescription('The availability of the specified application context indicated in color. none - error; green - available in some capacity; yellow - not currently available; red - not available; blue - availability is unknown; gray - unlicensed.') gtmAppContStatEnabledState = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 3, 2, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("none", 0), ("enabled", 1), ("disabled", 2), ("disabledbyparent", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAppContStatEnabledState.setStatus('current') if mibBuilder.loadTexts: gtmAppContStatEnabledState.setDescription('The activity status of the specified application context, as specified by the user.') gtmAppContStatParentType = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 3, 2, 1, 7), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAppContStatParentType.setStatus('deprecated') if mibBuilder.loadTexts: gtmAppContStatParentType.setDescription('Deprecated! This is an internal data. The type of parent object which disabled the specified application context.') gtmAppContStatDetailReason = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 3, 2, 1, 8), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAppContStatDetailReason.setStatus('current') if mibBuilder.loadTexts: gtmAppContStatDetailReason.setDescription("The detail description of the specified application context 's status.") gtmAppContDisNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 4, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAppContDisNumber.setStatus('current') if mibBuilder.loadTexts: gtmAppContDisNumber.setDescription('The number of gtmAppContextDisable entries in the table.') gtmAppContDisTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 4, 2), ) if mibBuilder.loadTexts: gtmAppContDisTable.setStatus('current') if mibBuilder.loadTexts: gtmAppContDisTable.setDescription('A table containing information of disabled objects of application contexts for GTM (Global Traffic Management).') gtmAppContDisEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 4, 2, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmAppContDisAppName"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmAppContDisType"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmAppContDisName")) if mibBuilder.loadTexts: gtmAppContDisEntry.setStatus('current') if mibBuilder.loadTexts: gtmAppContDisEntry.setDescription('Columns in the gtmAppContDis Table') gtmAppContDisAppName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 4, 2, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAppContDisAppName.setStatus('current') if mibBuilder.loadTexts: gtmAppContDisAppName.setDescription('The name of an application.') gtmAppContDisType = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 4, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("datacenter", 0), ("server", 1), ("link", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAppContDisType.setStatus('current') if mibBuilder.loadTexts: gtmAppContDisType.setDescription("The object type of a disabled application's context for the specified application..") gtmAppContDisName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 4, 2, 1, 3), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAppContDisName.setStatus('current') if mibBuilder.loadTexts: gtmAppContDisName.setDescription("The object name of a disabled application's context for the specified application.") gtmDcNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDcNumber.setStatus('current') if mibBuilder.loadTexts: gtmDcNumber.setDescription('The number of gtmDataCenter entries in the table.') gtmDcTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 1, 2), ) if mibBuilder.loadTexts: gtmDcTable.setStatus('current') if mibBuilder.loadTexts: gtmDcTable.setDescription('A table containing information of data centers for GTM (Global Traffic Management).') gtmDcEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 1, 2, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmDcName")) if mibBuilder.loadTexts: gtmDcEntry.setStatus('current') if mibBuilder.loadTexts: gtmDcEntry.setDescription('Columns in the gtmDc Table') gtmDcName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 1, 2, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDcName.setStatus('current') if mibBuilder.loadTexts: gtmDcName.setDescription('The name of a data center.') gtmDcLocation = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 1, 2, 1, 2), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDcLocation.setStatus('current') if mibBuilder.loadTexts: gtmDcLocation.setDescription('The location information of the specified data center.') gtmDcContact = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 1, 2, 1, 3), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDcContact.setStatus('current') if mibBuilder.loadTexts: gtmDcContact.setDescription('The contact information of the specified data center.') gtmDcEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 1, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDcEnabled.setStatus('current') if mibBuilder.loadTexts: gtmDcEnabled.setDescription('The state whether the specified data center is enabled or not.') gtmDcStatResetStats = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 2, 1), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: gtmDcStatResetStats.setStatus('current') if mibBuilder.loadTexts: gtmDcStatResetStats.setDescription('The action to reset resetable statistics data in gtmDataCenterStat. Setting this value to 1 will reset statistics data. Note, some statistics data may not be reset including data that are incremental counters.') gtmDcStatNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 2, 2), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDcStatNumber.setStatus('current') if mibBuilder.loadTexts: gtmDcStatNumber.setDescription('The number of gtmDataCenterStat entries in the table.') gtmDcStatTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 2, 3), ) if mibBuilder.loadTexts: gtmDcStatTable.setStatus('current') if mibBuilder.loadTexts: gtmDcStatTable.setDescription('A table containing statistics information of data centers for GTM (Global Traffic Management).') gtmDcStatEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 2, 3, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmDcStatName")) if mibBuilder.loadTexts: gtmDcStatEntry.setStatus('current') if mibBuilder.loadTexts: gtmDcStatEntry.setDescription('Columns in the gtmDcStat Table') gtmDcStatName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 2, 3, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDcStatName.setStatus('current') if mibBuilder.loadTexts: gtmDcStatName.setDescription('The name of a data center.') gtmDcStatCpuUsage = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 2, 3, 1, 2), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDcStatCpuUsage.setStatus('current') if mibBuilder.loadTexts: gtmDcStatCpuUsage.setDescription('The CPU usage in percentage for the specified data center.') gtmDcStatMemAvail = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 2, 3, 1, 3), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDcStatMemAvail.setStatus('current') if mibBuilder.loadTexts: gtmDcStatMemAvail.setDescription('The memory available in bytes for the specified data center.') gtmDcStatBitsPerSecIn = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 2, 3, 1, 4), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDcStatBitsPerSecIn.setStatus('current') if mibBuilder.loadTexts: gtmDcStatBitsPerSecIn.setDescription('The number of bits per second received by the specified data center.') gtmDcStatBitsPerSecOut = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 2, 3, 1, 5), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDcStatBitsPerSecOut.setStatus('current') if mibBuilder.loadTexts: gtmDcStatBitsPerSecOut.setDescription('The number of bits per second sent out from the specified data center.') gtmDcStatPktsPerSecIn = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 2, 3, 1, 6), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDcStatPktsPerSecIn.setStatus('current') if mibBuilder.loadTexts: gtmDcStatPktsPerSecIn.setDescription('The number of packets per second received by the specified data center.') gtmDcStatPktsPerSecOut = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 2, 3, 1, 7), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDcStatPktsPerSecOut.setStatus('current') if mibBuilder.loadTexts: gtmDcStatPktsPerSecOut.setDescription('The number of packets per second sent out from the specified data center.') gtmDcStatConnections = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 2, 3, 1, 8), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDcStatConnections.setStatus('current') if mibBuilder.loadTexts: gtmDcStatConnections.setDescription('The number of total connections to the specified data center.') gtmDcStatConnRate = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 2, 3, 1, 9), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDcStatConnRate.setStatus('deprecated') if mibBuilder.loadTexts: gtmDcStatConnRate.setDescription('Deprecated! This feature has been eliminated. The connection rate (current connection rate/connection rate limit) in percentage for the specified data center.') gtmDcStatusNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 3, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDcStatusNumber.setStatus('current') if mibBuilder.loadTexts: gtmDcStatusNumber.setDescription('The number of gtmDataCenterStatus entries in the table.') gtmDcStatusTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 3, 2), ) if mibBuilder.loadTexts: gtmDcStatusTable.setStatus('current') if mibBuilder.loadTexts: gtmDcStatusTable.setDescription('A table containing status information of data centers for GTM (Global Traffic Management).') gtmDcStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 3, 2, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmDcStatusName")) if mibBuilder.loadTexts: gtmDcStatusEntry.setStatus('current') if mibBuilder.loadTexts: gtmDcStatusEntry.setDescription('Columns in the gtmDcStatus Table') gtmDcStatusName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 3, 2, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDcStatusName.setStatus('current') if mibBuilder.loadTexts: gtmDcStatusName.setDescription('The name of a data center.') gtmDcStatusAvailState = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 3, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("none", 0), ("green", 1), ("yellow", 2), ("red", 3), ("blue", 4), ("gray", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDcStatusAvailState.setStatus('current') if mibBuilder.loadTexts: gtmDcStatusAvailState.setDescription('The availability of the specified data center indicated in color. none - error; green - available in some capacity; yellow - not currently available; red - not available; blue - availability is unknown; gray - unlicensed.') gtmDcStatusEnabledState = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 3, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("none", 0), ("enabled", 1), ("disabled", 2), ("disabledbyparent", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDcStatusEnabledState.setStatus('current') if mibBuilder.loadTexts: gtmDcStatusEnabledState.setDescription('The activity status of the specified data center, as specified by the user.') gtmDcStatusParentType = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 3, 2, 1, 4), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDcStatusParentType.setStatus('deprecated') if mibBuilder.loadTexts: gtmDcStatusParentType.setDescription('Deprecated! This is an internal data. The type of parent object which disabled the specified data center.') gtmDcStatusDetailReason = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 3, 2, 1, 5), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDcStatusDetailReason.setStatus('current') if mibBuilder.loadTexts: gtmDcStatusDetailReason.setDescription("The detail description of the specified data center's status.") gtmIpNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 4, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmIpNumber.setStatus('current') if mibBuilder.loadTexts: gtmIpNumber.setDescription('The number of gtmIp entries in the table.') gtmIpTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 4, 1, 2), ) if mibBuilder.loadTexts: gtmIpTable.setStatus('current') if mibBuilder.loadTexts: gtmIpTable.setDescription('A table containing information of IPs for GTM (Global Traffic Management).') gtmIpEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 4, 1, 2, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmIpIpType"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmIpIp"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmIpLinkName"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmIpServerName")) if mibBuilder.loadTexts: gtmIpEntry.setStatus('current') if mibBuilder.loadTexts: gtmIpEntry.setDescription('Columns in the gtmIp Table') gtmIpIpType = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 4, 1, 2, 1, 1), InetAddressType()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmIpIpType.setStatus('current') if mibBuilder.loadTexts: gtmIpIpType.setDescription('The IP address type of gtmIpIp.') gtmIpIp = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 4, 1, 2, 1, 2), InetAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmIpIp.setStatus('current') if mibBuilder.loadTexts: gtmIpIp.setDescription('The IP address that belong to the specified box. It is interpreted within the context of a gtmIpIpType value.') gtmIpLinkName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 4, 1, 2, 1, 3), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmIpLinkName.setStatus('current') if mibBuilder.loadTexts: gtmIpLinkName.setDescription('The link name with which the specified IP address associates.') gtmIpServerName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 4, 1, 2, 1, 4), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmIpServerName.setStatus('current') if mibBuilder.loadTexts: gtmIpServerName.setDescription('The name of the server with which the specified IP address is associated.') gtmIpUnitId = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 4, 1, 2, 1, 5), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmIpUnitId.setStatus('deprecated') if mibBuilder.loadTexts: gtmIpUnitId.setDescription('Deprecated! This is replaced by device_name. The box ID with which the specified IP address associates.') gtmIpIpXlatedType = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 4, 1, 2, 1, 6), InetAddressType()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmIpIpXlatedType.setStatus('current') if mibBuilder.loadTexts: gtmIpIpXlatedType.setDescription('The IP address type of gtmIpIpXlated.') gtmIpIpXlated = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 4, 1, 2, 1, 7), InetAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmIpIpXlated.setStatus('current') if mibBuilder.loadTexts: gtmIpIpXlated.setDescription('The translated address for the specified IP. It is interpreted within the context of a gtmIpIpXlatedType value.') gtmIpDeviceName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 4, 1, 2, 1, 8), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmIpDeviceName.setStatus('current') if mibBuilder.loadTexts: gtmIpDeviceName.setDescription('The box name with which the specified IP address associates.') gtmLinkNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkNumber.setStatus('current') if mibBuilder.loadTexts: gtmLinkNumber.setDescription('The number of gtmLink entries in the table.') gtmLinkTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2), ) if mibBuilder.loadTexts: gtmLinkTable.setStatus('current') if mibBuilder.loadTexts: gtmLinkTable.setDescription('A table containing information of links within associated data center for GTM (Global Traffic Management).') gtmLinkEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmLinkName")) if mibBuilder.loadTexts: gtmLinkEntry.setStatus('current') if mibBuilder.loadTexts: gtmLinkEntry.setDescription('Columns in the gtmLink Table') gtmLinkName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkName.setStatus('current') if mibBuilder.loadTexts: gtmLinkName.setDescription('The name of a link.') gtmLinkDcName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 2), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkDcName.setStatus('current') if mibBuilder.loadTexts: gtmLinkDcName.setDescription('The name of the data center associated with the specified link.') gtmLinkIspName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 3), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkIspName.setStatus('current') if mibBuilder.loadTexts: gtmLinkIspName.setDescription('The ISP (Internet Service Provider) name for the specified link.') gtmLinkUplinkAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 4), InetAddressType()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkUplinkAddressType.setStatus('current') if mibBuilder.loadTexts: gtmLinkUplinkAddressType.setDescription('The IP address type of gtmLinkUplinkAddress.') gtmLinkUplinkAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 5), InetAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkUplinkAddress.setStatus('current') if mibBuilder.loadTexts: gtmLinkUplinkAddress.setDescription('The IP address on the uplink side of the router, used for SNMP probing only. It is interpreted within the context of an gtmUplinkAddressType value.') gtmLinkLimitInCpuUsageEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkLimitInCpuUsageEnabled.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitInCpuUsageEnabled.setDescription('The state indicating whether to set limit of CPU usage is enabled or not for the inbound packets of the specified link.') gtmLinkLimitInMemAvailEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkLimitInMemAvailEnabled.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitInMemAvailEnabled.setDescription('The state indicating whether to set limit of available memory is enabled or not for the inbound packets of the specified link.') gtmLinkLimitInBitsPerSecEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkLimitInBitsPerSecEnabled.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitInBitsPerSecEnabled.setDescription('The state indicating whether to limit of number of bits per second is enabled or not for the inbound packets of the specified link.') gtmLinkLimitInPktsPerSecEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkLimitInPktsPerSecEnabled.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitInPktsPerSecEnabled.setDescription('The state indicating whether to set limit of number of packets per second is enabled or not for the inbound packets of the specified link.') gtmLinkLimitInConnEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkLimitInConnEnabled.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitInConnEnabled.setDescription('The state indicating whether to set limit of total connections is enabled or not for the inbound packets of the specified link.') gtmLinkLimitInConnPerSecEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkLimitInConnPerSecEnabled.setStatus('deprecated') if mibBuilder.loadTexts: gtmLinkLimitInConnPerSecEnabled.setDescription('Deprecated! This feature has been eliminated. The state indicating whether to set limit of connections per second is enabled or not for the inbound packets of the link.') gtmLinkLimitInCpuUsage = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 12), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkLimitInCpuUsage.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitInCpuUsage.setDescription('The limit of CPU usage as a percentage for the inbound packets of the specified link.') gtmLinkLimitInMemAvail = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 13), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkLimitInMemAvail.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitInMemAvail.setDescription('The limit of memory available in bytes for the inbound packets of the specified link.') gtmLinkLimitInBitsPerSec = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 14), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkLimitInBitsPerSec.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitInBitsPerSec.setDescription('The limit of number of bits per second for the inbound packets of the specified link.') gtmLinkLimitInPktsPerSec = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 15), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkLimitInPktsPerSec.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitInPktsPerSec.setDescription('The limit of number of packets per second for the inbound packets of the specified link.') gtmLinkLimitInConn = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 16), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkLimitInConn.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitInConn.setDescription('The limit of total number of connections for the inbound packets of the specified link.') gtmLinkLimitInConnPerSec = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 17), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkLimitInConnPerSec.setStatus('deprecated') if mibBuilder.loadTexts: gtmLinkLimitInConnPerSec.setDescription('Deprecated! This feature has been eliminated. The limit of number of connections per second for the inbound packets of the specified link.') gtmLinkLimitOutCpuUsageEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkLimitOutCpuUsageEnabled.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitOutCpuUsageEnabled.setDescription('The state indicating whether to set limit of CPU usage is enabled or not for the outbound packets of the specified link.') gtmLinkLimitOutMemAvailEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkLimitOutMemAvailEnabled.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitOutMemAvailEnabled.setDescription('The state indicating whether to set limit of available memory is enabled or not for the outbound packets of the specified link.') gtmLinkLimitOutBitsPerSecEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkLimitOutBitsPerSecEnabled.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitOutBitsPerSecEnabled.setDescription('The state indicating whether to limit of number of bits per second is enabled or not for the outbound packets of the specified link.') gtmLinkLimitOutPktsPerSecEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkLimitOutPktsPerSecEnabled.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitOutPktsPerSecEnabled.setDescription('The state indicating whether to set limit of number of packets per second is enabled or not for the outbound packets of the specified link.') gtmLinkLimitOutConnEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 22), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkLimitOutConnEnabled.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitOutConnEnabled.setDescription('The state indicating whether to set limit of total connections is enabled or not for the outbound packets of the specified link.') gtmLinkLimitOutConnPerSecEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 23), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkLimitOutConnPerSecEnabled.setStatus('deprecated') if mibBuilder.loadTexts: gtmLinkLimitOutConnPerSecEnabled.setDescription('Deprecated! This feature has been eliminated. The state indicating whether to set limit of connections per second is enabled or not for the outbound packets of the specified link.') gtmLinkLimitOutCpuUsage = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 24), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkLimitOutCpuUsage.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitOutCpuUsage.setDescription('The limit of CPU usage as a percentage for the outbound packets of the specified link.') gtmLinkLimitOutMemAvail = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 25), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkLimitOutMemAvail.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitOutMemAvail.setDescription('The limit of memory available in bytes for the outbound packets of the specified link.') gtmLinkLimitOutBitsPerSec = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 26), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkLimitOutBitsPerSec.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitOutBitsPerSec.setDescription('The limit of number of bits per second for the outbound packets of the specified link.') gtmLinkLimitOutPktsPerSec = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 27), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkLimitOutPktsPerSec.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitOutPktsPerSec.setDescription('The limit of number of packets per second for the outbound packets of the specified link.') gtmLinkLimitOutConn = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 28), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkLimitOutConn.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitOutConn.setDescription('The limit of total number of connections for the outbound packets of the specified link.') gtmLinkLimitOutConnPerSec = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 29), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkLimitOutConnPerSec.setStatus('deprecated') if mibBuilder.loadTexts: gtmLinkLimitOutConnPerSec.setDescription('Deprecated! This feature has been eliminated. The limit of number of connections per second for the outbound packets of the specified link.') gtmLinkLimitTotalCpuUsageEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 30), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkLimitTotalCpuUsageEnabled.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitTotalCpuUsageEnabled.setDescription('The state indicating whether to set limit of CPU usage is enabled or not for the total packets of the specified link.') gtmLinkLimitTotalMemAvailEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 31), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkLimitTotalMemAvailEnabled.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitTotalMemAvailEnabled.setDescription('The state indicating whether to set limit of available memory is enabled or not for the total packets of the specified link.') gtmLinkLimitTotalBitsPerSecEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 32), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkLimitTotalBitsPerSecEnabled.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitTotalBitsPerSecEnabled.setDescription('The state indicating whether to limit of number of bits per second is enabled or not for the total packets of the specified link.') gtmLinkLimitTotalPktsPerSecEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 33), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkLimitTotalPktsPerSecEnabled.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitTotalPktsPerSecEnabled.setDescription('The state indicating whether to set limit of number of packets per second is enabled or not for the total packets of the specified link.') gtmLinkLimitTotalConnEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 34), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkLimitTotalConnEnabled.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitTotalConnEnabled.setDescription('The state indicating whether to set limit of total connections is enabled or not for the total packets of the specified link.') gtmLinkLimitTotalConnPerSecEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 35), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkLimitTotalConnPerSecEnabled.setStatus('deprecated') if mibBuilder.loadTexts: gtmLinkLimitTotalConnPerSecEnabled.setDescription('Deprecated! This feature has been eliminated. The state indicating whether to set limit of connections per second is enabled or not for the total packets of the specified link.') gtmLinkLimitTotalCpuUsage = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 36), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkLimitTotalCpuUsage.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitTotalCpuUsage.setDescription('The limit of CPU usage as a percentage for the total packets of the specified link.') gtmLinkLimitTotalMemAvail = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 37), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkLimitTotalMemAvail.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitTotalMemAvail.setDescription('The limit of memory available in bytes for the total packets of the specified link.') gtmLinkLimitTotalBitsPerSec = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 38), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkLimitTotalBitsPerSec.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitTotalBitsPerSec.setDescription('The limit of number of bits per second for the total packets of the specified link.') gtmLinkLimitTotalPktsPerSec = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 39), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkLimitTotalPktsPerSec.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitTotalPktsPerSec.setDescription('The limit of number of packets per second for the total packets of the specified link.') gtmLinkLimitTotalConn = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 40), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkLimitTotalConn.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitTotalConn.setDescription('The limit of total number of connections for the total packets of the specified link.') gtmLinkLimitTotalConnPerSec = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 41), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkLimitTotalConnPerSec.setStatus('deprecated') if mibBuilder.loadTexts: gtmLinkLimitTotalConnPerSec.setDescription('Deprecated! This feature has been eliminated. The limit of number of connections per second for the total packets of the specified link.') gtmLinkMonitorRule = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 42), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkMonitorRule.setStatus('current') if mibBuilder.loadTexts: gtmLinkMonitorRule.setDescription('The name of the monitor rule for this link.') gtmLinkDuplex = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 43), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkDuplex.setStatus('current') if mibBuilder.loadTexts: gtmLinkDuplex.setDescription('The state indicating whether the specified link uses duplex for the specified link.') gtmLinkEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 44), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkEnabled.setStatus('current') if mibBuilder.loadTexts: gtmLinkEnabled.setDescription('The state indicating whether the specified link is enabled or not for the specified link.') gtmLinkRatio = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 45), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkRatio.setStatus('current') if mibBuilder.loadTexts: gtmLinkRatio.setDescription('The ratio (in Kbps) used to load-balance the traffic for the specified link.') gtmLinkPrepaid = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 46), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkPrepaid.setStatus('current') if mibBuilder.loadTexts: gtmLinkPrepaid.setDescription('Top end of prepaid bit rate the specified link.') gtmLinkPrepaidInDollars = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 47), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkPrepaidInDollars.setStatus('deprecated') if mibBuilder.loadTexts: gtmLinkPrepaidInDollars.setDescription('Deprecated! The cost in dollars, derived from prepaid for the specified link.') gtmLinkWeightingType = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 48), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("ratio", 0), ("cost", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkWeightingType.setStatus('current') if mibBuilder.loadTexts: gtmLinkWeightingType.setDescription('The weight type for the specified link. ratio - The region database based on user-defined settings; cost - The region database based on ACL lists.') gtmLinkCostNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 2, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkCostNumber.setStatus('current') if mibBuilder.loadTexts: gtmLinkCostNumber.setDescription('The number of gtmLinkCost entries in the table.') gtmLinkCostTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 2, 2), ) if mibBuilder.loadTexts: gtmLinkCostTable.setStatus('current') if mibBuilder.loadTexts: gtmLinkCostTable.setDescription('A table containing information of costs of the specified links for GTM (Global Traffic Management).') gtmLinkCostEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 2, 2, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmLinkCostName"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmLinkCostIndex")) if mibBuilder.loadTexts: gtmLinkCostEntry.setStatus('current') if mibBuilder.loadTexts: gtmLinkCostEntry.setDescription('Columns in the gtmLinkCost Table') gtmLinkCostName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 2, 2, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkCostName.setStatus('current') if mibBuilder.loadTexts: gtmLinkCostName.setDescription('The name of a link.') gtmLinkCostIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 2, 2, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkCostIndex.setStatus('current') if mibBuilder.loadTexts: gtmLinkCostIndex.setDescription('The index of cost for the specified link.') gtmLinkCostUptoBps = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 2, 2, 1, 3), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkCostUptoBps.setStatus('current') if mibBuilder.loadTexts: gtmLinkCostUptoBps.setDescription('The upper limit (bps) that defines the cost segment of the specified link.') gtmLinkCostDollarsPerMbps = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 2, 2, 1, 4), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkCostDollarsPerMbps.setStatus('current') if mibBuilder.loadTexts: gtmLinkCostDollarsPerMbps.setDescription('The dollars cost per mega byte per second, which is associated with the specified link cost segment.') gtmLinkStatResetStats = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 3, 1), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: gtmLinkStatResetStats.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatResetStats.setDescription('The action to reset resetable statistics data in gtmLinkStat. Setting this value to 1 will reset statistics data. Note, some statistics data may not be reset including data that are incremental counters.') gtmLinkStatNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 3, 2), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkStatNumber.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatNumber.setDescription('The number of gtmLinkStat entries in the table.') gtmLinkStatTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 3, 3), ) if mibBuilder.loadTexts: gtmLinkStatTable.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatTable.setDescription('A table containing statistic information of links within a data center.') gtmLinkStatEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 3, 3, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmLinkStatName")) if mibBuilder.loadTexts: gtmLinkStatEntry.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatEntry.setDescription('Columns in the gtmLinkStat Table') gtmLinkStatName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 3, 3, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkStatName.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatName.setDescription('The name of a link.') gtmLinkStatRate = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 3, 3, 1, 2), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkStatRate.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatRate.setDescription('The current bit rate of all traffic flowing through the specified link.') gtmLinkStatRateIn = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 3, 3, 1, 3), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkStatRateIn.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatRateIn.setDescription('The current bit rate for all inbound traffic flowing through the specified link.') gtmLinkStatRateOut = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 3, 3, 1, 4), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkStatRateOut.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatRateOut.setDescription('The current bit rate for all outbound traffic flowing through the specified link.') gtmLinkStatRateNode = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 3, 3, 1, 5), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkStatRateNode.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatRateNode.setDescription('The current bit rate of the traffic flowing through nodes of the gateway pool for the the specified link.') gtmLinkStatRateNodeIn = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 3, 3, 1, 6), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkStatRateNodeIn.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatRateNodeIn.setDescription('The current bit rate of the traffic flowing inbound through nodes of the gateway pool for the the specified link.') gtmLinkStatRateNodeOut = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 3, 3, 1, 7), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkStatRateNodeOut.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatRateNodeOut.setDescription('The current bit rate of the traffic flowing outbound through nodes of the gateway pool for the the specified link.') gtmLinkStatRateVses = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 3, 3, 1, 8), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkStatRateVses.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatRateVses.setDescription('The current of bit rate of traffic flowing through the external virtual server for the specified link.') gtmLinkStatRateVsesIn = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 3, 3, 1, 9), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkStatRateVsesIn.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatRateVsesIn.setDescription('The current of bit rate of inbound traffic flowing through the external virtual server for the specified link.') gtmLinkStatRateVsesOut = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 3, 3, 1, 10), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkStatRateVsesOut.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatRateVsesOut.setDescription('The current of bit rate of outbound traffic flowing through the external virtual server for the specified link.') gtmLinkStatLcsIn = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 3, 3, 1, 11), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkStatLcsIn.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatLcsIn.setDescription('The link capacity score is used to control inbound connections which are load-balanced through external virtual servers which are controlled by GTM (Global Traffic Management) daemon.') gtmLinkStatLcsOut = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 3, 3, 1, 12), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkStatLcsOut.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatLcsOut.setDescription('The link capacity score is used to set dynamic ratios on the outbound gateway pool members for the specified link. This controls the outbound connections.') gtmLinkStatPaths = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 3, 3, 1, 13), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkStatPaths.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatPaths.setDescription('The total number of paths through the specified link.') gtmLinkStatusNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 4, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkStatusNumber.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatusNumber.setDescription('The number of gtmLinkStatus entries in the table.') gtmLinkStatusTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 4, 2), ) if mibBuilder.loadTexts: gtmLinkStatusTable.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatusTable.setDescription('A table containing status information of links within a data center.') gtmLinkStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 4, 2, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmLinkStatusName")) if mibBuilder.loadTexts: gtmLinkStatusEntry.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatusEntry.setDescription('Columns in the gtmLinkStatus Table') gtmLinkStatusName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 4, 2, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkStatusName.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatusName.setDescription('The name of a link.') gtmLinkStatusAvailState = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 4, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("none", 0), ("green", 1), ("yellow", 2), ("red", 3), ("blue", 4), ("gray", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkStatusAvailState.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatusAvailState.setDescription('The availability of the specified link indicated in color. none - error; green - available in some capacity; yellow - not currently available; red - not available; blue - availability is unknown; gray - unlicensed.') gtmLinkStatusEnabledState = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 4, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("none", 0), ("enabled", 1), ("disabled", 2), ("disabledbyparent", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkStatusEnabledState.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatusEnabledState.setDescription('The activity status of the specified link, as specified by the user.') gtmLinkStatusParentType = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 4, 2, 1, 4), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkStatusParentType.setStatus('deprecated') if mibBuilder.loadTexts: gtmLinkStatusParentType.setDescription('Deprecated! This is an internal data. The type of parent object which disabled the specified link.') gtmLinkStatusDetailReason = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 4, 2, 1, 5), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmLinkStatusDetailReason.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatusDetailReason.setDescription("The detail description of the specified link's status.") gtmPoolNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolNumber.setStatus('current') if mibBuilder.loadTexts: gtmPoolNumber.setDescription('The number of gtmPool entries in the table.') gtmPoolTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2), ) if mibBuilder.loadTexts: gtmPoolTable.setStatus('current') if mibBuilder.loadTexts: gtmPoolTable.setDescription('A table containing information of pools for GTM (Global Traffic Management).') gtmPoolEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmPoolName")) if mibBuilder.loadTexts: gtmPoolEntry.setStatus('current') if mibBuilder.loadTexts: gtmPoolEntry.setDescription('Columns in the gtmPool Table') gtmPoolName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolName.setStatus('current') if mibBuilder.loadTexts: gtmPoolName.setDescription('The name of a pool.') gtmPoolTtl = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 2), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolTtl.setStatus('current') if mibBuilder.loadTexts: gtmPoolTtl.setDescription('The TTL value for the specified pool.') gtmPoolEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolEnabled.setStatus('current') if mibBuilder.loadTexts: gtmPoolEnabled.setDescription('The state indicating whether the specified pool is enabled or not.') gtmPoolVerifyMember = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolVerifyMember.setStatus('current') if mibBuilder.loadTexts: gtmPoolVerifyMember.setDescription('The state indicating whether or not to verify pool member availability before using it.') gtmPoolDynamicRatio = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolDynamicRatio.setStatus('current') if mibBuilder.loadTexts: gtmPoolDynamicRatio.setDescription('The state indicating whether or not to use dynamic ratio to modify the behavior of QOS (Quality Of Service) for the specified pool.') gtmPoolAnswersToReturn = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 6), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolAnswersToReturn.setStatus('current') if mibBuilder.loadTexts: gtmPoolAnswersToReturn.setDescription("The number of returns for a request from the specified pool., It's up to 16 returns for a request.") gtmPoolLbMode = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18))).clone(namedValues=NamedValues(("returntodns", 0), ("null", 1), ("roundrobin", 2), ("ratio", 3), ("topology", 4), ("statpersit", 5), ("ga", 6), ("vscapacity", 7), ("leastconn", 8), ("lowestrtt", 9), ("lowesthops", 10), ("packetrate", 11), ("cpu", 12), ("hitratio", 13), ("qos", 14), ("bps", 15), ("droppacket", 16), ("explicitip", 17), ("vsscore", 18)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolLbMode.setStatus('current') if mibBuilder.loadTexts: gtmPoolLbMode.setDescription('The preferred load balancing method for the specified pool.') gtmPoolAlternate = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18))).clone(namedValues=NamedValues(("returntodns", 0), ("null", 1), ("roundrobin", 2), ("ratio", 3), ("topology", 4), ("statpersit", 5), ("ga", 6), ("vscapacity", 7), ("leastconn", 8), ("lowestrtt", 9), ("lowesthops", 10), ("packetrate", 11), ("cpu", 12), ("hitratio", 13), ("qos", 14), ("bps", 15), ("droppacket", 16), ("explicitip", 17), ("vsscore", 18)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolAlternate.setStatus('current') if mibBuilder.loadTexts: gtmPoolAlternate.setDescription('The alternate load balancing method for the specified pool.') gtmPoolFallback = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18))).clone(namedValues=NamedValues(("returntodns", 0), ("null", 1), ("roundrobin", 2), ("ratio", 3), ("topology", 4), ("statpersit", 5), ("ga", 6), ("vscapacity", 7), ("leastconn", 8), ("lowestrtt", 9), ("lowesthops", 10), ("packetrate", 11), ("cpu", 12), ("hitratio", 13), ("qos", 14), ("bps", 15), ("droppacket", 16), ("explicitip", 17), ("vsscore", 18)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolFallback.setStatus('current') if mibBuilder.loadTexts: gtmPoolFallback.setDescription('The fallback load balancing method for the specified pool.') gtmPoolManualResume = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disable", 0), ("enable", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolManualResume.setStatus('current') if mibBuilder.loadTexts: gtmPoolManualResume.setDescription('The state indicating whether or not to disable pool member when the pool member status goes from Green to Red.') gtmPoolQosCoeffRtt = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 11), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolQosCoeffRtt.setStatus('current') if mibBuilder.loadTexts: gtmPoolQosCoeffRtt.setDescription('The round trip time QOS coefficient for the specified pool.') gtmPoolQosCoeffHops = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 12), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolQosCoeffHops.setStatus('current') if mibBuilder.loadTexts: gtmPoolQosCoeffHops.setDescription('The hop count QOS coefficient for the specified pool.') gtmPoolQosCoeffTopology = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 13), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolQosCoeffTopology.setStatus('current') if mibBuilder.loadTexts: gtmPoolQosCoeffTopology.setDescription('The topology QOS coefficient for the specified pool') gtmPoolQosCoeffHitRatio = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 14), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolQosCoeffHitRatio.setStatus('current') if mibBuilder.loadTexts: gtmPoolQosCoeffHitRatio.setDescription('The ping packet completion rate QOS coefficient for the specified pool.') gtmPoolQosCoeffPacketRate = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 15), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolQosCoeffPacketRate.setStatus('current') if mibBuilder.loadTexts: gtmPoolQosCoeffPacketRate.setDescription('The packet rate QOS coefficient for the specified pool.') gtmPoolQosCoeffVsCapacity = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 16), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolQosCoeffVsCapacity.setStatus('current') if mibBuilder.loadTexts: gtmPoolQosCoeffVsCapacity.setDescription('The virtual server capacity QOS coefficient for the specified pool.') gtmPoolQosCoeffBps = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 17), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolQosCoeffBps.setStatus('current') if mibBuilder.loadTexts: gtmPoolQosCoeffBps.setDescription('The bandwidth QOS coefficient for the specified pool.') gtmPoolQosCoeffLcs = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 18), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolQosCoeffLcs.setStatus('current') if mibBuilder.loadTexts: gtmPoolQosCoeffLcs.setDescription('The link capacity QOS coefficient for the specified pool.') gtmPoolQosCoeffConnRate = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 19), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolQosCoeffConnRate.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolQosCoeffConnRate.setDescription('Deprecated! Replaced by gtmPoolQosCoeffVsScore. The connection rate QOS coefficient for the specified pool.') gtmPoolFallbackIpType = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 20), InetAddressType()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolFallbackIpType.setStatus('current') if mibBuilder.loadTexts: gtmPoolFallbackIpType.setDescription('The IP address type of gtmPoolFallbackIp.') gtmPoolFallbackIp = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 21), InetAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolFallbackIp.setStatus('current') if mibBuilder.loadTexts: gtmPoolFallbackIp.setDescription('The fallback/emergency failure IP for the specified pool. It is interpreted within the context of a gtmPoolFallbackIpType value.') gtmPoolCname = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 22), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolCname.setStatus('current') if mibBuilder.loadTexts: gtmPoolCname.setDescription('The CNAME (canonical name) for the specified pool. CNAME is also referred to as a CNAME record, a record in a DNS database that indicates the true, or canonical, host name of a computer that its aliases are associated with. (eg. www.wip.d.com).') gtmPoolLimitCpuUsageEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 23), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolLimitCpuUsageEnabled.setStatus('current') if mibBuilder.loadTexts: gtmPoolLimitCpuUsageEnabled.setDescription('The state indicating whether to set limit of CPU usage is enabled or not for the specified pool.') gtmPoolLimitMemAvailEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 24), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolLimitMemAvailEnabled.setStatus('current') if mibBuilder.loadTexts: gtmPoolLimitMemAvailEnabled.setDescription('The state indicating whether to set limit of available memory is enabled or not for the specified pool.') gtmPoolLimitBitsPerSecEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 25), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolLimitBitsPerSecEnabled.setStatus('current') if mibBuilder.loadTexts: gtmPoolLimitBitsPerSecEnabled.setDescription('The state indicating whether to limit of number of bits per second is enabled or not for the specified pool.') gtmPoolLimitPktsPerSecEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 26), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolLimitPktsPerSecEnabled.setStatus('current') if mibBuilder.loadTexts: gtmPoolLimitPktsPerSecEnabled.setDescription('The state indicating whether to set limit of number of packets per second is enabled or not for the specified pool.') gtmPoolLimitConnEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 27), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolLimitConnEnabled.setStatus('current') if mibBuilder.loadTexts: gtmPoolLimitConnEnabled.setDescription('The state indicating whether to set limit of total connections is enabled or not for the specified pool.') gtmPoolLimitConnPerSecEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 28), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolLimitConnPerSecEnabled.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolLimitConnPerSecEnabled.setDescription('Deprecated! This feature has been eliminated. The state indicating whether to set limit of connections per second is enabled or not for the specified pool.') gtmPoolLimitCpuUsage = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 29), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolLimitCpuUsage.setStatus('current') if mibBuilder.loadTexts: gtmPoolLimitCpuUsage.setDescription('The limit of CPU usage as a percentage for the specified pool.') gtmPoolLimitMemAvail = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 30), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolLimitMemAvail.setStatus('current') if mibBuilder.loadTexts: gtmPoolLimitMemAvail.setDescription('The limit of memory available in bytes for the specified pool.') gtmPoolLimitBitsPerSec = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 31), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolLimitBitsPerSec.setStatus('current') if mibBuilder.loadTexts: gtmPoolLimitBitsPerSec.setDescription('The limit of number of bits per second for the specified pool.') gtmPoolLimitPktsPerSec = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 32), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolLimitPktsPerSec.setStatus('current') if mibBuilder.loadTexts: gtmPoolLimitPktsPerSec.setDescription('The limit of number of packets per second for the specified pool.') gtmPoolLimitConn = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 33), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolLimitConn.setStatus('current') if mibBuilder.loadTexts: gtmPoolLimitConn.setDescription('The limit of total number of connections for the specified pool.') gtmPoolLimitConnPerSec = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 34), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolLimitConnPerSec.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolLimitConnPerSec.setDescription('Deprecated! This feature has been eliminated. The limit of number of connections per second for the specified pool.') gtmPoolMonitorRule = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 35), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMonitorRule.setStatus('current') if mibBuilder.loadTexts: gtmPoolMonitorRule.setDescription('The monitor rule used by the specified pool.') gtmPoolQosCoeffVsScore = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 36), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolQosCoeffVsScore.setStatus('current') if mibBuilder.loadTexts: gtmPoolQosCoeffVsScore.setDescription('The relative weight for virtual server (VS) score when the load balancing mode is set to LB_METHOD_QOS for the specified pool.') gtmPoolFallbackIpv6Type = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 37), InetAddressType()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolFallbackIpv6Type.setStatus('current') if mibBuilder.loadTexts: gtmPoolFallbackIpv6Type.setDescription('The IP address type of gtmPoolFallbackIpv6.') gtmPoolFallbackIpv6 = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 38), InetAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolFallbackIpv6.setStatus('current') if mibBuilder.loadTexts: gtmPoolFallbackIpv6.setDescription('The fallback/emergency failure IPv6 IP address for the specified pool. It is interpreted within the context of a gtmPoolFallbackIpv6Type value.') gtmPoolStatResetStats = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 2, 1), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: gtmPoolStatResetStats.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatResetStats.setDescription('The action to reset resetable statistics data in gtmPoolStat. Setting this value to 1 will reset statistics data. Note, some statistics data may not be reset including data that are incremental counters.') gtmPoolStatNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 2, 2), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolStatNumber.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatNumber.setDescription('The number of gtmPoolStat entries in the table.') gtmPoolStatTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 2, 3), ) if mibBuilder.loadTexts: gtmPoolStatTable.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatTable.setDescription('A table containing statistics information of pools in the GTM (Global Traffic Management).') gtmPoolStatEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 2, 3, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmPoolStatName")) if mibBuilder.loadTexts: gtmPoolStatEntry.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatEntry.setDescription('Columns in the gtmPoolStat Table') gtmPoolStatName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 2, 3, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolStatName.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatName.setDescription('The name of a pool.') gtmPoolStatPreferred = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 2, 3, 1, 2), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolStatPreferred.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatPreferred.setDescription('The number of times which the preferred load balance method is used for the specified pool.') gtmPoolStatAlternate = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 2, 3, 1, 3), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolStatAlternate.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatAlternate.setDescription('The number of times which the alternate load balance method is used for the specified pool.') gtmPoolStatFallback = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 2, 3, 1, 4), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolStatFallback.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatFallback.setDescription('The number of times which the fallback load balance method is used for the specified pool.') gtmPoolStatDropped = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 2, 3, 1, 5), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolStatDropped.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatDropped.setDescription('The number of dropped DNS messages for the specified pool.') gtmPoolStatExplicitIp = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 2, 3, 1, 6), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolStatExplicitIp.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolStatExplicitIp.setDescription('Deprecated! The number of times which a LDNS was persisted to the specified pool by the explicit IP rule.') gtmPoolStatReturnToDns = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 2, 3, 1, 7), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolStatReturnToDns.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatReturnToDns.setDescription('The number of times which a resolve was returned to DNS (for resolution) for the specified pool.') gtmPoolStatReturnFromDns = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 2, 3, 1, 8), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolStatReturnFromDns.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatReturnFromDns.setDescription('The number of times which a resolve was returned from DNS for the specified pool.') gtmPoolStatCnameResolutions = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 2, 3, 1, 9), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolStatCnameResolutions.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatCnameResolutions.setDescription('The number of times which a query is resolved by the CNAME of the specified pool.') gtmPoolMbrNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrNumber.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrNumber.setDescription('The number of gtmPoolMember entries in the table.') gtmPoolMbrTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2), ) if mibBuilder.loadTexts: gtmPoolMbrTable.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrTable.setDescription('A table containing information of pool members for GTM (Global Traffic Management).') gtmPoolMbrEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrPoolName"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrServerName"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrVsName")) if mibBuilder.loadTexts: gtmPoolMbrEntry.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrEntry.setDescription('Columns in the gtmPoolMbr Table') gtmPoolMbrPoolName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrPoolName.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrPoolName.setDescription('The name of the pool to which the specified member belongs.') gtmPoolMbrIpType = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 2), InetAddressType()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrIpType.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolMbrIpType.setDescription('Deprecated! use server_name and vs_name instead, The IP address type of gtmPoolMemberIp.') gtmPoolMbrIp = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 3), InetAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrIp.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolMbrIp.setDescription('Deprecated! use server_name and vs_name instead, The IP address of a pool member. It is interpreted within the context of gtmPoolMemberIpType value.') gtmPoolMbrPort = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 4), InetPortNumber()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrPort.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolMbrPort.setDescription('Deprecated! use server_name and vs_name instead, The port of a pool member.') gtmPoolMbrVsName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 5), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrVsName.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrVsName.setDescription('The name of the virtual server with which the specified pool member is associated.') gtmPoolMbrOrder = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 6), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrOrder.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrOrder.setDescription('The order of the specified pool member in the associated pool. It is zero-based.') gtmPoolMbrLimitCpuUsageEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrLimitCpuUsageEnabled.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrLimitCpuUsageEnabled.setDescription('The state indicating whether to set limit of CPU usage is enabled or not for the specified pool member.') gtmPoolMbrLimitMemAvailEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrLimitMemAvailEnabled.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrLimitMemAvailEnabled.setDescription('The state indicating whether or not to set limit of available memory is enabled for the specified pool member.') gtmPoolMbrLimitBitsPerSecEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrLimitBitsPerSecEnabled.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrLimitBitsPerSecEnabled.setDescription('The state indicating whether or not to limit of number of bits per second is enabled for the specified pool member.') gtmPoolMbrLimitPktsPerSecEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrLimitPktsPerSecEnabled.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrLimitPktsPerSecEnabled.setDescription('The state indicating whether or not to set limit of number of packets per second is enabled for the specified pool member.') gtmPoolMbrLimitConnEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrLimitConnEnabled.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrLimitConnEnabled.setDescription('The state indicating whether or not to set limit of total connections is enabled for the specified pool member.') gtmPoolMbrLimitConnPerSecEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrLimitConnPerSecEnabled.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolMbrLimitConnPerSecEnabled.setDescription('Deprecated! This feature has been eliminated. The state indicating whether or not to set limit of connections per second is enabled for the specified pool member.') gtmPoolMbrLimitCpuUsage = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 13), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrLimitCpuUsage.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrLimitCpuUsage.setDescription('The limit of CPU usage as a percentage for the specified pool member.') gtmPoolMbrLimitMemAvail = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 14), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrLimitMemAvail.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrLimitMemAvail.setDescription('The limit of memory available in bytes for the specified pool member.') gtmPoolMbrLimitBitsPerSec = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 15), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrLimitBitsPerSec.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrLimitBitsPerSec.setDescription('The limit of number of bits per second for the specified pool member.') gtmPoolMbrLimitPktsPerSec = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 16), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrLimitPktsPerSec.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrLimitPktsPerSec.setDescription('The limit of number of packets per second for the specified pool member.') gtmPoolMbrLimitConn = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 17), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrLimitConn.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrLimitConn.setDescription('The limit of total number of connections for the specified pool member.') gtmPoolMbrLimitConnPerSec = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 18), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrLimitConnPerSec.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolMbrLimitConnPerSec.setDescription('Deprecated! This feature has been eliminated. The limit of number of connections per second for the specified pool member.') gtmPoolMbrMonitorRule = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 19), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrMonitorRule.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrMonitorRule.setDescription('The monitor rule used by the specified pool member.') gtmPoolMbrEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disable", 0), ("enable", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrEnabled.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrEnabled.setDescription('The state indicating whether the specified pool member is enabled or not.') gtmPoolMbrRatio = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 21), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrRatio.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrRatio.setDescription('The pool member ratio.') gtmPoolMbrServerName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 22), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrServerName.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrServerName.setDescription('The name of the server with which the specified pool_member is associated.') gtmPoolStatusNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 3, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolStatusNumber.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatusNumber.setDescription('The number of gtmPoolStatus entries in the table.') gtmPoolStatusTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 3, 2), ) if mibBuilder.loadTexts: gtmPoolStatusTable.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatusTable.setDescription('A table containing status information of pools in the GTM (Global Traffic Management).') gtmPoolStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 3, 2, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmPoolStatusName")) if mibBuilder.loadTexts: gtmPoolStatusEntry.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatusEntry.setDescription('Columns in the gtmPoolStatus Table') gtmPoolStatusName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 3, 2, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolStatusName.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatusName.setDescription('The name of a pool.') gtmPoolStatusAvailState = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 3, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("none", 0), ("green", 1), ("yellow", 2), ("red", 3), ("blue", 4), ("gray", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolStatusAvailState.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatusAvailState.setDescription('The availability of the specified pool indicated in color. none - error; green - available in some capacity; yellow - not currently available; red - not available; blue - availability is unknown; gray - unlicensed.') gtmPoolStatusEnabledState = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 3, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("none", 0), ("enabled", 1), ("disabled", 2), ("disabledbyparent", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolStatusEnabledState.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatusEnabledState.setDescription('The activity status of the specified pool, as specified by the user.') gtmPoolStatusParentType = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 3, 2, 1, 4), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolStatusParentType.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolStatusParentType.setDescription('Deprecated! This is an internal data. The type of parent object which disabled the specified pool.') gtmPoolStatusDetailReason = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 3, 2, 1, 5), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolStatusDetailReason.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatusDetailReason.setDescription("The detail description of the specified pool's status.") gtmPoolMbrDepsNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 5, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrDepsNumber.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrDepsNumber.setDescription('The number of gtmPoolMemberDepends entries in the table.') gtmPoolMbrDepsTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 5, 2), ) if mibBuilder.loadTexts: gtmPoolMbrDepsTable.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrDepsTable.setDescription("A table containing information of pool members' dependencies on virtual servers for GTM (Global Traffic Management).") gtmPoolMbrDepsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 5, 2, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrDepsServerName"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrDepsVsName"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrDepsPoolName"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrDepsDependServerName"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrDepsDependVsName")) if mibBuilder.loadTexts: gtmPoolMbrDepsEntry.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrDepsEntry.setDescription('Columns in the gtmPoolMbrDeps Table') gtmPoolMbrDepsIpType = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 5, 2, 1, 1), InetAddressType()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrDepsIpType.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolMbrDepsIpType.setDescription('Deprecated! use server_name and vs_name instead, The IP address type of gtmPoolMbrDepsIp.') gtmPoolMbrDepsIp = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 5, 2, 1, 2), InetAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrDepsIp.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolMbrDepsIp.setDescription('Deprecated! use server_name and vs_name instead, The IP address of a pool member. It is interpreted within the context of gtmPoolMbrDepsIpType value.') gtmPoolMbrDepsPort = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 5, 2, 1, 3), InetPortNumber()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrDepsPort.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolMbrDepsPort.setDescription('Deprecated! use server_name and vs_name instead, The port of a pool member.') gtmPoolMbrDepsPoolName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 5, 2, 1, 4), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrDepsPoolName.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrDepsPoolName.setDescription('The name of a pool to which the specified member belongs.') gtmPoolMbrDepsVipType = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 5, 2, 1, 5), InetAddressType()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrDepsVipType.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolMbrDepsVipType.setDescription('Deprecated! use depend server_name and vs_name instead, The IP address type of gtmPoolMbrDepsVip') gtmPoolMbrDepsVip = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 5, 2, 1, 6), InetAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrDepsVip.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolMbrDepsVip.setDescription('Deprecated! use depend server_name and vs_name instead, The IP address of a virtual server on which the specified pool member depends. It is interpreted within the context of gtmPoolMbrDepsVipType value.') gtmPoolMbrDepsVport = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 5, 2, 1, 7), InetPortNumber()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrDepsVport.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolMbrDepsVport.setDescription('Deprecated! use depend server_name and vs_name instead, The port of a virtual server on which the specified pool member depends.') gtmPoolMbrDepsServerName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 5, 2, 1, 8), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrDepsServerName.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrDepsServerName.setDescription('The name of the server with which the specified pool_member is associated.') gtmPoolMbrDepsVsName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 5, 2, 1, 9), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrDepsVsName.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrDepsVsName.setDescription('The virtual server name with which the pool member associated.') gtmPoolMbrDepsDependServerName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 5, 2, 1, 10), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrDepsDependServerName.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrDepsDependServerName.setDescription('The server name of a virtual server on which the specified pool member depends.') gtmPoolMbrDepsDependVsName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 5, 2, 1, 11), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrDepsDependVsName.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrDepsDependVsName.setDescription('The virtual server name on which the specified pool member depends.') gtmPoolMbrStatResetStats = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 6, 1), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: gtmPoolMbrStatResetStats.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatResetStats.setDescription('The action to reset resetable statistics data in gtmPoolMemberStat. Setting this value to 1 will reset statistics data. Note, some statistics data may not be reset including data that are incremental counters.') gtmPoolMbrStatNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 6, 2), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrStatNumber.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatNumber.setDescription('The number of gtmPoolMemberStat entries in the table.') gtmPoolMbrStatTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 6, 3), ) if mibBuilder.loadTexts: gtmPoolMbrStatTable.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatTable.setDescription('A table containing statistics information of pool members for GTM (Global Traffic Management).') gtmPoolMbrStatEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 6, 3, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrStatPoolName"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrStatServerName"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrStatVsName")) if mibBuilder.loadTexts: gtmPoolMbrStatEntry.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatEntry.setDescription('Columns in the gtmPoolMbrStat Table') gtmPoolMbrStatPoolName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 6, 3, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrStatPoolName.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatPoolName.setDescription('The name of the parent pool to which the member belongs.') gtmPoolMbrStatIpType = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 6, 3, 1, 2), InetAddressType()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrStatIpType.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolMbrStatIpType.setDescription('Deprecated! use server_name and vs_name instead, The IP address type of gtmPoolMemberStatIp.') gtmPoolMbrStatIp = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 6, 3, 1, 3), InetAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrStatIp.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolMbrStatIp.setDescription('Deprecated! use server_name and vs_name instead, The IP address of a pool member. It is interpreted within the context of gtmPoolMemberStatIpType value.') gtmPoolMbrStatPort = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 6, 3, 1, 4), InetPortNumber()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrStatPort.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolMbrStatPort.setDescription('Deprecated! use server_name and vs_name instead, The port of a pool member.') gtmPoolMbrStatPreferred = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 6, 3, 1, 5), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrStatPreferred.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatPreferred.setDescription('The number of times which the preferred load balance method is used for the specified pool member.') gtmPoolMbrStatAlternate = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 6, 3, 1, 6), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrStatAlternate.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatAlternate.setDescription('The number of times which the alternate load balance method is used for the specified pool member.') gtmPoolMbrStatFallback = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 6, 3, 1, 7), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrStatFallback.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatFallback.setDescription('The number of times which the fallback load balance method is used for the specified pool member.') gtmPoolMbrStatServerName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 6, 3, 1, 8), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrStatServerName.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatServerName.setDescription('The name of the server with which the specified pool_member is associated.') gtmPoolMbrStatVsName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 6, 3, 1, 9), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrStatVsName.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatVsName.setDescription('The name of the specified virtual server.') gtmPoolMbrStatusNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 7, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrStatusNumber.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatusNumber.setDescription('The number of gtmPoolMemberStatus entries in the table.') gtmPoolMbrStatusTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 7, 2), ) if mibBuilder.loadTexts: gtmPoolMbrStatusTable.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatusTable.setDescription('A table containing status information of pool members for GTM (Global Traffic Management).') gtmPoolMbrStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 7, 2, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrStatusPoolName"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrStatusServerName"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrStatusVsName")) if mibBuilder.loadTexts: gtmPoolMbrStatusEntry.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatusEntry.setDescription('Columns in the gtmPoolMbrStatus Table') gtmPoolMbrStatusPoolName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 7, 2, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrStatusPoolName.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatusPoolName.setDescription('The name of the pool to which the specified member belongs.') gtmPoolMbrStatusIpType = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 7, 2, 1, 2), InetAddressType()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrStatusIpType.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolMbrStatusIpType.setDescription('Deprecated! use server_name and vs_name instead, The IP address type of gtmPoolMbrStatusIp.') gtmPoolMbrStatusIp = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 7, 2, 1, 3), InetAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrStatusIp.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolMbrStatusIp.setDescription('Deprecated! use server_name and vs_name instead, The IP address of a pool member. It is interpreted within the context of gtmPoolMbrStatusIpType value.') gtmPoolMbrStatusPort = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 7, 2, 1, 4), InetPortNumber()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrStatusPort.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolMbrStatusPort.setDescription('Deprecated! use server_name and vs_name instead, The port of a pool member.') gtmPoolMbrStatusAvailState = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 7, 2, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("none", 0), ("green", 1), ("yellow", 2), ("red", 3), ("blue", 4), ("gray", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrStatusAvailState.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatusAvailState.setDescription('The availability of the specified pool member indicated in color. none - error; green - available in some capacity; yellow - not currently available; red - not available; blue - availability is unknown; gray - unlicensed.') gtmPoolMbrStatusEnabledState = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 7, 2, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("none", 0), ("enabled", 1), ("disabled", 2), ("disabledbyparent", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrStatusEnabledState.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatusEnabledState.setDescription('The activity status of the specified pool member, as specified by the user.') gtmPoolMbrStatusParentType = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 7, 2, 1, 7), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrStatusParentType.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolMbrStatusParentType.setDescription('Deprecated! This is an internal data. The type of parent object which disabled the specified pool member.') gtmPoolMbrStatusDetailReason = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 7, 2, 1, 8), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrStatusDetailReason.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatusDetailReason.setDescription("The detail description of the specified node's status.") gtmPoolMbrStatusVsName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 7, 2, 1, 9), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrStatusVsName.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatusVsName.setDescription('The name of the virtual server with which the specified pool member is associated.') gtmPoolMbrStatusServerName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 7, 2, 1, 10), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmPoolMbrStatusServerName.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatusServerName.setDescription('The name of the server with which the specified pool_member is associated.') gtmRegionEntryNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 7, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmRegionEntryNumber.setStatus('current') if mibBuilder.loadTexts: gtmRegionEntryNumber.setDescription('The number of gtmRegionEntry entries in the table.') gtmRegionEntryTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 7, 1, 2), ) if mibBuilder.loadTexts: gtmRegionEntryTable.setStatus('current') if mibBuilder.loadTexts: gtmRegionEntryTable.setDescription('A table containing information of user-defined region definitions for GTM (Global Traffic Management).') gtmRegionEntryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 7, 1, 2, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmRegionEntryName")) if mibBuilder.loadTexts: gtmRegionEntryEntry.setStatus('current') if mibBuilder.loadTexts: gtmRegionEntryEntry.setDescription('Columns in the gtmRegionEntry Table') gtmRegionEntryName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 7, 1, 2, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmRegionEntryName.setStatus('current') if mibBuilder.loadTexts: gtmRegionEntryName.setDescription('The name of region entry.') gtmRegionEntryRegionDbType = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 7, 1, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("user", 0), ("acl", 1), ("isp", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmRegionEntryRegionDbType.setStatus('current') if mibBuilder.loadTexts: gtmRegionEntryRegionDbType.setDescription("The region's database type.") gtmRegItemNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 7, 2, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmRegItemNumber.setStatus('current') if mibBuilder.loadTexts: gtmRegItemNumber.setDescription('The number of gtmRegItem entries in the table.') gtmRegItemTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 7, 2, 2), ) if mibBuilder.loadTexts: gtmRegItemTable.setStatus('current') if mibBuilder.loadTexts: gtmRegItemTable.setDescription('A table containing information of region items in associated region for GTM (Global Traffic Management).') gtmRegItemEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 7, 2, 2, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmRegItemRegionDbType"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmRegItemRegionName"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmRegItemType"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmRegItemNegate"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmRegItemRegEntry")) if mibBuilder.loadTexts: gtmRegItemEntry.setStatus('current') if mibBuilder.loadTexts: gtmRegItemEntry.setDescription('Columns in the gtmRegItem Table') gtmRegItemRegionDbType = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 7, 2, 2, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("user", 0), ("acl", 1), ("isp", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmRegItemRegionDbType.setStatus('current') if mibBuilder.loadTexts: gtmRegItemRegionDbType.setDescription("The region's database type.") gtmRegItemRegionName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 7, 2, 2, 1, 2), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmRegItemRegionName.setStatus('current') if mibBuilder.loadTexts: gtmRegItemRegionName.setDescription('The region name.') gtmRegItemType = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 7, 2, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("cidr", 0), ("region", 1), ("continent", 2), ("country", 3), ("state", 4), ("pool", 5), ("datacenter", 6), ("ispregion", 7), ("geoip-isp", 8)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmRegItemType.setStatus('current') if mibBuilder.loadTexts: gtmRegItemType.setDescription("The region item's type.") gtmRegItemNegate = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 7, 2, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmRegItemNegate.setStatus('current') if mibBuilder.loadTexts: gtmRegItemNegate.setDescription('The state indicating whether the region member to be interpreted as not equal to the region member options selected.') gtmRegItemRegEntry = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 7, 2, 2, 1, 5), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmRegItemRegEntry.setStatus('current') if mibBuilder.loadTexts: gtmRegItemRegEntry.setDescription('The name of the region entry.') gtmRuleNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmRuleNumber.setStatus('current') if mibBuilder.loadTexts: gtmRuleNumber.setDescription('The number of gtmRule entries in the table.') gtmRuleTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 1, 2), ) if mibBuilder.loadTexts: gtmRuleTable.setStatus('current') if mibBuilder.loadTexts: gtmRuleTable.setDescription('A table containing information of rules for GTM (Global Traffic Management).') gtmRuleEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 1, 2, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmRuleName")) if mibBuilder.loadTexts: gtmRuleEntry.setStatus('current') if mibBuilder.loadTexts: gtmRuleEntry.setDescription('Columns in the gtmRule Table') gtmRuleName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 1, 2, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmRuleName.setStatus('current') if mibBuilder.loadTexts: gtmRuleName.setDescription('The name of a rule.') gtmRuleDefinition = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 1, 2, 1, 2), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmRuleDefinition.setStatus('deprecated') if mibBuilder.loadTexts: gtmRuleDefinition.setDescription('Deprecated! The definition of the specified rule.') gtmRuleConfigSource = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 1, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("usercfg", 0), ("basecfg", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmRuleConfigSource.setStatus('current') if mibBuilder.loadTexts: gtmRuleConfigSource.setDescription('The type of rule that the specified rule is associating with. It is either a base/pre-configured rule or user defined rule.') gtmRuleEventNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 2, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmRuleEventNumber.setStatus('current') if mibBuilder.loadTexts: gtmRuleEventNumber.setDescription('The number of gtmRuleEvent entries in the table.') gtmRuleEventTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 2, 2), ) if mibBuilder.loadTexts: gtmRuleEventTable.setStatus('current') if mibBuilder.loadTexts: gtmRuleEventTable.setDescription('A table containing information of rule events for GTM (Global Traffic Management).') gtmRuleEventEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 2, 2, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmRuleEventName"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmRuleEventEventType"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmRuleEventPriority")) if mibBuilder.loadTexts: gtmRuleEventEntry.setStatus('current') if mibBuilder.loadTexts: gtmRuleEventEntry.setDescription('Columns in the gtmRuleEvent Table') gtmRuleEventName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 2, 2, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmRuleEventName.setStatus('current') if mibBuilder.loadTexts: gtmRuleEventName.setDescription('The name of a rule.') gtmRuleEventEventType = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 2, 2, 1, 2), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmRuleEventEventType.setStatus('current') if mibBuilder.loadTexts: gtmRuleEventEventType.setDescription('The event type for which the specified rule is used.') gtmRuleEventPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 2, 2, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 32767))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmRuleEventPriority.setStatus('current') if mibBuilder.loadTexts: gtmRuleEventPriority.setDescription('The execution priority of the specified rule event.') gtmRuleEventScript = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 2, 2, 1, 4), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmRuleEventScript.setStatus('deprecated') if mibBuilder.loadTexts: gtmRuleEventScript.setDescription('Deprecated! The TCL script for the specified rule event.') gtmRuleEventStatResetStats = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 3, 1), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: gtmRuleEventStatResetStats.setStatus('current') if mibBuilder.loadTexts: gtmRuleEventStatResetStats.setDescription('The action to reset resetable statistics data in gtmRuleEventStat. Setting this value to 1 will reset statistics data. Note, some statistics data may not be reset including data that are incremental counters.') gtmRuleEventStatNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 3, 2), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmRuleEventStatNumber.setStatus('current') if mibBuilder.loadTexts: gtmRuleEventStatNumber.setDescription('The number of gtmRuleEventStat entries in the table.') gtmRuleEventStatTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 3, 3), ) if mibBuilder.loadTexts: gtmRuleEventStatTable.setStatus('current') if mibBuilder.loadTexts: gtmRuleEventStatTable.setDescription('A table containing statistics information of rules for GTM (Global Traffic Management).') gtmRuleEventStatEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 3, 3, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmRuleEventStatName"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmRuleEventStatEventType"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmRuleEventStatPriority")) if mibBuilder.loadTexts: gtmRuleEventStatEntry.setStatus('current') if mibBuilder.loadTexts: gtmRuleEventStatEntry.setDescription('Columns in the gtmRuleEventStat Table') gtmRuleEventStatName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 3, 3, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmRuleEventStatName.setStatus('current') if mibBuilder.loadTexts: gtmRuleEventStatName.setDescription('The name of the rule.') gtmRuleEventStatEventType = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 3, 3, 1, 2), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmRuleEventStatEventType.setStatus('current') if mibBuilder.loadTexts: gtmRuleEventStatEventType.setDescription('The event type for which the rule is used.') gtmRuleEventStatPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 3, 3, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 32767))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmRuleEventStatPriority.setStatus('current') if mibBuilder.loadTexts: gtmRuleEventStatPriority.setDescription('The execution priority of this rule event.') gtmRuleEventStatFailures = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 3, 3, 1, 4), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmRuleEventStatFailures.setStatus('current') if mibBuilder.loadTexts: gtmRuleEventStatFailures.setDescription('The number of failures for executing this rule.') gtmRuleEventStatAborts = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 3, 3, 1, 5), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmRuleEventStatAborts.setStatus('current') if mibBuilder.loadTexts: gtmRuleEventStatAborts.setDescription('The number of aborts when executing this rule.') gtmRuleEventStatTotalExecutions = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 3, 3, 1, 6), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmRuleEventStatTotalExecutions.setStatus('current') if mibBuilder.loadTexts: gtmRuleEventStatTotalExecutions.setDescription('The total number of executions for this rule.') gtmServerNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerNumber.setStatus('current') if mibBuilder.loadTexts: gtmServerNumber.setDescription('The number of gtmServer entries in the table.') gtmServerTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2), ) if mibBuilder.loadTexts: gtmServerTable.setStatus('current') if mibBuilder.loadTexts: gtmServerTable.setDescription('A table containing information of servers within associated data center for GTM (Global Traffic Management).') gtmServerEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmServerName")) if mibBuilder.loadTexts: gtmServerEntry.setStatus('current') if mibBuilder.loadTexts: gtmServerEntry.setDescription('Columns in the gtmServer Table') gtmServerName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerName.setStatus('current') if mibBuilder.loadTexts: gtmServerName.setDescription('The name of a server.') gtmServerDcName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 2), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerDcName.setStatus('current') if mibBuilder.loadTexts: gtmServerDcName.setDescription('The name of the data center the specified server belongs to.') gtmServerType = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=NamedValues(("bigipstandalone", 0), ("bigipredundant", 1), ("genericloadbalancer", 2), ("alteonacedirector", 3), ("ciscocss", 4), ("ciscolocaldirectorv2", 5), ("ciscolocaldirectorv3", 6), ("ciscoserverloadbalancer", 7), ("extreme", 8), ("foundryserveriron", 9), ("generichost", 10), ("cacheflow", 11), ("netapp", 12), ("windows2000", 13), ("windowsnt4", 14), ("solaris", 15), ("radware", 16)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerType.setStatus('current') if mibBuilder.loadTexts: gtmServerType.setDescription('The type of the server.') gtmServerEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerEnabled.setStatus('current') if mibBuilder.loadTexts: gtmServerEnabled.setDescription('The state indicating whether the specified server is enabled or not.') gtmServerLimitCpuUsageEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerLimitCpuUsageEnabled.setStatus('current') if mibBuilder.loadTexts: gtmServerLimitCpuUsageEnabled.setDescription('The state indicating whether to set limit of CPU usage is enabled or not for the server.') gtmServerLimitMemAvailEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerLimitMemAvailEnabled.setStatus('current') if mibBuilder.loadTexts: gtmServerLimitMemAvailEnabled.setDescription('The state indicating whether to set limit of available memory is enabled or not for the server.') gtmServerLimitBitsPerSecEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerLimitBitsPerSecEnabled.setStatus('current') if mibBuilder.loadTexts: gtmServerLimitBitsPerSecEnabled.setDescription('The state indicating whether to limit of number of bits per second is enabled or not for the server.') gtmServerLimitPktsPerSecEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerLimitPktsPerSecEnabled.setStatus('current') if mibBuilder.loadTexts: gtmServerLimitPktsPerSecEnabled.setDescription('The state indicating whether to set limit of number of packets per second is enabled or not for the server.') gtmServerLimitConnEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerLimitConnEnabled.setStatus('current') if mibBuilder.loadTexts: gtmServerLimitConnEnabled.setDescription('The state indicating whether to set limit of total connections is enabled or not for the server.') gtmServerLimitConnPerSecEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerLimitConnPerSecEnabled.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerLimitConnPerSecEnabled.setDescription('Deprecated! This feature has been eliminated. The state indicating whether to set limit of connections per second is enabled or not for the server.') gtmServerLimitCpuUsage = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 11), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerLimitCpuUsage.setStatus('current') if mibBuilder.loadTexts: gtmServerLimitCpuUsage.setDescription('The limit of CPU usage as a percentage for the server.') gtmServerLimitMemAvail = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 12), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerLimitMemAvail.setStatus('current') if mibBuilder.loadTexts: gtmServerLimitMemAvail.setDescription('The limit of memory available in bytes for the server.') gtmServerLimitBitsPerSec = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 13), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerLimitBitsPerSec.setStatus('current') if mibBuilder.loadTexts: gtmServerLimitBitsPerSec.setDescription('The limit of number of bits per second for the server.') gtmServerLimitPktsPerSec = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 14), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerLimitPktsPerSec.setStatus('current') if mibBuilder.loadTexts: gtmServerLimitPktsPerSec.setDescription('The limit of number of packets per second for the server.') gtmServerLimitConn = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 15), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerLimitConn.setStatus('current') if mibBuilder.loadTexts: gtmServerLimitConn.setDescription('The limit of total number of connections for the server.') gtmServerLimitConnPerSec = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 16), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerLimitConnPerSec.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerLimitConnPerSec.setDescription('Deprecated! This feature has been eliminated. The limit of number of connections per second for the server.') gtmServerProberType = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 17), InetAddressType()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerProberType.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerProberType.setDescription('Deprecated! This is replaced by prober_pool. The prober address type of gtmServerProber.') gtmServerProber = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 18), InetAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerProber.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerProber.setDescription('Deprecated! This is replaced by prober_pool. The prober address for the specified server. It is interpreted within the context of an gtmServerProberType value.') gtmServerMonitorRule = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 19), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerMonitorRule.setStatus('current') if mibBuilder.loadTexts: gtmServerMonitorRule.setDescription('The name of monitor rule this server is used.') gtmServerAllowSvcChk = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerAllowSvcChk.setStatus('current') if mibBuilder.loadTexts: gtmServerAllowSvcChk.setDescription('The state indicating whether service check is allowed for the specified server.') gtmServerAllowPath = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerAllowPath.setStatus('current') if mibBuilder.loadTexts: gtmServerAllowPath.setDescription('The state indicating whether path information gathering is allowed for the specified server.') gtmServerAllowSnmp = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 22), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerAllowSnmp.setStatus('current') if mibBuilder.loadTexts: gtmServerAllowSnmp.setDescription('The state indicating whether SNMP information gathering is allowed for the specified server.') gtmServerAutoconfState = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 23), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1), ("enablednoautodelete", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerAutoconfState.setStatus('current') if mibBuilder.loadTexts: gtmServerAutoconfState.setDescription('The state of auto configuration for BIGIP/3DNS servers. for the specified server.') gtmServerLinkAutoconfState = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 24), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1), ("enablednoautodelete", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerLinkAutoconfState.setStatus('current') if mibBuilder.loadTexts: gtmServerLinkAutoconfState.setDescription('The state of link auto configuration for BIGIP/3DNS servers. for the specified server.') gtmServerStatResetStats = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 2, 1), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: gtmServerStatResetStats.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerStatResetStats.setDescription('Deprecated!. The action to reset resetable statistics data in gtmServerStat. Setting this value to 1 will reset statistics data. Note, some statistics data may not be reset including data that are incremental counters.') gtmServerStatNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 2, 2), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerStatNumber.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerStatNumber.setDescription('Deprecated!. The number of gtmServerStat entries in the table.') gtmServerStatTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 2, 3), ) if mibBuilder.loadTexts: gtmServerStatTable.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerStatTable.setDescription('Deprecated! Replaced by gtmServerStat2 table. A table containing statistics information of servers within associated data center for GTM (Global Traffic Management).') gtmServerStatEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 2, 3, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmServerStatName")) if mibBuilder.loadTexts: gtmServerStatEntry.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerStatEntry.setDescription('Columns in the gtmServerStat Table') gtmServerStatName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 2, 3, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerStatName.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerStatName.setDescription('Deprecated! Replaced by data in gtmServerStat2 table. The name of a server.') gtmServerStatUnitId = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 2, 3, 1, 2), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerStatUnitId.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerStatUnitId.setDescription('Deprecated! Replaced by data in gtmServerStat2 table. The unit ID of the specified server.') gtmServerStatVsPicks = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 2, 3, 1, 3), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerStatVsPicks.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerStatVsPicks.setDescription('Deprecated! Replaced by data in gtmServerStat2 table. How many times a virtual server of the specified server was picked during resolution of a domain name. I.E amazon.com got resolved to a particular virtual address X times.') gtmServerStatCpuUsage = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 2, 3, 1, 4), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerStatCpuUsage.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerStatCpuUsage.setDescription('Deprecated! Replaced by data in gtmServerStat2 table. The CPU usage in percentage for the specified server.') gtmServerStatMemAvail = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 2, 3, 1, 5), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerStatMemAvail.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerStatMemAvail.setDescription('Deprecated! Replaced by data in gtmServerStat2 table. The memory available in bytes for the specified server.') gtmServerStatBitsPerSecIn = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 2, 3, 1, 6), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerStatBitsPerSecIn.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerStatBitsPerSecIn.setDescription('Deprecated! Replaced by data in gtmServerStat2 table. The number of bits per second received by the specified server.') gtmServerStatBitsPerSecOut = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 2, 3, 1, 7), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerStatBitsPerSecOut.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerStatBitsPerSecOut.setDescription('Deprecated! Replaced by data in gtmServerStat2 table. The number of bits per second sent out from the specified server.') gtmServerStatPktsPerSecIn = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 2, 3, 1, 8), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerStatPktsPerSecIn.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerStatPktsPerSecIn.setDescription('Deprecated! Replaced by data in gtmServerStat2 table. The number of packets per second received by the specified server.') gtmServerStatPktsPerSecOut = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 2, 3, 1, 9), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerStatPktsPerSecOut.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerStatPktsPerSecOut.setDescription('Deprecated! Replaced by data in gtmServerStat2 table. The number of packets per second sent out from the specified server.') gtmServerStatConnections = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 2, 3, 1, 10), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerStatConnections.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerStatConnections.setDescription('Deprecated! Replaced by data in gtmServerStat2 table. The number of total connections to the specified server.') gtmServerStatConnRate = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 2, 3, 1, 11), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerStatConnRate.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerStatConnRate.setDescription('Deprecated! Replaced by data in gtmServerStat2 table. The connection rate (current connection rate/connection rate limit) in percentage for the specified server.') gtmServerStatusNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 3, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerStatusNumber.setStatus('current') if mibBuilder.loadTexts: gtmServerStatusNumber.setDescription('The number of gtmServerStatus entries in the table.') gtmServerStatusTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 3, 2), ) if mibBuilder.loadTexts: gtmServerStatusTable.setStatus('current') if mibBuilder.loadTexts: gtmServerStatusTable.setDescription('A table containing status information of servers within associated data center for GTM (Global Traffic Management).') gtmServerStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 3, 2, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmServerStatusName")) if mibBuilder.loadTexts: gtmServerStatusEntry.setStatus('current') if mibBuilder.loadTexts: gtmServerStatusEntry.setDescription('Columns in the gtmServerStatus Table') gtmServerStatusName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 3, 2, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerStatusName.setStatus('current') if mibBuilder.loadTexts: gtmServerStatusName.setDescription('The name of a server.') gtmServerStatusAvailState = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 3, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("none", 0), ("green", 1), ("yellow", 2), ("red", 3), ("blue", 4), ("gray", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerStatusAvailState.setStatus('current') if mibBuilder.loadTexts: gtmServerStatusAvailState.setDescription('The availability of the specified server indicated in color. none - error; green - available in some capacity; yellow - not currently available; red - not available; blue - availability is unknown; gray - unlicensed.') gtmServerStatusEnabledState = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 3, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("none", 0), ("enabled", 1), ("disabled", 2), ("disabledbyparent", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerStatusEnabledState.setStatus('current') if mibBuilder.loadTexts: gtmServerStatusEnabledState.setDescription('The activity status of the specified server, as specified by the user.') gtmServerStatusParentType = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 3, 2, 1, 4), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerStatusParentType.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerStatusParentType.setDescription('Deprecated! This is an internal data. The type of parent object which disabled the specified server.') gtmServerStatusDetailReason = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 3, 2, 1, 5), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerStatusDetailReason.setStatus('current') if mibBuilder.loadTexts: gtmServerStatusDetailReason.setDescription("The detail description of the specified node's status.") gtmTopItemNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 10, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmTopItemNumber.setStatus('current') if mibBuilder.loadTexts: gtmTopItemNumber.setDescription('The number of gtmTopItem entries in the table.') gtmTopItemTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 10, 1, 2), ) if mibBuilder.loadTexts: gtmTopItemTable.setStatus('current') if mibBuilder.loadTexts: gtmTopItemTable.setDescription('A table containing information of topology attributes for GTM (Global Traffic Management).') gtmTopItemEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 10, 1, 2, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmTopItemLdnsType"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmTopItemLdnsNegate"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmTopItemLdnsEntry"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmTopItemServerType"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmTopItemServerNegate"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmTopItemServerEntry")) if mibBuilder.loadTexts: gtmTopItemEntry.setStatus('current') if mibBuilder.loadTexts: gtmTopItemEntry.setDescription('Columns in the gtmTopItem Table') gtmTopItemLdnsType = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 10, 1, 2, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("cidr", 0), ("region", 1), ("continent", 2), ("country", 3), ("state", 4), ("pool", 5), ("datacenter", 6), ("ispregion", 7), ("geoip-isp", 8)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmTopItemLdnsType.setStatus('current') if mibBuilder.loadTexts: gtmTopItemLdnsType.setDescription('The type of topology end point for the LDNS.') gtmTopItemLdnsNegate = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 10, 1, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmTopItemLdnsNegate.setStatus('current') if mibBuilder.loadTexts: gtmTopItemLdnsNegate.setDescription('The state indicating whether the end point is not equal to the definition the LDNS.') gtmTopItemLdnsEntry = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 10, 1, 2, 1, 3), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmTopItemLdnsEntry.setStatus('current') if mibBuilder.loadTexts: gtmTopItemLdnsEntry.setDescription('The LDNS entry which could be an IP address, a region name, a continent, etc.') gtmTopItemServerType = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 10, 1, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("cidr", 0), ("region", 1), ("continent", 2), ("country", 3), ("state", 4), ("pool", 5), ("datacenter", 6), ("ispregion", 7), ("geoip-isp", 8)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmTopItemServerType.setStatus('current') if mibBuilder.loadTexts: gtmTopItemServerType.setDescription('The type of topology end point for the virtual server.') gtmTopItemServerNegate = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 10, 1, 2, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmTopItemServerNegate.setStatus('current') if mibBuilder.loadTexts: gtmTopItemServerNegate.setDescription('The state indicating whether the end point is not equal to the definition for the virtual server.') gtmTopItemServerEntry = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 10, 1, 2, 1, 6), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmTopItemServerEntry.setStatus('current') if mibBuilder.loadTexts: gtmTopItemServerEntry.setDescription('The server entry which could be an IP address, a region name, a continent, etc.') gtmTopItemWeight = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 10, 1, 2, 1, 7), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmTopItemWeight.setStatus('current') if mibBuilder.loadTexts: gtmTopItemWeight.setDescription('The relative weight for the topology record.') gtmTopItemOrder = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 10, 1, 2, 1, 8), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmTopItemOrder.setStatus('current') if mibBuilder.loadTexts: gtmTopItemOrder.setDescription('The order of the record without longest match sorting.') gtmVsNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsNumber.setStatus('current') if mibBuilder.loadTexts: gtmVsNumber.setDescription('The number of gtmVirtualServ entries in the table.') gtmVsTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2), ) if mibBuilder.loadTexts: gtmVsTable.setStatus('current') if mibBuilder.loadTexts: gtmVsTable.setDescription('A table containing information of virtual servers for GTM (Global Traffic Management).') gtmVsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmVsServerName"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmVsName")) if mibBuilder.loadTexts: gtmVsEntry.setStatus('current') if mibBuilder.loadTexts: gtmVsEntry.setDescription('Columns in the gtmVs Table') gtmVsIpType = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 1), InetAddressType()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsIpType.setStatus('current') if mibBuilder.loadTexts: gtmVsIpType.setDescription('The IP address type of gtmVirtualServIp.') gtmVsIp = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 2), InetAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsIp.setStatus('current') if mibBuilder.loadTexts: gtmVsIp.setDescription('The IP address of a virtual server. It is interpreted within the context of a gtmVirtualServIpType value.') gtmVsPort = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 3), InetPortNumber()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsPort.setStatus('current') if mibBuilder.loadTexts: gtmVsPort.setDescription('The port of a virtual server.') gtmVsName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 4), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsName.setStatus('current') if mibBuilder.loadTexts: gtmVsName.setDescription('The name of the specified virtual server.') gtmVsServerName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 5), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsServerName.setStatus('current') if mibBuilder.loadTexts: gtmVsServerName.setDescription('The name of the server with which the specified virtual server associates.') gtmVsIpXlatedType = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 6), InetAddressType()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsIpXlatedType.setStatus('current') if mibBuilder.loadTexts: gtmVsIpXlatedType.setDescription('The IP address type of gtmVirtualServIpXlated.') gtmVsIpXlated = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 7), InetAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsIpXlated.setStatus('current') if mibBuilder.loadTexts: gtmVsIpXlated.setDescription('The translated IP address for the specified virtual server. It is interpreted within the context of a gtmVirtualServIpXlatedType value.') gtmVsPortXlated = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 8), InetPortNumber()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsPortXlated.setStatus('current') if mibBuilder.loadTexts: gtmVsPortXlated.setDescription('The translated port for the specified virtual server.') gtmVsLimitCpuUsageEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsLimitCpuUsageEnabled.setStatus('current') if mibBuilder.loadTexts: gtmVsLimitCpuUsageEnabled.setDescription('The state indicating whether to set limit of CPU usage is enabled or not for the virtual server.') gtmVsLimitMemAvailEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsLimitMemAvailEnabled.setStatus('current') if mibBuilder.loadTexts: gtmVsLimitMemAvailEnabled.setDescription('The state indicating whether to set limit of available memory is enabled or not for the virtual server.') gtmVsLimitBitsPerSecEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsLimitBitsPerSecEnabled.setStatus('current') if mibBuilder.loadTexts: gtmVsLimitBitsPerSecEnabled.setDescription('The state indicating whether to limit of number of bits per second is enabled or not for the virtual server.') gtmVsLimitPktsPerSecEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsLimitPktsPerSecEnabled.setStatus('current') if mibBuilder.loadTexts: gtmVsLimitPktsPerSecEnabled.setDescription('The state indicating whether to set limit of number of packets per second is enabled or not for the virtual server.') gtmVsLimitConnEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsLimitConnEnabled.setStatus('current') if mibBuilder.loadTexts: gtmVsLimitConnEnabled.setDescription('The state indicating whether to set limit of total connections is enabled or not for the virtual server.') gtmVsLimitConnPerSecEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsLimitConnPerSecEnabled.setStatus('deprecated') if mibBuilder.loadTexts: gtmVsLimitConnPerSecEnabled.setDescription('Deprecated! This feature has been eliminated. The state indicating whether to set limit of connections per second is enabled or not for the virtual server.') gtmVsLimitCpuUsage = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 15), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsLimitCpuUsage.setStatus('current') if mibBuilder.loadTexts: gtmVsLimitCpuUsage.setDescription('The limit of CPU usage as a percentage for the virtual server.') gtmVsLimitMemAvail = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 16), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsLimitMemAvail.setStatus('current') if mibBuilder.loadTexts: gtmVsLimitMemAvail.setDescription('The limit of memory available in bytes for the virtual server.') gtmVsLimitBitsPerSec = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 17), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsLimitBitsPerSec.setStatus('current') if mibBuilder.loadTexts: gtmVsLimitBitsPerSec.setDescription('The limit of number of bits per second for the virtual server.') gtmVsLimitPktsPerSec = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 18), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsLimitPktsPerSec.setStatus('current') if mibBuilder.loadTexts: gtmVsLimitPktsPerSec.setDescription('The limit of number of packets per second for the virtual server.') gtmVsLimitConn = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 19), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsLimitConn.setStatus('current') if mibBuilder.loadTexts: gtmVsLimitConn.setDescription('The limit of total number of connections for the virtual server.') gtmVsLimitConnPerSec = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 20), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsLimitConnPerSec.setStatus('deprecated') if mibBuilder.loadTexts: gtmVsLimitConnPerSec.setDescription('Deprecated! This feature has been eliminated. The limit of number of connections per second for the virtual server.') gtmVsMonitorRule = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 21), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsMonitorRule.setStatus('current') if mibBuilder.loadTexts: gtmVsMonitorRule.setDescription('The name of the monitor rule for this virtual server.') gtmVsEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 22), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disable", 0), ("enable", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsEnabled.setStatus('current') if mibBuilder.loadTexts: gtmVsEnabled.setDescription('The state indicating whether the virtual server is enabled or not.') gtmVsLinkName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 23), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsLinkName.setStatus('current') if mibBuilder.loadTexts: gtmVsLinkName.setDescription('The parent link of this virtual server.') gtmVsDepsNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 2, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsDepsNumber.setStatus('current') if mibBuilder.loadTexts: gtmVsDepsNumber.setDescription('The number of gtmVirtualServDepends entries in the table.') gtmVsDepsTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 2, 2), ) if mibBuilder.loadTexts: gtmVsDepsTable.setStatus('current') if mibBuilder.loadTexts: gtmVsDepsTable.setDescription("A table containing information of virtual servers' dependencies on other virtual servers for GTM (Global Traffic Management).") gtmVsDepsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 2, 2, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmVsDepsServerName"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmVsDepsVsName"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmVsDepsDependServerName"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmVsDepsDependVsName")) if mibBuilder.loadTexts: gtmVsDepsEntry.setStatus('current') if mibBuilder.loadTexts: gtmVsDepsEntry.setDescription('Columns in the gtmVsDeps Table') gtmVsDepsIpType = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 2, 2, 1, 1), InetAddressType()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsDepsIpType.setStatus('deprecated') if mibBuilder.loadTexts: gtmVsDepsIpType.setDescription('Deprecated! use server_name and vs_name instead, The IP address type of gtmVsDepsIp.') gtmVsDepsIp = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 2, 2, 1, 2), InetAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsDepsIp.setStatus('deprecated') if mibBuilder.loadTexts: gtmVsDepsIp.setDescription('Deprecated! use server_name and vs_name instead, The IP address of a virtual server. It is interpreted within the context of gtmVsDepsIpType value.') gtmVsDepsPort = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 2, 2, 1, 3), InetPortNumber()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsDepsPort.setStatus('deprecated') if mibBuilder.loadTexts: gtmVsDepsPort.setDescription('Deprecated! use server_name and vs_name instead, The port of a virtual server.') gtmVsDepsVipType = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 2, 2, 1, 4), InetAddressType()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsDepsVipType.setStatus('deprecated') if mibBuilder.loadTexts: gtmVsDepsVipType.setDescription('Deprecated! use depend server_name and vs_name instead, The IP address type of gtmVsDepsVip') gtmVsDepsVip = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 2, 2, 1, 5), InetAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsDepsVip.setStatus('deprecated') if mibBuilder.loadTexts: gtmVsDepsVip.setDescription('Deprecated! use depend server_name and vs_name instead, The IP address of a virtual server on which the specified virtual server depends. It is interpreted within the context of gtmVsDepsOnVipType value.') gtmVsDepsVport = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 2, 2, 1, 6), InetPortNumber()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsDepsVport.setStatus('deprecated') if mibBuilder.loadTexts: gtmVsDepsVport.setDescription('Deprecated! depend use server_name and vs_name instead, The port of a virtual server on which the specified virtual server depends.') gtmVsDepsServerName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 2, 2, 1, 7), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsDepsServerName.setStatus('current') if mibBuilder.loadTexts: gtmVsDepsServerName.setDescription('The name of the server with which the specified virtual server is associated.') gtmVsDepsVsName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 2, 2, 1, 8), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsDepsVsName.setStatus('current') if mibBuilder.loadTexts: gtmVsDepsVsName.setDescription('The virtual server name.') gtmVsDepsDependServerName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 2, 2, 1, 9), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsDepsDependServerName.setStatus('current') if mibBuilder.loadTexts: gtmVsDepsDependServerName.setDescription('The server name of a virtual server on which the specified virtual server depends.') gtmVsDepsDependVsName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 2, 2, 1, 10), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsDepsDependVsName.setStatus('current') if mibBuilder.loadTexts: gtmVsDepsDependVsName.setDescription('The virtual server name on which the specified virtual server depends.') gtmVsStatResetStats = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3, 1), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: gtmVsStatResetStats.setStatus('current') if mibBuilder.loadTexts: gtmVsStatResetStats.setDescription('The action to reset resetable statistics data in gtmVirtualServStat. Setting this value to 1 will reset statistics data. Note, some statistics data may not be reset including data that are incremental counters.') gtmVsStatNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3, 2), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsStatNumber.setStatus('current') if mibBuilder.loadTexts: gtmVsStatNumber.setDescription('The number of gtmVirtualServStat entries in the table.') gtmVsStatTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3, 3), ) if mibBuilder.loadTexts: gtmVsStatTable.setStatus('current') if mibBuilder.loadTexts: gtmVsStatTable.setDescription('A table containing statistics information of virtual servers for GTM (Global Traffic Management).') gtmVsStatEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3, 3, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmVsStatServerName"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmVsStatName")) if mibBuilder.loadTexts: gtmVsStatEntry.setStatus('current') if mibBuilder.loadTexts: gtmVsStatEntry.setDescription('Columns in the gtmVsStat Table') gtmVsStatIpType = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3, 3, 1, 1), InetAddressType()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsStatIpType.setStatus('deprecated') if mibBuilder.loadTexts: gtmVsStatIpType.setDescription('Deprecated! use server_name and vs_name instead, The IP address type of gtmVirtualServStatIp.') gtmVsStatIp = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3, 3, 1, 2), InetAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsStatIp.setStatus('deprecated') if mibBuilder.loadTexts: gtmVsStatIp.setDescription('Deprecated! use server_name and vs_name instead, The IP address of a virtual server. It is interpreted within the context of gtmVirtualServStatIpType value.') gtmVsStatPort = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3, 3, 1, 3), InetPortNumber()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsStatPort.setStatus('deprecated') if mibBuilder.loadTexts: gtmVsStatPort.setDescription('Deprecated! use server_name and vs_name instead, The port of a virtual server.') gtmVsStatName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3, 3, 1, 4), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsStatName.setStatus('current') if mibBuilder.loadTexts: gtmVsStatName.setDescription('The name of the specified virtual server.') gtmVsStatCpuUsage = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3, 3, 1, 5), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsStatCpuUsage.setStatus('current') if mibBuilder.loadTexts: gtmVsStatCpuUsage.setDescription('The CPU usage in percentage for the specified virtual server.') gtmVsStatMemAvail = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3, 3, 1, 6), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsStatMemAvail.setStatus('current') if mibBuilder.loadTexts: gtmVsStatMemAvail.setDescription('The memory available in bytes for the specified virtual server.') gtmVsStatBitsPerSecIn = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3, 3, 1, 7), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsStatBitsPerSecIn.setStatus('current') if mibBuilder.loadTexts: gtmVsStatBitsPerSecIn.setDescription('The number of bits per second received by the specified virtual server.') gtmVsStatBitsPerSecOut = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3, 3, 1, 8), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsStatBitsPerSecOut.setStatus('current') if mibBuilder.loadTexts: gtmVsStatBitsPerSecOut.setDescription('The number of bits per second sent out from the specified virtual server.') gtmVsStatPktsPerSecIn = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3, 3, 1, 9), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsStatPktsPerSecIn.setStatus('current') if mibBuilder.loadTexts: gtmVsStatPktsPerSecIn.setDescription('The number of packets per second received by the specified virtual server.') gtmVsStatPktsPerSecOut = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3, 3, 1, 10), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsStatPktsPerSecOut.setStatus('current') if mibBuilder.loadTexts: gtmVsStatPktsPerSecOut.setDescription('The number of packets per second sent out from the specified virtual server.') gtmVsStatConnections = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3, 3, 1, 11), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsStatConnections.setStatus('current') if mibBuilder.loadTexts: gtmVsStatConnections.setDescription('The number of total connections to the specified virtual server.') gtmVsStatConnRate = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3, 3, 1, 12), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsStatConnRate.setStatus('deprecated') if mibBuilder.loadTexts: gtmVsStatConnRate.setDescription('Deprecated! Replaced by gtmVsStatVsScore. The connection rate (current connection rate/connection rate limit) in percentage for the specified virtual server.') gtmVsStatVsScore = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3, 3, 1, 13), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsStatVsScore.setStatus('current') if mibBuilder.loadTexts: gtmVsStatVsScore.setDescription('A user-defined value that specifies the ranking of the virtual server when compared to other virtual servers within the same pool.') gtmVsStatServerName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3, 3, 1, 14), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsStatServerName.setStatus('current') if mibBuilder.loadTexts: gtmVsStatServerName.setDescription('The name of the server with which the specified virtual server is associated.') gtmVsStatusNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 4, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsStatusNumber.setStatus('current') if mibBuilder.loadTexts: gtmVsStatusNumber.setDescription('The number of gtmVirtualServStatus entries in the table.') gtmVsStatusTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 4, 2), ) if mibBuilder.loadTexts: gtmVsStatusTable.setStatus('current') if mibBuilder.loadTexts: gtmVsStatusTable.setDescription('A table containing status information of virtual servers for GTM (Global Traffic Management).') gtmVsStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 4, 2, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmVsStatusServerName"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmVsStatusVsName")) if mibBuilder.loadTexts: gtmVsStatusEntry.setStatus('current') if mibBuilder.loadTexts: gtmVsStatusEntry.setDescription('Columns in the gtmVsStatus Table') gtmVsStatusIpType = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 4, 2, 1, 1), InetAddressType()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsStatusIpType.setStatus('deprecated') if mibBuilder.loadTexts: gtmVsStatusIpType.setDescription('Deprecated! use server_name and vs_name instead, The IP address type of gtmVirtualServStatusIp.') gtmVsStatusIp = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 4, 2, 1, 2), InetAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsStatusIp.setStatus('deprecated') if mibBuilder.loadTexts: gtmVsStatusIp.setDescription('Deprecated! use server_name and vs_name instead, The IP address of a virtual server. It is interpreted within the context of gtmVirtualServStatusIpType value.') gtmVsStatusPort = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 4, 2, 1, 3), InetPortNumber()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsStatusPort.setStatus('deprecated') if mibBuilder.loadTexts: gtmVsStatusPort.setDescription('Deprecated! use server_name and vs_name instead, The port of a virtual server.') gtmVsStatusAvailState = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 4, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("none", 0), ("green", 1), ("yellow", 2), ("red", 3), ("blue", 4), ("gray", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsStatusAvailState.setStatus('current') if mibBuilder.loadTexts: gtmVsStatusAvailState.setDescription('The availability of the specified virtual server indicated in color. none - error; green - available in some capacity; yellow - not currently available; red - not available; blue - availability is unknown; gray - unlicensed.') gtmVsStatusEnabledState = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 4, 2, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("none", 0), ("enabled", 1), ("disabled", 2), ("disabledbyparent", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsStatusEnabledState.setStatus('current') if mibBuilder.loadTexts: gtmVsStatusEnabledState.setDescription('The activity status of the specified virtual server, as specified by the user.') gtmVsStatusParentType = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 4, 2, 1, 6), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsStatusParentType.setStatus('deprecated') if mibBuilder.loadTexts: gtmVsStatusParentType.setDescription('Deprecated! This is an internal data. The type of parent object which disabled this virtual server.') gtmVsStatusDetailReason = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 4, 2, 1, 7), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsStatusDetailReason.setStatus('current') if mibBuilder.loadTexts: gtmVsStatusDetailReason.setDescription("The detail description of the specified virtual server's status.") gtmVsStatusVsName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 4, 2, 1, 8), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsStatusVsName.setStatus('current') if mibBuilder.loadTexts: gtmVsStatusVsName.setDescription('The name of the specified virtual server.') gtmVsStatusServerName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 4, 2, 1, 9), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmVsStatusServerName.setStatus('current') if mibBuilder.loadTexts: gtmVsStatusServerName.setDescription('The name of the server with which the specified virtual server is associated.') gtmWideipNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipNumber.setStatus('current') if mibBuilder.loadTexts: gtmWideipNumber.setDescription('The number of gtmWideip entries in the table.') gtmWideipTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 1, 2), ) if mibBuilder.loadTexts: gtmWideipTable.setStatus('current') if mibBuilder.loadTexts: gtmWideipTable.setDescription('A table containing information of wide IPs for GTM (Global Traffic Management).') gtmWideipEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 1, 2, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmWideipName")) if mibBuilder.loadTexts: gtmWideipEntry.setStatus('current') if mibBuilder.loadTexts: gtmWideipEntry.setDescription('Columns in the gtmWideip Table') gtmWideipName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 1, 2, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipName.setStatus('current') if mibBuilder.loadTexts: gtmWideipName.setDescription('The name of a wide IP.') gtmWideipPersist = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 1, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipPersist.setStatus('current') if mibBuilder.loadTexts: gtmWideipPersist.setDescription('The state indicating whether or not to maintain a connection between a LDNS and a particular virtual server for the specified wide IP.') gtmWideipTtlPersist = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 1, 2, 1, 3), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipTtlPersist.setStatus('current') if mibBuilder.loadTexts: gtmWideipTtlPersist.setDescription('The persistence TTL value of the specified wide IP. This value (in seconds) indicates the time to maintain a connection between an LDNS and a particular virtual server.') gtmWideipEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 1, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disable", 0), ("enable", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipEnabled.setStatus('current') if mibBuilder.loadTexts: gtmWideipEnabled.setDescription('The state indicating whether the specified wide IP is enabled or not.') gtmWideipLbmodePool = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 1, 2, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18))).clone(namedValues=NamedValues(("returntodns", 0), ("null", 1), ("roundrobin", 2), ("ratio", 3), ("topology", 4), ("statpersit", 5), ("ga", 6), ("vscapacity", 7), ("leastconn", 8), ("lowestrtt", 9), ("lowesthops", 10), ("packetrate", 11), ("cpu", 12), ("hitratio", 13), ("qos", 14), ("bps", 15), ("droppacket", 16), ("explicitip", 17), ("vsscore", 18)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipLbmodePool.setStatus('current') if mibBuilder.loadTexts: gtmWideipLbmodePool.setDescription('The load balancing method for the specified wide IP. This is used by the wide IPs when picking a pool to use when responding to a DNS request.') gtmWideipApplication = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 1, 2, 1, 6), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipApplication.setStatus('current') if mibBuilder.loadTexts: gtmWideipApplication.setDescription('The application name the specified wide IP is used for.') gtmWideipLastResortPool = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 1, 2, 1, 7), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipLastResortPool.setStatus('current') if mibBuilder.loadTexts: gtmWideipLastResortPool.setDescription('The name of the last-resort pool for the specified wide IP.') gtmWideipIpv6Noerror = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 1, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipIpv6Noerror.setStatus('current') if mibBuilder.loadTexts: gtmWideipIpv6Noerror.setDescription('When enabled, all IPv6 wide IP requests will be returned with a noerror response.') gtmWideipLoadBalancingDecisionLogVerbosity = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 1, 2, 1, 9), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipLoadBalancingDecisionLogVerbosity.setStatus('current') if mibBuilder.loadTexts: gtmWideipLoadBalancingDecisionLogVerbosity.setDescription('The log verbosity value when making load-balancing decisions. From the least significant bit to the most significant bit, each bit represents enabling or disabling a certain load balancing log. When the first bit is 1, log will contain pool load-balancing algorithm details. When the second bit is 1, log will contain details of all pools traversed during load-balancing. When the third bit is 1, log will contain pool member load-balancing algorithm details. When the fourth bit is 1, log will contain details of all pool members traversed during load-balancing.') gtmWideipStatResetStats = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 2, 1), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: gtmWideipStatResetStats.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatResetStats.setDescription('The action to reset resetable statistics data in gtmWideipStat. Setting this value to 1 will reset statistics data. Note, some statistics data may not be reset including data that are incremental counters.') gtmWideipStatNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 2, 2), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipStatNumber.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatNumber.setDescription('The number of gtmWideipStat entries in the table.') gtmWideipStatTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 2, 3), ) if mibBuilder.loadTexts: gtmWideipStatTable.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatTable.setDescription('A table containing statistics information of wide IPs for GTM (Global Traffic Management).') gtmWideipStatEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 2, 3, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmWideipStatName")) if mibBuilder.loadTexts: gtmWideipStatEntry.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatEntry.setDescription('Columns in the gtmWideipStat Table') gtmWideipStatName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 2, 3, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipStatName.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatName.setDescription('The name of the wide IP.') gtmWideipStatRequests = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 2, 3, 1, 2), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipStatRequests.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatRequests.setDescription('The number of total requests for the specified wide IP.') gtmWideipStatResolutions = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 2, 3, 1, 3), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipStatResolutions.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatResolutions.setDescription('The number of total resolutions for the specified wide IP.') gtmWideipStatPersisted = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 2, 3, 1, 4), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipStatPersisted.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatPersisted.setDescription('The number of persisted requests for the specified wide IP.') gtmWideipStatPreferred = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 2, 3, 1, 5), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipStatPreferred.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatPreferred.setDescription('The number of times which the preferred load balance method is used for the specified wide IP.') gtmWideipStatFallback = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 2, 3, 1, 6), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipStatFallback.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatFallback.setDescription('The number of times which the alternate load balance method is used for the specified wide IP.') gtmWideipStatDropped = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 2, 3, 1, 7), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipStatDropped.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatDropped.setDescription('The number of dropped DNS messages for the specified wide IP.') gtmWideipStatExplicitIp = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 2, 3, 1, 8), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipStatExplicitIp.setStatus('deprecated') if mibBuilder.loadTexts: gtmWideipStatExplicitIp.setDescription('Deprecated! The number of times which a LDNS was persisted to the specified wide IP by the explicit IP rule.') gtmWideipStatReturnToDns = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 2, 3, 1, 9), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipStatReturnToDns.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatReturnToDns.setDescription('The number of times which a resolve was returned to DNS (for resolution) for the specified wide IP.') gtmWideipStatReturnFromDns = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 2, 3, 1, 10), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipStatReturnFromDns.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatReturnFromDns.setDescription('The number of times which a resolve was returned from DNS for the specified wide IP.') gtmWideipStatCnameResolutions = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 2, 3, 1, 11), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipStatCnameResolutions.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatCnameResolutions.setDescription('The number of times which a query is resolved by the CNAME of pools associated with the specified Wide IP.') gtmWideipStatARequests = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 2, 3, 1, 12), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipStatARequests.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatARequests.setDescription('The number of A requests for the specified wide IP.') gtmWideipStatAaaaRequests = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 2, 3, 1, 13), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipStatAaaaRequests.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatAaaaRequests.setDescription('The number of AAAA requests for the specified wide IP.') gtmWideipStatusNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 3, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipStatusNumber.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatusNumber.setDescription('The number of gtmWideipStatus entries in the table.') gtmWideipStatusTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 3, 2), ) if mibBuilder.loadTexts: gtmWideipStatusTable.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatusTable.setDescription('A table containing status information of wide IPs for GTM (Global Traffic Management).') gtmWideipStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 3, 2, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmWideipStatusName")) if mibBuilder.loadTexts: gtmWideipStatusEntry.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatusEntry.setDescription('Columns in the gtmWideipStatus Table') gtmWideipStatusName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 3, 2, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipStatusName.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatusName.setDescription('The name of a wide IP.') gtmWideipStatusAvailState = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 3, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("none", 0), ("green", 1), ("yellow", 2), ("red", 3), ("blue", 4), ("gray", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipStatusAvailState.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatusAvailState.setDescription('The availability of the specified wide IP indicated in color. none - error; green - available in some capacity; yellow - not currently available; red - not available; blue - availability is unknown; gray - unlicensed.') gtmWideipStatusEnabledState = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 3, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("none", 0), ("enabled", 1), ("disabled", 2), ("disabledbyparent", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipStatusEnabledState.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatusEnabledState.setDescription('The activity status of the specified wide IP, as specified by the user.') gtmWideipStatusParentType = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 3, 2, 1, 4), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipStatusParentType.setStatus('deprecated') if mibBuilder.loadTexts: gtmWideipStatusParentType.setDescription('Deprecated! This is an internal data. The type of parent object which disabled the specified wide IP.') gtmWideipStatusDetailReason = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 3, 2, 1, 5), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipStatusDetailReason.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatusDetailReason.setDescription("The detail description of the specified wide IP's status.") gtmWideipAliasNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 4, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipAliasNumber.setStatus('current') if mibBuilder.loadTexts: gtmWideipAliasNumber.setDescription('The number of gtmWideipAlias entries in the table.') gtmWideipAliasTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 4, 2), ) if mibBuilder.loadTexts: gtmWideipAliasTable.setStatus('current') if mibBuilder.loadTexts: gtmWideipAliasTable.setDescription('A table containing information of aliases of the specified wide IPs for GTM (Global Traffic Management).') gtmWideipAliasEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 4, 2, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmWideipAliasWipName"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmWideipAliasName")) if mibBuilder.loadTexts: gtmWideipAliasEntry.setStatus('current') if mibBuilder.loadTexts: gtmWideipAliasEntry.setDescription('Columns in the gtmWideipAlias Table') gtmWideipAliasWipName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 4, 2, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipAliasWipName.setStatus('current') if mibBuilder.loadTexts: gtmWideipAliasWipName.setDescription('The name of the wide IP.') gtmWideipAliasName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 4, 2, 1, 2), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipAliasName.setStatus('current') if mibBuilder.loadTexts: gtmWideipAliasName.setDescription('The alias name of the specified wide IP.') gtmWideipPoolNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 5, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipPoolNumber.setStatus('current') if mibBuilder.loadTexts: gtmWideipPoolNumber.setDescription('The number of gtmWideipPool entries in the table.') gtmWideipPoolTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 5, 2), ) if mibBuilder.loadTexts: gtmWideipPoolTable.setStatus('current') if mibBuilder.loadTexts: gtmWideipPoolTable.setDescription('A table containing information of pools associated with the specified wide IPs for GTM (Global Traffic Management).') gtmWideipPoolEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 5, 2, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmWideipPoolWipName"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmWideipPoolPoolName")) if mibBuilder.loadTexts: gtmWideipPoolEntry.setStatus('current') if mibBuilder.loadTexts: gtmWideipPoolEntry.setDescription('Columns in the gtmWideipPool Table') gtmWideipPoolWipName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 5, 2, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipPoolWipName.setStatus('current') if mibBuilder.loadTexts: gtmWideipPoolWipName.setDescription('The name of the wide IP.') gtmWideipPoolPoolName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 5, 2, 1, 2), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipPoolPoolName.setStatus('current') if mibBuilder.loadTexts: gtmWideipPoolPoolName.setDescription('The name of the pool which associates with the specified wide IP.') gtmWideipPoolOrder = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 5, 2, 1, 3), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipPoolOrder.setStatus('current') if mibBuilder.loadTexts: gtmWideipPoolOrder.setDescription('This determines order of pools in wip. zero-based.') gtmWideipPoolRatio = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 5, 2, 1, 4), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipPoolRatio.setStatus('current') if mibBuilder.loadTexts: gtmWideipPoolRatio.setDescription('The load balancing ratio given to the specified pool.') gtmWideipRuleNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 6, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipRuleNumber.setStatus('current') if mibBuilder.loadTexts: gtmWideipRuleNumber.setDescription('The number of gtmWideipRule entries in the table.') gtmWideipRuleTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 6, 2), ) if mibBuilder.loadTexts: gtmWideipRuleTable.setStatus('current') if mibBuilder.loadTexts: gtmWideipRuleTable.setDescription('A table containing information of rules associated with the specified wide IPs for GTM (Global Traffic Management).') gtmWideipRuleEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 6, 2, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmWideipRuleWipName"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmWideipRuleRuleName")) if mibBuilder.loadTexts: gtmWideipRuleEntry.setStatus('current') if mibBuilder.loadTexts: gtmWideipRuleEntry.setDescription('Columns in the gtmWideipRule Table') gtmWideipRuleWipName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 6, 2, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipRuleWipName.setStatus('current') if mibBuilder.loadTexts: gtmWideipRuleWipName.setDescription('The name of the wide IP.') gtmWideipRuleRuleName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 6, 2, 1, 2), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipRuleRuleName.setStatus('current') if mibBuilder.loadTexts: gtmWideipRuleRuleName.setDescription('The name of the rule which associates with the specified wide IP.') gtmWideipRulePriority = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 6, 2, 1, 3), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmWideipRulePriority.setStatus('current') if mibBuilder.loadTexts: gtmWideipRulePriority.setDescription('The execution priority of the rule for the specified wide IP.') gtmServerStat2ResetStats = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 4, 1), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: gtmServerStat2ResetStats.setStatus('current') if mibBuilder.loadTexts: gtmServerStat2ResetStats.setDescription('The action to reset resetable statistics data in gtmServerStat2. Setting this value to 1 will reset statistics data. Note, some statistics data may not be reset including data that are incremental counters.') gtmServerStat2Number = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 4, 2), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerStat2Number.setStatus('current') if mibBuilder.loadTexts: gtmServerStat2Number.setDescription('The number of gtmServerStat2 entries in the table.') gtmServerStat2Table = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 4, 3), ) if mibBuilder.loadTexts: gtmServerStat2Table.setStatus('current') if mibBuilder.loadTexts: gtmServerStat2Table.setDescription('A table containing statistics information of servers within associated data center for GTM (Global Traffic Management).') gtmServerStat2Entry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 4, 3, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmServerStat2Name")) if mibBuilder.loadTexts: gtmServerStat2Entry.setStatus('current') if mibBuilder.loadTexts: gtmServerStat2Entry.setDescription('Columns in the gtmServerStat2 Table') gtmServerStat2Name = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 4, 3, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerStat2Name.setStatus('current') if mibBuilder.loadTexts: gtmServerStat2Name.setDescription('The name of a server.') gtmServerStat2UnitId = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 4, 3, 1, 2), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerStat2UnitId.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerStat2UnitId.setDescription('Deprecated! This feature has been eliminated. The unit ID of the specified server.') gtmServerStat2VsPicks = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 4, 3, 1, 3), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerStat2VsPicks.setStatus('current') if mibBuilder.loadTexts: gtmServerStat2VsPicks.setDescription('How many times a virtual server of the specified server was picked during resolution of a domain name. I.E amazon.com got resolved to a particular virtual address X times.') gtmServerStat2CpuUsage = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 4, 3, 1, 4), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerStat2CpuUsage.setStatus('current') if mibBuilder.loadTexts: gtmServerStat2CpuUsage.setDescription('The CPU usage in percentage for the specified server.') gtmServerStat2MemAvail = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 4, 3, 1, 5), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerStat2MemAvail.setStatus('current') if mibBuilder.loadTexts: gtmServerStat2MemAvail.setDescription('The memory available in bytes for the specified server.') gtmServerStat2BitsPerSecIn = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 4, 3, 1, 6), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerStat2BitsPerSecIn.setStatus('current') if mibBuilder.loadTexts: gtmServerStat2BitsPerSecIn.setDescription('The number of bits per second received by the specified server.') gtmServerStat2BitsPerSecOut = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 4, 3, 1, 7), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerStat2BitsPerSecOut.setStatus('current') if mibBuilder.loadTexts: gtmServerStat2BitsPerSecOut.setDescription('The number of bits per second sent out from the specified server.') gtmServerStat2PktsPerSecIn = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 4, 3, 1, 8), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerStat2PktsPerSecIn.setStatus('current') if mibBuilder.loadTexts: gtmServerStat2PktsPerSecIn.setDescription('The number of packets per second received by the specified server.') gtmServerStat2PktsPerSecOut = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 4, 3, 1, 9), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerStat2PktsPerSecOut.setStatus('current') if mibBuilder.loadTexts: gtmServerStat2PktsPerSecOut.setDescription('The number of packets per second sent out from the specified server.') gtmServerStat2Connections = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 4, 3, 1, 10), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerStat2Connections.setStatus('current') if mibBuilder.loadTexts: gtmServerStat2Connections.setDescription('The number of total connections to the specified server.') gtmServerStat2ConnRate = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 4, 3, 1, 11), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmServerStat2ConnRate.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerStat2ConnRate.setDescription('Deprecated! This feature has been eliminated. The connection rate (current connection rate/connection rate limit) in percentage for the specified server.') gtmProberPoolNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmProberPoolNumber.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolNumber.setDescription('The number of gtmProberPool entries in the table.') gtmProberPoolTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 1, 2), ) if mibBuilder.loadTexts: gtmProberPoolTable.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolTable.setDescription('A table containing information for GTM prober pools.') gtmProberPoolEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 1, 2, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmProberPoolName")) if mibBuilder.loadTexts: gtmProberPoolEntry.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolEntry.setDescription('Columns in the gtmProberPool Table') gtmProberPoolName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 1, 2, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmProberPoolName.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolName.setDescription('The name of a prober pool.') gtmProberPoolLbMode = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 1, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(2, 6))).clone(namedValues=NamedValues(("roundrobin", 2), ("ga", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmProberPoolLbMode.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolLbMode.setDescription('The preferred load balancing method for the specified prober pool.') gtmProberPoolEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 1, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmProberPoolEnabled.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolEnabled.setDescription('The state indicating whether the specified prober pool is enabled or not.') gtmProberPoolStatResetStats = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 2, 1), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: gtmProberPoolStatResetStats.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolStatResetStats.setDescription('The action to reset resetable statistics data in gtmProberPoolStat. Setting this value to 1 will reset statistics data. Note, some statistics data may not be reset including data that are incremental counters.') gtmProberPoolStatNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 2, 2), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmProberPoolStatNumber.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolStatNumber.setDescription('The number of gtmProberPoolStat entries in the table.') gtmProberPoolStatTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 2, 3), ) if mibBuilder.loadTexts: gtmProberPoolStatTable.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolStatTable.setDescription('A table containing statistics information for GTM prober pools.') gtmProberPoolStatEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 2, 3, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmProberPoolStatName")) if mibBuilder.loadTexts: gtmProberPoolStatEntry.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolStatEntry.setDescription('Columns in the gtmProberPoolStat Table') gtmProberPoolStatName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 2, 3, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmProberPoolStatName.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolStatName.setDescription('The name of a prober pool.') gtmProberPoolStatTotalProbes = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 2, 3, 1, 2), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmProberPoolStatTotalProbes.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolStatTotalProbes.setDescription('The number of total probes.') gtmProberPoolStatSuccessfulProbes = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 2, 3, 1, 3), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmProberPoolStatSuccessfulProbes.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolStatSuccessfulProbes.setDescription('The number of successful probes.') gtmProberPoolStatFailedProbes = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 2, 3, 1, 4), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmProberPoolStatFailedProbes.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolStatFailedProbes.setDescription('The number of failed probes.') gtmProberPoolStatusNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 3, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmProberPoolStatusNumber.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolStatusNumber.setDescription('The number of gtmProberPoolStatus entries in the table.') gtmProberPoolStatusTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 3, 2), ) if mibBuilder.loadTexts: gtmProberPoolStatusTable.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolStatusTable.setDescription('A table containing status information for GTM prober pools.') gtmProberPoolStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 3, 2, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmProberPoolStatusName")) if mibBuilder.loadTexts: gtmProberPoolStatusEntry.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolStatusEntry.setDescription('Columns in the gtmProberPoolStatus Table') gtmProberPoolStatusName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 3, 2, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmProberPoolStatusName.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolStatusName.setDescription('The name of a prober pool.') gtmProberPoolStatusAvailState = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 3, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("none", 0), ("green", 1), ("yellow", 2), ("red", 3), ("blue", 4), ("gray", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmProberPoolStatusAvailState.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolStatusAvailState.setDescription('The availability of the specified pool indicated by color. none - error; green - available; yellow - not currently available; red - not available; blue - availability is unknown; gray - unlicensed.') gtmProberPoolStatusEnabledState = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 3, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("none", 0), ("enabled", 1), ("disabled", 2), ("disabledbyparent", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmProberPoolStatusEnabledState.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolStatusEnabledState.setDescription('The activity status of the specified pool, as specified by the user.') gtmProberPoolStatusDetailReason = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 3, 2, 1, 4), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmProberPoolStatusDetailReason.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolStatusDetailReason.setDescription("The detail description of the specified pool's status.") gtmProberPoolMbrNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 4, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmProberPoolMbrNumber.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrNumber.setDescription('The number of gtmProberPoolMember entries in the table.') gtmProberPoolMbrTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 4, 2), ) if mibBuilder.loadTexts: gtmProberPoolMbrTable.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrTable.setDescription('A table containing information for GTM prober pool members.') gtmProberPoolMbrEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 4, 2, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmProberPoolMbrPoolName"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmProberPoolMbrServerName")) if mibBuilder.loadTexts: gtmProberPoolMbrEntry.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrEntry.setDescription('Columns in the gtmProberPoolMbr Table') gtmProberPoolMbrPoolName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 4, 2, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmProberPoolMbrPoolName.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrPoolName.setDescription('The name of a prober pool.') gtmProberPoolMbrServerName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 4, 2, 1, 2), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmProberPoolMbrServerName.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrServerName.setDescription('The name of a server.') gtmProberPoolMbrPmbrOrder = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 4, 2, 1, 3), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmProberPoolMbrPmbrOrder.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrPmbrOrder.setDescription('The prober pool member order.') gtmProberPoolMbrEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 4, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmProberPoolMbrEnabled.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrEnabled.setDescription('The state indicating whether the specified prober pool member is enabled or not.') gtmProberPoolMbrStatResetStats = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 5, 1), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: gtmProberPoolMbrStatResetStats.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatResetStats.setDescription('The action to reset resetable statistics data in gtmProberPoolMemberStat. Setting this value to 1 will reset statistics data. Note, some statistics data may not be reset including data that are incremental counters.') gtmProberPoolMbrStatNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 5, 2), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmProberPoolMbrStatNumber.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatNumber.setDescription('The number of gtmProberPoolMemberStat entries in the table.') gtmProberPoolMbrStatTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 5, 3), ) if mibBuilder.loadTexts: gtmProberPoolMbrStatTable.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatTable.setDescription('A table containing statistics information for GTM prober pool members.') gtmProberPoolMbrStatEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 5, 3, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmProberPoolMbrStatPoolName"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmProberPoolMbrStatServerName")) if mibBuilder.loadTexts: gtmProberPoolMbrStatEntry.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatEntry.setDescription('Columns in the gtmProberPoolMbrStat Table') gtmProberPoolMbrStatPoolName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 5, 3, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmProberPoolMbrStatPoolName.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatPoolName.setDescription('The name of a prober pool.') gtmProberPoolMbrStatServerName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 5, 3, 1, 2), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmProberPoolMbrStatServerName.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatServerName.setDescription('The name of a server.') gtmProberPoolMbrStatTotalProbes = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 5, 3, 1, 3), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmProberPoolMbrStatTotalProbes.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatTotalProbes.setDescription('The number of total probes issued by this pool member.') gtmProberPoolMbrStatSuccessfulProbes = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 5, 3, 1, 4), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmProberPoolMbrStatSuccessfulProbes.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatSuccessfulProbes.setDescription('The number of successful probes issued by this pool member.') gtmProberPoolMbrStatFailedProbes = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 5, 3, 1, 5), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmProberPoolMbrStatFailedProbes.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatFailedProbes.setDescription('The number of failed probes issued by pool member.') gtmProberPoolMbrStatusNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 6, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmProberPoolMbrStatusNumber.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatusNumber.setDescription('The number of gtmProberPoolMemberStatus entries in the table.') gtmProberPoolMbrStatusTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 6, 2), ) if mibBuilder.loadTexts: gtmProberPoolMbrStatusTable.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatusTable.setDescription('A table containing status information for GTM prober pool members.') gtmProberPoolMbrStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 6, 2, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmProberPoolMbrStatusPoolName"), (0, "F5-BIGIP-GLOBAL-MIB", "gtmProberPoolMbrStatusServerName")) if mibBuilder.loadTexts: gtmProberPoolMbrStatusEntry.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatusEntry.setDescription('Columns in the gtmProberPoolMbrStatus Table') gtmProberPoolMbrStatusPoolName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 6, 2, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmProberPoolMbrStatusPoolName.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatusPoolName.setDescription('The name of a prober pool.') gtmProberPoolMbrStatusServerName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 6, 2, 1, 2), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmProberPoolMbrStatusServerName.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatusServerName.setDescription('The name of a server.') gtmProberPoolMbrStatusAvailState = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 6, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("none", 0), ("green", 1), ("yellow", 2), ("red", 3), ("blue", 4), ("gray", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmProberPoolMbrStatusAvailState.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatusAvailState.setDescription('The availability of the specified pool member indicated by color. none - error; green - available; yellow - not currently available; red - not available; blue - availability is unknown; gray - unlicensed.') gtmProberPoolMbrStatusEnabledState = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 6, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("none", 0), ("enabled", 1), ("disabled", 2), ("disabledbyparent", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmProberPoolMbrStatusEnabledState.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatusEnabledState.setDescription('The activity status of the specified pool member, as specified by the user.') gtmProberPoolMbrStatusDetailReason = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 6, 2, 1, 5), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmProberPoolMbrStatusDetailReason.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatusDetailReason.setDescription("The detail description of the specified pool member's status.") gtmAttr2Number = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2Number.setStatus('current') if mibBuilder.loadTexts: gtmAttr2Number.setDescription('The number of gtmGlobalAttr2 entries in the table.') gtmAttr2Table = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2), ) if mibBuilder.loadTexts: gtmAttr2Table.setStatus('current') if mibBuilder.loadTexts: gtmAttr2Table.setDescription('The information of the global attributes for GTM (Global Traffic Management).') gtmAttr2Entry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmAttr2Name")) if mibBuilder.loadTexts: gtmAttr2Entry.setStatus('current') if mibBuilder.loadTexts: gtmAttr2Entry.setDescription('Columns in the gtmAttr2 Table') gtmAttr2DumpTopology = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2DumpTopology.setStatus('current') if mibBuilder.loadTexts: gtmAttr2DumpTopology.setDescription('The state indicating whether or not to dump the topology.') gtmAttr2CacheLdns = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2CacheLdns.setStatus('current') if mibBuilder.loadTexts: gtmAttr2CacheLdns.setDescription('The state indicating whether or not to cache LDNSes.') gtmAttr2AolAware = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2AolAware.setStatus('current') if mibBuilder.loadTexts: gtmAttr2AolAware.setDescription('The state indicating whether or not local DNS servers that belong to AOL (America Online) are recognized.') gtmAttr2CheckStaticDepends = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2CheckStaticDepends.setStatus('current') if mibBuilder.loadTexts: gtmAttr2CheckStaticDepends.setDescription('The state indicating whether or not to check the availability of virtual servers.') gtmAttr2CheckDynamicDepends = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2CheckDynamicDepends.setStatus('current') if mibBuilder.loadTexts: gtmAttr2CheckDynamicDepends.setDescription('The state indicating whether or not to check availability of a path before it uses the path for load balancing.') gtmAttr2DrainRequests = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2DrainRequests.setStatus('current') if mibBuilder.loadTexts: gtmAttr2DrainRequests.setDescription('The state indicating whether or not persistent connections are allowed to remain connected, until TTL expires, when disabling a pool.') gtmAttr2EnableResetsRipeness = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2EnableResetsRipeness.setStatus('current') if mibBuilder.loadTexts: gtmAttr2EnableResetsRipeness.setDescription('The state indicating whether or not ripeness value is allowed to be reset.') gtmAttr2FbRespectDepends = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2FbRespectDepends.setStatus('current') if mibBuilder.loadTexts: gtmAttr2FbRespectDepends.setDescription('The state indicating whether or not to respect virtual server status when load balancing switches to the fallback mode.') gtmAttr2FbRespectAcl = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2FbRespectAcl.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttr2FbRespectAcl.setDescription('Deprecated! The state indicating whether or not to respect ACL. This is part of an outdated mechanism for disabling virtual servers') gtmAttr2DefaultAlternate = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18))).clone(namedValues=NamedValues(("returntodns", 0), ("null", 1), ("roundrobin", 2), ("ratio", 3), ("topology", 4), ("statpersist", 5), ("ga", 6), ("vscapacity", 7), ("leastconn", 8), ("lowestrtt", 9), ("lowesthops", 10), ("packetrate", 11), ("cpu", 12), ("hitratio", 13), ("qos", 14), ("bps", 15), ("droppacket", 16), ("explicitip", 17), ("vssore", 18)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2DefaultAlternate.setStatus('current') if mibBuilder.loadTexts: gtmAttr2DefaultAlternate.setDescription('The default alternate LB method.') gtmAttr2DefaultFallback = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18))).clone(namedValues=NamedValues(("returntodns", 0), ("null", 1), ("roundrobin", 2), ("ratio", 3), ("topology", 4), ("statpersit", 5), ("ga", 6), ("vscapacity", 7), ("leastconn", 8), ("lowestrtt", 9), ("lowesthops", 10), ("packetrate", 11), ("cpu", 12), ("hitratio", 13), ("qos", 14), ("bps", 15), ("droppacket", 16), ("explicitip", 17), ("vsscore", 18)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2DefaultFallback.setStatus('current') if mibBuilder.loadTexts: gtmAttr2DefaultFallback.setDescription('The default fallback LB method.') gtmAttr2PersistMask = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 12), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2PersistMask.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttr2PersistMask.setDescription('Deprecated! Replaced by gtmAttrStaticPersistCidr and gtmAttrStaticPersistV6Cidr. The persistence mask which is used to determine the netmask applied for static persistance requests.') gtmAttr2GtmSetsRecursion = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2GtmSetsRecursion.setStatus('current') if mibBuilder.loadTexts: gtmAttr2GtmSetsRecursion.setDescription('The state indicating whether set recursion by global traffic management object(GTM) is enable or not.') gtmAttr2QosFactorLcs = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 14), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2QosFactorLcs.setStatus('current') if mibBuilder.loadTexts: gtmAttr2QosFactorLcs.setDescription('The factor used to normalize link capacity values when the load balancing mode is set to LB_METHOD_QOS.') gtmAttr2QosFactorRtt = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 15), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2QosFactorRtt.setStatus('current') if mibBuilder.loadTexts: gtmAttr2QosFactorRtt.setDescription('The factor used to normalize round-trip time values when the load balancing mode is set to LB_METHOD_QOS.') gtmAttr2QosFactorHops = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 16), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2QosFactorHops.setStatus('current') if mibBuilder.loadTexts: gtmAttr2QosFactorHops.setDescription('The factor used to normalize hops when the load balancing mode is set to LB_METHOD_QOS.') gtmAttr2QosFactorHitRatio = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 17), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2QosFactorHitRatio.setStatus('current') if mibBuilder.loadTexts: gtmAttr2QosFactorHitRatio.setDescription('The factor used to normalize ping packet completion rates when the load balancing mode is set to LB_METHOD_QOS.') gtmAttr2QosFactorPacketRate = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 18), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2QosFactorPacketRate.setStatus('current') if mibBuilder.loadTexts: gtmAttr2QosFactorPacketRate.setDescription('The factor used to normalize packet rates when the load balancing mode is set to LB_METHOD_QOS.') gtmAttr2QosFactorBps = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 19), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2QosFactorBps.setStatus('current') if mibBuilder.loadTexts: gtmAttr2QosFactorBps.setDescription('The factor used to normalize kilobytes per second when the load balancing mode is set to LB_METHOD_QOS.') gtmAttr2QosFactorVsCapacity = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 20), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2QosFactorVsCapacity.setStatus('current') if mibBuilder.loadTexts: gtmAttr2QosFactorVsCapacity.setDescription('The factor used to normalize virtual server capacity values when the load balancing mode is set to LB_METHOD_QOS.') gtmAttr2QosFactorTopology = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 21), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2QosFactorTopology.setStatus('current') if mibBuilder.loadTexts: gtmAttr2QosFactorTopology.setDescription('The factor used to normalize topology values when the load balancing mode is set to LB_METHOD_QOS.') gtmAttr2QosFactorConnRate = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 22), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2QosFactorConnRate.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttr2QosFactorConnRate.setDescription('Deprecated! Replaced by gtmAttrQosFactorVsScore. The factor used to normalize connection rates when the load balancing mode is set to LB_METHOD_QOS.') gtmAttr2TimerRetryPathData = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 23), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2TimerRetryPathData.setStatus('current') if mibBuilder.loadTexts: gtmAttr2TimerRetryPathData.setDescription('The frequency at which to retrieve path data.') gtmAttr2TimerGetAutoconfigData = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 24), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2TimerGetAutoconfigData.setStatus('current') if mibBuilder.loadTexts: gtmAttr2TimerGetAutoconfigData.setDescription('The frequency at which to retrieve auto-configuration data.') gtmAttr2TimerPersistCache = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 25), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2TimerPersistCache.setStatus('current') if mibBuilder.loadTexts: gtmAttr2TimerPersistCache.setDescription('The frequency at which to retrieve path and metrics data from the system cache.') gtmAttr2DefaultProbeLimit = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 26), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2DefaultProbeLimit.setStatus('current') if mibBuilder.loadTexts: gtmAttr2DefaultProbeLimit.setDescription('The default probe limit, the number of times to probe a path.') gtmAttr2DownThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 27), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2DownThreshold.setStatus('current') if mibBuilder.loadTexts: gtmAttr2DownThreshold.setDescription('The down_threshold value. If a host server or a host virtual server has been marked down for the last down_threshold probing cycles (timer_get_host_data or timer_get_vs_data respectively), then perform service checks every down_multiple * timer period instead.') gtmAttr2DownMultiple = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 28), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2DownMultiple.setStatus('current') if mibBuilder.loadTexts: gtmAttr2DownMultiple.setDescription('The down_multiple value. If a host server or a host virtual server has been marked down for the last down_threshold probing cycles (timer_get_host_data or timer_get_vs_data respectively), then perform service checks every down_multiple * timer period instead.') gtmAttr2PathTtl = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 29), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2PathTtl.setStatus('current') if mibBuilder.loadTexts: gtmAttr2PathTtl.setDescription('The TTL for the path information.') gtmAttr2TraceTtl = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 30), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2TraceTtl.setStatus('current') if mibBuilder.loadTexts: gtmAttr2TraceTtl.setDescription('The TTL for the traceroute information.') gtmAttr2LdnsDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 31), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2LdnsDuration.setStatus('current') if mibBuilder.loadTexts: gtmAttr2LdnsDuration.setDescription('The number of seconds that an inactive LDNS remains cached.') gtmAttr2PathDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 32), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2PathDuration.setStatus('current') if mibBuilder.loadTexts: gtmAttr2PathDuration.setDescription('The number of seconds that a path remains cached after its last access.') gtmAttr2RttSampleCount = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 33), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2RttSampleCount.setStatus('current') if mibBuilder.loadTexts: gtmAttr2RttSampleCount.setDescription('The number of packets to send out in a probe request to determine path information.') gtmAttr2RttPacketLength = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 34), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2RttPacketLength.setStatus('current') if mibBuilder.loadTexts: gtmAttr2RttPacketLength.setDescription('The length of the packet sent out in a probe request to determine path information.') gtmAttr2RttTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 35), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2RttTimeout.setStatus('current') if mibBuilder.loadTexts: gtmAttr2RttTimeout.setDescription('The timeout for RTT, in seconds.') gtmAttr2MaxMonReqs = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 36), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2MaxMonReqs.setStatus('current') if mibBuilder.loadTexts: gtmAttr2MaxMonReqs.setDescription('The maximum synchronous monitor request, which is used to control the maximum number of monitor requests being sent out at one time for a given probing interval. This will allow the user to smooth out monitor probe requests as much as they desire.') gtmAttr2TraceroutePort = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 37), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2TraceroutePort.setStatus('current') if mibBuilder.loadTexts: gtmAttr2TraceroutePort.setDescription('The port to use to collect traceroute (hops) data.') gtmAttr2PathsNeverDie = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 38), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2PathsNeverDie.setStatus('current') if mibBuilder.loadTexts: gtmAttr2PathsNeverDie.setDescription('The state indicating whether the dynamic load balancing modes can use path data even after the TTL for the path data has expired.') gtmAttr2ProbeDisabledObjects = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 39), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2ProbeDisabledObjects.setStatus('current') if mibBuilder.loadTexts: gtmAttr2ProbeDisabledObjects.setDescription('The state indicating whether probing disabled objects by global traffic management object(GTM) is enabled or not.') gtmAttr2LinkLimitFactor = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 40), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2LinkLimitFactor.setStatus('current') if mibBuilder.loadTexts: gtmAttr2LinkLimitFactor.setDescription('The link limit factor, which is used to set a target percentage for traffic. For example, if it is set to 90, the ratio cost based load-balancing will set a ratio with a maximum value equal to 90% of the limit value for the link. Default is 95%.') gtmAttr2OverLimitLinkLimitFactor = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 41), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2OverLimitLinkLimitFactor.setStatus('current') if mibBuilder.loadTexts: gtmAttr2OverLimitLinkLimitFactor.setDescription('The over-limit link limit factor. If traffic on a link exceeds the limit, this factor will be used instead of the link_limit_factor until the traffic is over limit for more than max_link_over_limit_count times. Once the limit has been exceeded too many times, all traffic is shut off for the link. The default for over_limit_link_limit_factor is 90%.') gtmAttr2LinkPrepaidFactor = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 42), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2LinkPrepaidFactor.setStatus('current') if mibBuilder.loadTexts: gtmAttr2LinkPrepaidFactor.setDescription('The link prepaid factor. Maximum percentage of traffic allocated to link which has a traffic allotment which has been prepaid. Default is 95%.') gtmAttr2LinkCompensateInbound = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 43), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2LinkCompensateInbound.setStatus('current') if mibBuilder.loadTexts: gtmAttr2LinkCompensateInbound.setDescription('The link compensate inbound. If set, the link allotment calculation will take into account traffic which does not flow through the BIGIP, i.e. if more traffic is flowing through a link as measured by SNMP on the router than is flowing through the BIGIP. This applies to inbound traffic which the major volume will initiate from internal clients.') gtmAttr2LinkCompensateOutbound = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 44), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2LinkCompensateOutbound.setStatus('current') if mibBuilder.loadTexts: gtmAttr2LinkCompensateOutbound.setDescription('The link compensate outbound. If set, the link allotment calculation will take into account traffic which does not flow through the BIGIP, i.e. if more traffic is flowing through a link as measured by SNMP on the router than is flowing through the BIGIP. This applies to outbound traffic which the major volume will initiate from internal clients.') gtmAttr2LinkCompensationHistory = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 45), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2LinkCompensationHistory.setStatus('current') if mibBuilder.loadTexts: gtmAttr2LinkCompensationHistory.setDescription('The link compensation history.') gtmAttr2MaxLinkOverLimitCount = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 46), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2MaxLinkOverLimitCount.setStatus('current') if mibBuilder.loadTexts: gtmAttr2MaxLinkOverLimitCount.setDescription('The maximum link over limit count. The count of how many times in a row traffic may be over the defined limit for the link before it is shut off entirely. Default is 1.') gtmAttr2LowerBoundPctRow = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 47), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2LowerBoundPctRow.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttr2LowerBoundPctRow.setDescription('Deprecated! No longer useful. The lower bound percentage row option in Internet Weather Map.') gtmAttr2LowerBoundPctCol = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 48), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2LowerBoundPctCol.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttr2LowerBoundPctCol.setDescription('Deprecated! No longer useful. The lower bound percentage column option in Internet Weather Map.') gtmAttr2Autoconf = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 49), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2Autoconf.setStatus('current') if mibBuilder.loadTexts: gtmAttr2Autoconf.setDescription('The state indicating whether to auto configure BIGIP/3DNS servers (automatic addition and deletion of self IPs and virtual servers).') gtmAttr2Autosync = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 50), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2Autosync.setStatus('current') if mibBuilder.loadTexts: gtmAttr2Autosync.setDescription('The state indicating whether or not to autosync. Allows automatic updates of wideip.conf to/from other 3-DNSes.') gtmAttr2SyncNamedConf = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 51), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2SyncNamedConf.setStatus('current') if mibBuilder.loadTexts: gtmAttr2SyncNamedConf.setDescription('The state indicating whether or not to auto-synchronize named configuration. Allows automatic updates of named.conf to/from other 3-DNSes.') gtmAttr2SyncGroup = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 52), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2SyncGroup.setStatus('current') if mibBuilder.loadTexts: gtmAttr2SyncGroup.setDescription('The name of sync group.') gtmAttr2SyncTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 53), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2SyncTimeout.setStatus('current') if mibBuilder.loadTexts: gtmAttr2SyncTimeout.setDescription("The sync timeout. If synch'ing from a remote 3-DNS takes longer than this timeout, then abort the connection.") gtmAttr2SyncZonesTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 54), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2SyncZonesTimeout.setStatus('current') if mibBuilder.loadTexts: gtmAttr2SyncZonesTimeout.setDescription("The sync zones timeout. If synch'ing named and zone configuration takes this timeout, then abort the connection.") gtmAttr2TimeTolerance = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 55), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2TimeTolerance.setStatus('current') if mibBuilder.loadTexts: gtmAttr2TimeTolerance.setDescription('The allowable time difference for data to be out of sync between members of a sync group.') gtmAttr2TopologyLongestMatch = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 56), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2TopologyLongestMatch.setStatus('current') if mibBuilder.loadTexts: gtmAttr2TopologyLongestMatch.setDescription('The state indicating whether or not the 3-DNS Controller selects the topology record that is most specific and, thus, has the longest match, in cases where there are several IP/netmask items that match a particular IP address. If it is set to false, the 3-DNS Controller uses the first topology record that matches (according to the order of entry) in the topology statement.') gtmAttr2TopologyAclThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 57), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2TopologyAclThreshold.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttr2TopologyAclThreshold.setDescription('Deprecated! The threshold of the topology ACL. This is an outdated mechanism for disabling a node.') gtmAttr2StaticPersistCidr = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 58), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2StaticPersistCidr.setStatus('current') if mibBuilder.loadTexts: gtmAttr2StaticPersistCidr.setDescription('The variable used with the static persistence load balancing mode to allow users to specify what cidr should be used. This is used for IPv4.') gtmAttr2StaticPersistV6Cidr = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 59), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2StaticPersistV6Cidr.setStatus('current') if mibBuilder.loadTexts: gtmAttr2StaticPersistV6Cidr.setDescription('The variable used with the static persistence load balancing mode to allow users to specify what cidr should be used. This is used for IPv6.') gtmAttr2QosFactorVsScore = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 60), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2QosFactorVsScore.setStatus('current') if mibBuilder.loadTexts: gtmAttr2QosFactorVsScore.setDescription('The factor used to normalize virtual server (VS) score when the load balancing mode is set to LB_METHOD_QOS.') gtmAttr2TimerSendKeepAlive = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 61), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2TimerSendKeepAlive.setStatus('current') if mibBuilder.loadTexts: gtmAttr2TimerSendKeepAlive.setDescription('The frequency of GTM keep alive messages (strictly the config timestamps).') gtmAttr2CertificateDepth = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 62), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2CertificateDepth.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttr2CertificateDepth.setDescription('Deprecated! No longer updated. When non-zero, customers may use their own SSL certificates by setting the certificate depth.') gtmAttr2MaxMemoryUsage = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 63), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2MaxMemoryUsage.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttr2MaxMemoryUsage.setDescription('Deprecated! The maximum amount of memory (in MB) allocated to GTM.') gtmAttr2Name = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 64), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2Name.setStatus('current') if mibBuilder.loadTexts: gtmAttr2Name.setDescription('name as a key.') gtmAttr2ForwardStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 65), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmAttr2ForwardStatus.setStatus('current') if mibBuilder.loadTexts: gtmAttr2ForwardStatus.setDescription('The state indicating whether or not to forward object availability status change notifications.') gtmDnssecZoneStatResetStats = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 1), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: gtmDnssecZoneStatResetStats.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatResetStats.setDescription('The action to reset resetable statistics data in gtmDnssecZoneStat. Setting this value to 1 will reset statistics data. Note, some statistics data may not be reset including data that are incremental counters.') gtmDnssecZoneStatNumber = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 2), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecZoneStatNumber.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatNumber.setDescription('The number of gtmDnssecZoneStat entries in the table.') gtmDnssecZoneStatTable = MibTable((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3), ) if mibBuilder.loadTexts: gtmDnssecZoneStatTable.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatTable.setDescription('A table containing statistics information for GTM DNSSEC zones.') gtmDnssecZoneStatEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1), ).setIndexNames((0, "F5-BIGIP-GLOBAL-MIB", "gtmDnssecZoneStatName")) if mibBuilder.loadTexts: gtmDnssecZoneStatEntry.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatEntry.setDescription('Columns in the gtmDnssecZoneStat Table') gtmDnssecZoneStatName = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 1), LongDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecZoneStatName.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatName.setDescription('The name of a DNSSEC zone.') gtmDnssecZoneStatNsec3s = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 2), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecZoneStatNsec3s.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatNsec3s.setDescription('Total number of NSEC3 RRs generated.') gtmDnssecZoneStatNsec3Nodata = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 3), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecZoneStatNsec3Nodata.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatNsec3Nodata.setDescription('Total number of no data responses generated needing NSEC3 RR.') gtmDnssecZoneStatNsec3Nxdomain = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 4), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecZoneStatNsec3Nxdomain.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatNsec3Nxdomain.setDescription('Total number of no domain responses generated needing NSEC3 RR.') gtmDnssecZoneStatNsec3Referral = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 5), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecZoneStatNsec3Referral.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatNsec3Referral.setDescription('Total number of referral responses generated needing NSEC3 RR.') gtmDnssecZoneStatNsec3Resalt = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 6), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecZoneStatNsec3Resalt.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatNsec3Resalt.setDescription('Total number of times that salt was changed for NSEC3.') gtmDnssecZoneStatDnssecResponses = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 7), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecZoneStatDnssecResponses.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatDnssecResponses.setDescription('Total number of signed responses.') gtmDnssecZoneStatDnssecDnskeyQueries = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 8), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecZoneStatDnssecDnskeyQueries.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatDnssecDnskeyQueries.setDescription('Total number of queries for DNSKEY type.') gtmDnssecZoneStatDnssecNsec3paramQueries = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 9), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecZoneStatDnssecNsec3paramQueries.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatDnssecNsec3paramQueries.setDescription('Total number of queries for NSEC3PARAM type.') gtmDnssecZoneStatDnssecDsQueries = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 10), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecZoneStatDnssecDsQueries.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatDnssecDsQueries.setDescription('Total number of queries for DS type.') gtmDnssecZoneStatSigCryptoFailed = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 11), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecZoneStatSigCryptoFailed.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatSigCryptoFailed.setDescription('Total number of signatures in which the cryptographic operation failed.') gtmDnssecZoneStatSigSuccess = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 12), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecZoneStatSigSuccess.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatSigSuccess.setDescription('Total number of successfully generated signatures.') gtmDnssecZoneStatSigFailed = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 13), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecZoneStatSigFailed.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatSigFailed.setDescription('Total number of general signature failures.') gtmDnssecZoneStatSigRrsetFailed = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 14), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecZoneStatSigRrsetFailed.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatSigRrsetFailed.setDescription('Total number of failures due to an RRSET failing to be signed.') gtmDnssecZoneStatConnectFlowFailed = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 15), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecZoneStatConnectFlowFailed.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatConnectFlowFailed.setDescription('Total number of connection flow failures.') gtmDnssecZoneStatTowireFailed = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 16), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecZoneStatTowireFailed.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatTowireFailed.setDescription('Total number of failures when converting to a wire format packet.') gtmDnssecZoneStatAxfrQueries = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 17), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecZoneStatAxfrQueries.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatAxfrQueries.setDescription('Total number of axfr queries.') gtmDnssecZoneStatIxfrQueries = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 18), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecZoneStatIxfrQueries.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatIxfrQueries.setDescription('Total number of ixfr queries.') gtmDnssecZoneStatXfrStarts = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 19), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecZoneStatXfrStarts.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatXfrStarts.setDescription('Total number of zone transfers which were started.') gtmDnssecZoneStatXfrCompletes = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 20), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecZoneStatXfrCompletes.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatXfrCompletes.setDescription('Total number of zone transfers which were completed.') gtmDnssecZoneStatXfrMsgs = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 21), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecZoneStatXfrMsgs.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatXfrMsgs.setDescription('Total number of zone transfer packets to clients.') gtmDnssecZoneStatXfrMasterMsgs = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 22), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecZoneStatXfrMasterMsgs.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatXfrMasterMsgs.setDescription('Total number of zone transfer packets from the primary server.') gtmDnssecZoneStatXfrResponseAverageSize = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 23), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecZoneStatXfrResponseAverageSize.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatXfrResponseAverageSize.setDescription('Zone transfer average responses size in bytes.') gtmDnssecZoneStatXfrSerial = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 24), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecZoneStatXfrSerial.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatXfrSerial.setDescription('The serial number advertised to all clients.') gtmDnssecZoneStatXfrMasterSerial = MibTableColumn((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 25), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecZoneStatXfrMasterSerial.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatXfrMasterSerial.setDescription('The zone serial number of the primary server.') gtmDnssecStatResetStats = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 1), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: gtmDnssecStatResetStats.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatResetStats.setDescription('The action to reset resetable statistics data in gtmGlobalDnssecStat. Setting this value to 1 will reset statistics data. Note, some statistics data may not be reset including data that are incremental counters.') gtmDnssecStatNsec3s = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 2), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecStatNsec3s.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatNsec3s.setDescription('The number of NSEC3 RRs generated.') gtmDnssecStatNsec3Nodata = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 3), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecStatNsec3Nodata.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatNsec3Nodata.setDescription('The number of no data responses generated needing NSEC3 RR.') gtmDnssecStatNsec3Nxdomain = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 4), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecStatNsec3Nxdomain.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatNsec3Nxdomain.setDescription('The number of no domain responses generated needing NSEC3 RR.') gtmDnssecStatNsec3Referral = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 5), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecStatNsec3Referral.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatNsec3Referral.setDescription('The number of referral responses generated needing NSEC3 RR.') gtmDnssecStatNsec3Resalt = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 6), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecStatNsec3Resalt.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatNsec3Resalt.setDescription('The number of times that salt was changed for NSEC3.') gtmDnssecStatDnssecResponses = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 7), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecStatDnssecResponses.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatDnssecResponses.setDescription('The number of signed responses.') gtmDnssecStatDnssecDnskeyQueries = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 8), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecStatDnssecDnskeyQueries.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatDnssecDnskeyQueries.setDescription('The number of queries for DNSKEY type.') gtmDnssecStatDnssecNsec3paramQueries = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 9), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecStatDnssecNsec3paramQueries.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatDnssecNsec3paramQueries.setDescription('The number of queries for NSEC3PARAM type.') gtmDnssecStatDnssecDsQueries = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 10), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecStatDnssecDsQueries.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatDnssecDsQueries.setDescription('The number of queries for DS type.') gtmDnssecStatSigCryptoFailed = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 11), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecStatSigCryptoFailed.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatSigCryptoFailed.setDescription('The number of signatures in which the cryptographic operation failed.') gtmDnssecStatSigSuccess = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 12), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecStatSigSuccess.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatSigSuccess.setDescription('The number of successfully generated signatures.') gtmDnssecStatSigFailed = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 13), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecStatSigFailed.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatSigFailed.setDescription('The number of general signature failures.') gtmDnssecStatSigRrsetFailed = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 14), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecStatSigRrsetFailed.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatSigRrsetFailed.setDescription('The number of failures due to an RRSET failing to be signed.') gtmDnssecStatConnectFlowFailed = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 15), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecStatConnectFlowFailed.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatConnectFlowFailed.setDescription('The number of connection flow failures.') gtmDnssecStatTowireFailed = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 16), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecStatTowireFailed.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatTowireFailed.setDescription('The number of failures when converting to a wire format packet.') gtmDnssecStatAxfrQueries = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 17), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecStatAxfrQueries.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatAxfrQueries.setDescription('The number of axfr queries.') gtmDnssecStatIxfrQueries = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 18), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecStatIxfrQueries.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatIxfrQueries.setDescription('The number of ixfr queries.') gtmDnssecStatXfrStarts = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 19), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecStatXfrStarts.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatXfrStarts.setDescription('The number of zone transfers which were started.') gtmDnssecStatXfrCompletes = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 20), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecStatXfrCompletes.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatXfrCompletes.setDescription('The number of zone transfers which were completed.') gtmDnssecStatXfrMsgs = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 21), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecStatXfrMsgs.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatXfrMsgs.setDescription('The number of zone transfer packets to clients.') gtmDnssecStatXfrMasterMsgs = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 22), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecStatXfrMasterMsgs.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatXfrMasterMsgs.setDescription('The number of zone transfer packets from the primary server.') gtmDnssecStatXfrResponseAverageSize = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 23), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecStatXfrResponseAverageSize.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatXfrResponseAverageSize.setDescription('Zone transfer average responses size in bytes.') gtmDnssecStatXfrSerial = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 24), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecStatXfrSerial.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatXfrSerial.setDescription('The serial number advertised to all clients.') gtmDnssecStatXfrMasterSerial = MibScalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 25), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: gtmDnssecStatXfrMasterSerial.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatXfrMasterSerial.setDescription('The zone serial number of the primary server.') bigipGlobalTMCompliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 3375, 2, 5, 1, 3)).setObjects(("F5-BIGIP-GLOBAL-MIB", "bigipGlobalTMGroups")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): bigipGlobalTMCompliance = bigipGlobalTMCompliance.setStatus('current') if mibBuilder.loadTexts: bigipGlobalTMCompliance.setDescription('This specifies the objects that are required to claim compliance to F5 Traffic Management System.') bigipGlobalTMGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3)) gtmAttrGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 1)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmAttrDumpTopology"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrCacheLdns"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrAolAware"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrCheckStaticDepends"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrCheckDynamicDepends"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrDrainRequests"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrEnableResetsRipeness"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrFbRespectDepends"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrFbRespectAcl"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrDefaultAlternate"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrDefaultFallback"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrPersistMask"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrGtmSetsRecursion"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrQosFactorLcs"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrQosFactorRtt"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrQosFactorHops"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrQosFactorHitRatio"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrQosFactorPacketRate"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrQosFactorBps"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrQosFactorVsCapacity"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrQosFactorTopology"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrQosFactorConnRate"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrTimerRetryPathData"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrTimerGetAutoconfigData"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrTimerPersistCache"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrDefaultProbeLimit"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrDownThreshold"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrDownMultiple"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrPathTtl"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrTraceTtl"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrLdnsDuration"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrPathDuration"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrRttSampleCount"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrRttPacketLength"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrRttTimeout"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrMaxMonReqs"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrTraceroutePort"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrPathsNeverDie"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrProbeDisabledObjects"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrLinkLimitFactor"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrOverLimitLinkLimitFactor"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrLinkPrepaidFactor"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrLinkCompensateInbound"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrLinkCompensateOutbound"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrLinkCompensationHistory"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrMaxLinkOverLimitCount"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrLowerBoundPctRow"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrLowerBoundPctCol"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrAutoconf"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrAutosync"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrSyncNamedConf"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrSyncGroup"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrSyncTimeout"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrSyncZonesTimeout"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrTimeTolerance"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrTopologyLongestMatch"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrTopologyAclThreshold"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrStaticPersistCidr"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrStaticPersistV6Cidr"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrQosFactorVsScore"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrTimerSendKeepAlive"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrCertificateDepth"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttrMaxMemoryUsage")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmAttrGroup = gtmAttrGroup.setStatus('current') if mibBuilder.loadTexts: gtmAttrGroup.setDescription('A collection of objects of gtmGlobalAttr MIB.') gtmGlobalLdnsProbeProtoGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 2)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmGlobalLdnsProbeProtoNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmGlobalLdnsProbeProtoIndex"), ("F5-BIGIP-GLOBAL-MIB", "gtmGlobalLdnsProbeProtoType"), ("F5-BIGIP-GLOBAL-MIB", "gtmGlobalLdnsProbeProtoName")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmGlobalLdnsProbeProtoGroup = gtmGlobalLdnsProbeProtoGroup.setStatus('current') if mibBuilder.loadTexts: gtmGlobalLdnsProbeProtoGroup.setDescription('A collection of objects of gtmGlobalLdnsProbeProto MIB.') gtmStatGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 3)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmStatResetStats"), ("F5-BIGIP-GLOBAL-MIB", "gtmStatRequests"), ("F5-BIGIP-GLOBAL-MIB", "gtmStatResolutions"), ("F5-BIGIP-GLOBAL-MIB", "gtmStatPersisted"), ("F5-BIGIP-GLOBAL-MIB", "gtmStatPreferred"), ("F5-BIGIP-GLOBAL-MIB", "gtmStatAlternate"), ("F5-BIGIP-GLOBAL-MIB", "gtmStatFallback"), ("F5-BIGIP-GLOBAL-MIB", "gtmStatDropped"), ("F5-BIGIP-GLOBAL-MIB", "gtmStatExplicitIp"), ("F5-BIGIP-GLOBAL-MIB", "gtmStatReturnToDns"), ("F5-BIGIP-GLOBAL-MIB", "gtmStatReconnects"), ("F5-BIGIP-GLOBAL-MIB", "gtmStatBytesReceived"), ("F5-BIGIP-GLOBAL-MIB", "gtmStatBytesSent"), ("F5-BIGIP-GLOBAL-MIB", "gtmStatNumBacklogged"), ("F5-BIGIP-GLOBAL-MIB", "gtmStatBytesDropped"), ("F5-BIGIP-GLOBAL-MIB", "gtmStatLdnses"), ("F5-BIGIP-GLOBAL-MIB", "gtmStatPaths"), ("F5-BIGIP-GLOBAL-MIB", "gtmStatReturnFromDns"), ("F5-BIGIP-GLOBAL-MIB", "gtmStatCnameResolutions"), ("F5-BIGIP-GLOBAL-MIB", "gtmStatARequests"), ("F5-BIGIP-GLOBAL-MIB", "gtmStatAaaaRequests")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmStatGroup = gtmStatGroup.setStatus('current') if mibBuilder.loadTexts: gtmStatGroup.setDescription('A collection of objects of gtmGlobalStat MIB.') gtmAppGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 4)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmAppNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmAppName"), ("F5-BIGIP-GLOBAL-MIB", "gtmAppPersist"), ("F5-BIGIP-GLOBAL-MIB", "gtmAppTtlPersist"), ("F5-BIGIP-GLOBAL-MIB", "gtmAppAvailability")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmAppGroup = gtmAppGroup.setStatus('current') if mibBuilder.loadTexts: gtmAppGroup.setDescription('A collection of objects of gtmApplication MIB.') gtmAppStatusGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 5)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmAppStatusNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmAppStatusName"), ("F5-BIGIP-GLOBAL-MIB", "gtmAppStatusAvailState"), ("F5-BIGIP-GLOBAL-MIB", "gtmAppStatusEnabledState"), ("F5-BIGIP-GLOBAL-MIB", "gtmAppStatusParentType"), ("F5-BIGIP-GLOBAL-MIB", "gtmAppStatusDetailReason")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmAppStatusGroup = gtmAppStatusGroup.setStatus('current') if mibBuilder.loadTexts: gtmAppStatusGroup.setDescription('A collection of objects of gtmApplicationStatus MIB.') gtmAppContStatGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 6)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmAppContStatNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmAppContStatAppName"), ("F5-BIGIP-GLOBAL-MIB", "gtmAppContStatType"), ("F5-BIGIP-GLOBAL-MIB", "gtmAppContStatName"), ("F5-BIGIP-GLOBAL-MIB", "gtmAppContStatNumAvail"), ("F5-BIGIP-GLOBAL-MIB", "gtmAppContStatAvailState"), ("F5-BIGIP-GLOBAL-MIB", "gtmAppContStatEnabledState"), ("F5-BIGIP-GLOBAL-MIB", "gtmAppContStatParentType"), ("F5-BIGIP-GLOBAL-MIB", "gtmAppContStatDetailReason")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmAppContStatGroup = gtmAppContStatGroup.setStatus('current') if mibBuilder.loadTexts: gtmAppContStatGroup.setDescription('A collection of objects of gtmAppContextStat MIB.') gtmAppContDisGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 7)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmAppContDisNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmAppContDisAppName"), ("F5-BIGIP-GLOBAL-MIB", "gtmAppContDisType"), ("F5-BIGIP-GLOBAL-MIB", "gtmAppContDisName")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmAppContDisGroup = gtmAppContDisGroup.setStatus('current') if mibBuilder.loadTexts: gtmAppContDisGroup.setDescription('A collection of objects of gtmAppContextDisable MIB.') gtmDcGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 8)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmDcNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmDcName"), ("F5-BIGIP-GLOBAL-MIB", "gtmDcLocation"), ("F5-BIGIP-GLOBAL-MIB", "gtmDcContact"), ("F5-BIGIP-GLOBAL-MIB", "gtmDcEnabled")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmDcGroup = gtmDcGroup.setStatus('current') if mibBuilder.loadTexts: gtmDcGroup.setDescription('A collection of objects of gtmDataCenter MIB.') gtmDcStatGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 9)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmDcStatResetStats"), ("F5-BIGIP-GLOBAL-MIB", "gtmDcStatNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmDcStatName"), ("F5-BIGIP-GLOBAL-MIB", "gtmDcStatCpuUsage"), ("F5-BIGIP-GLOBAL-MIB", "gtmDcStatMemAvail"), ("F5-BIGIP-GLOBAL-MIB", "gtmDcStatBitsPerSecIn"), ("F5-BIGIP-GLOBAL-MIB", "gtmDcStatBitsPerSecOut"), ("F5-BIGIP-GLOBAL-MIB", "gtmDcStatPktsPerSecIn"), ("F5-BIGIP-GLOBAL-MIB", "gtmDcStatPktsPerSecOut"), ("F5-BIGIP-GLOBAL-MIB", "gtmDcStatConnections"), ("F5-BIGIP-GLOBAL-MIB", "gtmDcStatConnRate")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmDcStatGroup = gtmDcStatGroup.setStatus('current') if mibBuilder.loadTexts: gtmDcStatGroup.setDescription('A collection of objects of gtmDataCenterStat MIB.') gtmDcStatusGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 10)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmDcStatusNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmDcStatusName"), ("F5-BIGIP-GLOBAL-MIB", "gtmDcStatusAvailState"), ("F5-BIGIP-GLOBAL-MIB", "gtmDcStatusEnabledState"), ("F5-BIGIP-GLOBAL-MIB", "gtmDcStatusParentType"), ("F5-BIGIP-GLOBAL-MIB", "gtmDcStatusDetailReason")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmDcStatusGroup = gtmDcStatusGroup.setStatus('current') if mibBuilder.loadTexts: gtmDcStatusGroup.setDescription('A collection of objects of gtmDataCenterStatus MIB.') gtmIpGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 11)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmIpNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmIpIpType"), ("F5-BIGIP-GLOBAL-MIB", "gtmIpIp"), ("F5-BIGIP-GLOBAL-MIB", "gtmIpLinkName"), ("F5-BIGIP-GLOBAL-MIB", "gtmIpServerName"), ("F5-BIGIP-GLOBAL-MIB", "gtmIpUnitId"), ("F5-BIGIP-GLOBAL-MIB", "gtmIpIpXlatedType"), ("F5-BIGIP-GLOBAL-MIB", "gtmIpIpXlated"), ("F5-BIGIP-GLOBAL-MIB", "gtmIpDeviceName")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmIpGroup = gtmIpGroup.setStatus('current') if mibBuilder.loadTexts: gtmIpGroup.setDescription('A collection of objects of gtmIp MIB.') gtmLinkGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 12)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmLinkNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkName"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkDcName"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkIspName"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkUplinkAddressType"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkUplinkAddress"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkLimitInCpuUsageEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkLimitInMemAvailEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkLimitInBitsPerSecEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkLimitInPktsPerSecEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkLimitInConnEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkLimitInConnPerSecEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkLimitInCpuUsage"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkLimitInMemAvail"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkLimitInBitsPerSec"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkLimitInPktsPerSec"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkLimitInConn"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkLimitInConnPerSec"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkLimitOutCpuUsageEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkLimitOutMemAvailEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkLimitOutBitsPerSecEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkLimitOutPktsPerSecEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkLimitOutConnEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkLimitOutConnPerSecEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkLimitOutCpuUsage"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkLimitOutMemAvail"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkLimitOutBitsPerSec"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkLimitOutPktsPerSec"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkLimitOutConn"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkLimitOutConnPerSec"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkLimitTotalCpuUsageEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkLimitTotalMemAvailEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkLimitTotalBitsPerSecEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkLimitTotalPktsPerSecEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkLimitTotalConnEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkLimitTotalConnPerSecEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkLimitTotalCpuUsage"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkLimitTotalMemAvail"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkLimitTotalBitsPerSec"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkLimitTotalPktsPerSec"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkLimitTotalConn"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkLimitTotalConnPerSec"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkMonitorRule"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkDuplex"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkRatio"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkPrepaid"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkPrepaidInDollars"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkWeightingType")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmLinkGroup = gtmLinkGroup.setStatus('current') if mibBuilder.loadTexts: gtmLinkGroup.setDescription('A collection of objects of gtmLink MIB.') gtmLinkCostGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 13)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmLinkCostNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkCostName"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkCostIndex"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkCostUptoBps"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkCostDollarsPerMbps")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmLinkCostGroup = gtmLinkCostGroup.setStatus('current') if mibBuilder.loadTexts: gtmLinkCostGroup.setDescription('A collection of objects of gtmLinkCost MIB.') gtmLinkStatGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 14)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmLinkStatResetStats"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkStatNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkStatName"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkStatRate"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkStatRateIn"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkStatRateOut"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkStatRateNode"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkStatRateNodeIn"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkStatRateNodeOut"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkStatRateVses"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkStatRateVsesIn"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkStatRateVsesOut"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkStatLcsIn"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkStatLcsOut"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkStatPaths")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmLinkStatGroup = gtmLinkStatGroup.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatGroup.setDescription('A collection of objects of gtmLinkStat MIB.') gtmLinkStatusGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 15)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmLinkStatusNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkStatusName"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkStatusAvailState"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkStatusEnabledState"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkStatusParentType"), ("F5-BIGIP-GLOBAL-MIB", "gtmLinkStatusDetailReason")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmLinkStatusGroup = gtmLinkStatusGroup.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatusGroup.setDescription('A collection of objects of gtmLinkStatus MIB.') gtmPoolGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 16)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmPoolNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolName"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolTtl"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolVerifyMember"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolDynamicRatio"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolAnswersToReturn"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolLbMode"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolAlternate"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolFallback"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolManualResume"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolQosCoeffRtt"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolQosCoeffHops"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolQosCoeffTopology"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolQosCoeffHitRatio"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolQosCoeffPacketRate"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolQosCoeffVsCapacity"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolQosCoeffBps"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolQosCoeffLcs"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolQosCoeffConnRate"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolFallbackIpType"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolFallbackIp"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolCname"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolLimitCpuUsageEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolLimitMemAvailEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolLimitBitsPerSecEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolLimitPktsPerSecEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolLimitConnEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolLimitConnPerSecEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolLimitCpuUsage"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolLimitMemAvail"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolLimitBitsPerSec"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolLimitPktsPerSec"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolLimitConn"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolLimitConnPerSec"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMonitorRule"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolQosCoeffVsScore"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolFallbackIpv6Type"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolFallbackIpv6")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmPoolGroup = gtmPoolGroup.setStatus('current') if mibBuilder.loadTexts: gtmPoolGroup.setDescription('A collection of objects of gtmPool MIB.') gtmPoolStatGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 17)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmPoolStatResetStats"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolStatNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolStatName"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolStatPreferred"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolStatAlternate"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolStatFallback"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolStatDropped"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolStatExplicitIp"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolStatReturnToDns"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolStatReturnFromDns"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolStatCnameResolutions")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmPoolStatGroup = gtmPoolStatGroup.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatGroup.setDescription('A collection of objects of gtmPoolStat MIB.') gtmPoolMbrGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 18)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrPoolName"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrIpType"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrIp"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrPort"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrVsName"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrOrder"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrLimitCpuUsageEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrLimitMemAvailEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrLimitBitsPerSecEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrLimitPktsPerSecEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrLimitConnEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrLimitConnPerSecEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrLimitCpuUsage"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrLimitMemAvail"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrLimitBitsPerSec"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrLimitPktsPerSec"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrLimitConn"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrLimitConnPerSec"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrMonitorRule"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrRatio"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrServerName")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmPoolMbrGroup = gtmPoolMbrGroup.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrGroup.setDescription('A collection of objects of gtmPoolMember MIB.') gtmPoolStatusGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 19)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmPoolStatusNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolStatusName"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolStatusAvailState"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolStatusEnabledState"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolStatusParentType"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolStatusDetailReason")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmPoolStatusGroup = gtmPoolStatusGroup.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatusGroup.setDescription('A collection of objects of gtmPoolStatus MIB.') gtmPoolMbrDepsGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 20)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrDepsNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrDepsIpType"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrDepsIp"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrDepsPort"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrDepsPoolName"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrDepsVipType"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrDepsVip"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrDepsVport"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrDepsServerName"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrDepsVsName"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrDepsDependServerName"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrDepsDependVsName")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmPoolMbrDepsGroup = gtmPoolMbrDepsGroup.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrDepsGroup.setDescription('A collection of objects of gtmPoolMemberDepends MIB.') gtmPoolMbrStatGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 21)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrStatResetStats"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrStatNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrStatPoolName"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrStatIpType"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrStatIp"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrStatPort"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrStatPreferred"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrStatAlternate"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrStatFallback"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrStatServerName"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrStatVsName")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmPoolMbrStatGroup = gtmPoolMbrStatGroup.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatGroup.setDescription('A collection of objects of gtmPoolMemberStat MIB.') gtmPoolMbrStatusGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 22)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrStatusNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrStatusPoolName"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrStatusIpType"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrStatusIp"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrStatusPort"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrStatusAvailState"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrStatusEnabledState"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrStatusParentType"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrStatusDetailReason"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrStatusVsName"), ("F5-BIGIP-GLOBAL-MIB", "gtmPoolMbrStatusServerName")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmPoolMbrStatusGroup = gtmPoolMbrStatusGroup.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatusGroup.setDescription('A collection of objects of gtmPoolMemberStatus MIB.') gtmRegionEntryGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 23)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmRegionEntryNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmRegionEntryName"), ("F5-BIGIP-GLOBAL-MIB", "gtmRegionEntryRegionDbType")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmRegionEntryGroup = gtmRegionEntryGroup.setStatus('current') if mibBuilder.loadTexts: gtmRegionEntryGroup.setDescription('A collection of objects of gtmRegionEntry MIB.') gtmRegItemGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 24)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmRegItemNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmRegItemRegionDbType"), ("F5-BIGIP-GLOBAL-MIB", "gtmRegItemRegionName"), ("F5-BIGIP-GLOBAL-MIB", "gtmRegItemType"), ("F5-BIGIP-GLOBAL-MIB", "gtmRegItemNegate"), ("F5-BIGIP-GLOBAL-MIB", "gtmRegItemRegEntry")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmRegItemGroup = gtmRegItemGroup.setStatus('current') if mibBuilder.loadTexts: gtmRegItemGroup.setDescription('A collection of objects of gtmRegItem MIB.') gtmRuleGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 25)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmRuleNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmRuleName"), ("F5-BIGIP-GLOBAL-MIB", "gtmRuleDefinition"), ("F5-BIGIP-GLOBAL-MIB", "gtmRuleConfigSource")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmRuleGroup = gtmRuleGroup.setStatus('current') if mibBuilder.loadTexts: gtmRuleGroup.setDescription('A collection of objects of gtmRule MIB.') gtmRuleEventGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 26)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmRuleEventNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmRuleEventName"), ("F5-BIGIP-GLOBAL-MIB", "gtmRuleEventEventType"), ("F5-BIGIP-GLOBAL-MIB", "gtmRuleEventPriority"), ("F5-BIGIP-GLOBAL-MIB", "gtmRuleEventScript")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmRuleEventGroup = gtmRuleEventGroup.setStatus('current') if mibBuilder.loadTexts: gtmRuleEventGroup.setDescription('A collection of objects of gtmRuleEvent MIB.') gtmRuleEventStatGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 27)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmRuleEventStatResetStats"), ("F5-BIGIP-GLOBAL-MIB", "gtmRuleEventStatNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmRuleEventStatName"), ("F5-BIGIP-GLOBAL-MIB", "gtmRuleEventStatEventType"), ("F5-BIGIP-GLOBAL-MIB", "gtmRuleEventStatPriority"), ("F5-BIGIP-GLOBAL-MIB", "gtmRuleEventStatFailures"), ("F5-BIGIP-GLOBAL-MIB", "gtmRuleEventStatAborts"), ("F5-BIGIP-GLOBAL-MIB", "gtmRuleEventStatTotalExecutions")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmRuleEventStatGroup = gtmRuleEventStatGroup.setStatus('current') if mibBuilder.loadTexts: gtmRuleEventStatGroup.setDescription('A collection of objects of gtmRuleEventStat MIB.') gtmServerGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 28)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmServerNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerName"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerDcName"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerType"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerLimitCpuUsageEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerLimitMemAvailEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerLimitBitsPerSecEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerLimitPktsPerSecEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerLimitConnEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerLimitConnPerSecEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerLimitCpuUsage"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerLimitMemAvail"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerLimitBitsPerSec"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerLimitPktsPerSec"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerLimitConn"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerLimitConnPerSec"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerProberType"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerProber"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerMonitorRule"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerAllowSvcChk"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerAllowPath"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerAllowSnmp"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerAutoconfState"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerLinkAutoconfState")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmServerGroup = gtmServerGroup.setStatus('current') if mibBuilder.loadTexts: gtmServerGroup.setDescription('A collection of objects of gtmServer MIB.') gtmServerStatGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 29)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmServerStatResetStats"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerStatNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerStatName"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerStatUnitId"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerStatVsPicks"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerStatCpuUsage"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerStatMemAvail"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerStatBitsPerSecIn"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerStatBitsPerSecOut"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerStatPktsPerSecIn"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerStatPktsPerSecOut"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerStatConnections"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerStatConnRate")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmServerStatGroup = gtmServerStatGroup.setStatus('current') if mibBuilder.loadTexts: gtmServerStatGroup.setDescription('A collection of objects of gtmServerStat MIB.') gtmServerStatusGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 30)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmServerStatusNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerStatusName"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerStatusAvailState"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerStatusEnabledState"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerStatusParentType"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerStatusDetailReason")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmServerStatusGroup = gtmServerStatusGroup.setStatus('current') if mibBuilder.loadTexts: gtmServerStatusGroup.setDescription('A collection of objects of gtmServerStatus MIB.') gtmTopItemGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 31)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmTopItemNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmTopItemLdnsType"), ("F5-BIGIP-GLOBAL-MIB", "gtmTopItemLdnsNegate"), ("F5-BIGIP-GLOBAL-MIB", "gtmTopItemLdnsEntry"), ("F5-BIGIP-GLOBAL-MIB", "gtmTopItemServerType"), ("F5-BIGIP-GLOBAL-MIB", "gtmTopItemServerNegate"), ("F5-BIGIP-GLOBAL-MIB", "gtmTopItemServerEntry"), ("F5-BIGIP-GLOBAL-MIB", "gtmTopItemWeight"), ("F5-BIGIP-GLOBAL-MIB", "gtmTopItemOrder")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmTopItemGroup = gtmTopItemGroup.setStatus('current') if mibBuilder.loadTexts: gtmTopItemGroup.setDescription('A collection of objects of gtmTopItem MIB.') gtmVsGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 32)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmVsNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsIpType"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsIp"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsPort"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsName"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsServerName"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsIpXlatedType"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsIpXlated"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsPortXlated"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsLimitCpuUsageEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsLimitMemAvailEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsLimitBitsPerSecEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsLimitPktsPerSecEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsLimitConnEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsLimitConnPerSecEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsLimitCpuUsage"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsLimitMemAvail"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsLimitBitsPerSec"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsLimitPktsPerSec"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsLimitConn"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsLimitConnPerSec"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsMonitorRule"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsLinkName")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmVsGroup = gtmVsGroup.setStatus('current') if mibBuilder.loadTexts: gtmVsGroup.setDescription('A collection of objects of gtmVirtualServ MIB.') gtmVsDepsGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 33)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmVsDepsNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsDepsIpType"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsDepsIp"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsDepsPort"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsDepsVipType"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsDepsVip"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsDepsVport"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsDepsServerName"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsDepsVsName"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsDepsDependServerName"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsDepsDependVsName")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmVsDepsGroup = gtmVsDepsGroup.setStatus('current') if mibBuilder.loadTexts: gtmVsDepsGroup.setDescription('A collection of objects of gtmVirtualServDepends MIB.') gtmVsStatGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 34)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmVsStatResetStats"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsStatNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsStatIpType"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsStatIp"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsStatPort"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsStatName"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsStatCpuUsage"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsStatMemAvail"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsStatBitsPerSecIn"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsStatBitsPerSecOut"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsStatPktsPerSecIn"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsStatPktsPerSecOut"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsStatConnections"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsStatConnRate"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsStatVsScore"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsStatServerName")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmVsStatGroup = gtmVsStatGroup.setStatus('current') if mibBuilder.loadTexts: gtmVsStatGroup.setDescription('A collection of objects of gtmVirtualServStat MIB.') gtmVsStatusGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 35)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmVsStatusNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsStatusIpType"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsStatusIp"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsStatusPort"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsStatusAvailState"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsStatusEnabledState"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsStatusParentType"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsStatusDetailReason"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsStatusVsName"), ("F5-BIGIP-GLOBAL-MIB", "gtmVsStatusServerName")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmVsStatusGroup = gtmVsStatusGroup.setStatus('current') if mibBuilder.loadTexts: gtmVsStatusGroup.setDescription('A collection of objects of gtmVirtualServStatus MIB.') gtmWideipGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 36)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmWideipNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmWideipName"), ("F5-BIGIP-GLOBAL-MIB", "gtmWideipPersist"), ("F5-BIGIP-GLOBAL-MIB", "gtmWideipTtlPersist"), ("F5-BIGIP-GLOBAL-MIB", "gtmWideipEnabled"), ("F5-BIGIP-GLOBAL-MIB", "gtmWideipLbmodePool"), ("F5-BIGIP-GLOBAL-MIB", "gtmWideipApplication"), ("F5-BIGIP-GLOBAL-MIB", "gtmWideipLastResortPool"), ("F5-BIGIP-GLOBAL-MIB", "gtmWideipIpv6Noerror"), ("F5-BIGIP-GLOBAL-MIB", "gtmWideipLoadBalancingDecisionLogVerbosity")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmWideipGroup = gtmWideipGroup.setStatus('current') if mibBuilder.loadTexts: gtmWideipGroup.setDescription('A collection of objects of gtmWideip MIB.') gtmWideipStatGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 37)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmWideipStatResetStats"), ("F5-BIGIP-GLOBAL-MIB", "gtmWideipStatNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmWideipStatName"), ("F5-BIGIP-GLOBAL-MIB", "gtmWideipStatRequests"), ("F5-BIGIP-GLOBAL-MIB", "gtmWideipStatResolutions"), ("F5-BIGIP-GLOBAL-MIB", "gtmWideipStatPersisted"), ("F5-BIGIP-GLOBAL-MIB", "gtmWideipStatPreferred"), ("F5-BIGIP-GLOBAL-MIB", "gtmWideipStatFallback"), ("F5-BIGIP-GLOBAL-MIB", "gtmWideipStatDropped"), ("F5-BIGIP-GLOBAL-MIB", "gtmWideipStatExplicitIp"), ("F5-BIGIP-GLOBAL-MIB", "gtmWideipStatReturnToDns"), ("F5-BIGIP-GLOBAL-MIB", "gtmWideipStatReturnFromDns"), ("F5-BIGIP-GLOBAL-MIB", "gtmWideipStatCnameResolutions"), ("F5-BIGIP-GLOBAL-MIB", "gtmWideipStatARequests"), ("F5-BIGIP-GLOBAL-MIB", "gtmWideipStatAaaaRequests")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmWideipStatGroup = gtmWideipStatGroup.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatGroup.setDescription('A collection of objects of gtmWideipStat MIB.') gtmWideipStatusGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 38)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmWideipStatusNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmWideipStatusName"), ("F5-BIGIP-GLOBAL-MIB", "gtmWideipStatusAvailState"), ("F5-BIGIP-GLOBAL-MIB", "gtmWideipStatusEnabledState"), ("F5-BIGIP-GLOBAL-MIB", "gtmWideipStatusParentType"), ("F5-BIGIP-GLOBAL-MIB", "gtmWideipStatusDetailReason")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmWideipStatusGroup = gtmWideipStatusGroup.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatusGroup.setDescription('A collection of objects of gtmWideipStatus MIB.') gtmWideipAliasGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 39)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmWideipAliasNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmWideipAliasWipName"), ("F5-BIGIP-GLOBAL-MIB", "gtmWideipAliasName")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmWideipAliasGroup = gtmWideipAliasGroup.setStatus('current') if mibBuilder.loadTexts: gtmWideipAliasGroup.setDescription('A collection of objects of gtmWideipAlias MIB.') gtmWideipPoolGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 40)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmWideipPoolNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmWideipPoolWipName"), ("F5-BIGIP-GLOBAL-MIB", "gtmWideipPoolPoolName"), ("F5-BIGIP-GLOBAL-MIB", "gtmWideipPoolOrder"), ("F5-BIGIP-GLOBAL-MIB", "gtmWideipPoolRatio")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmWideipPoolGroup = gtmWideipPoolGroup.setStatus('current') if mibBuilder.loadTexts: gtmWideipPoolGroup.setDescription('A collection of objects of gtmWideipPool MIB.') gtmWideipRuleGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 41)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmWideipRuleNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmWideipRuleWipName"), ("F5-BIGIP-GLOBAL-MIB", "gtmWideipRuleRuleName"), ("F5-BIGIP-GLOBAL-MIB", "gtmWideipRulePriority")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmWideipRuleGroup = gtmWideipRuleGroup.setStatus('current') if mibBuilder.loadTexts: gtmWideipRuleGroup.setDescription('A collection of objects of gtmWideipRule MIB.') gtmServerStat2Group = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 42)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmServerStat2Number"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerStat2Name"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerStat2UnitId"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerStat2VsPicks"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerStat2CpuUsage"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerStat2MemAvail"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerStat2BitsPerSecIn"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerStat2BitsPerSecOut"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerStat2PktsPerSecIn"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerStat2PktsPerSecOut"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerStat2Connections"), ("F5-BIGIP-GLOBAL-MIB", "gtmServerStat2ConnRate")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmServerStat2Group = gtmServerStat2Group.setStatus('current') if mibBuilder.loadTexts: gtmServerStat2Group.setDescription('A collection of objects of gtmServerStat2 MIB.') gtmProberPoolGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 43)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmProberPoolNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmProberPoolName"), ("F5-BIGIP-GLOBAL-MIB", "gtmProberPoolLbMode"), ("F5-BIGIP-GLOBAL-MIB", "gtmProberPoolEnabled")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmProberPoolGroup = gtmProberPoolGroup.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolGroup.setDescription('A collection of objects of gtmProberPool MIB.') gtmProberPoolStatGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 44)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmProberPoolStatResetStats"), ("F5-BIGIP-GLOBAL-MIB", "gtmProberPoolStatNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmProberPoolStatName"), ("F5-BIGIP-GLOBAL-MIB", "gtmProberPoolStatTotalProbes"), ("F5-BIGIP-GLOBAL-MIB", "gtmProberPoolStatSuccessfulProbes"), ("F5-BIGIP-GLOBAL-MIB", "gtmProberPoolStatFailedProbes")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmProberPoolStatGroup = gtmProberPoolStatGroup.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolStatGroup.setDescription('A collection of objects of gtmProberPoolStat MIB.') gtmProberPoolStatusGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 45)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmProberPoolStatusNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmProberPoolStatusName"), ("F5-BIGIP-GLOBAL-MIB", "gtmProberPoolStatusAvailState"), ("F5-BIGIP-GLOBAL-MIB", "gtmProberPoolStatusEnabledState"), ("F5-BIGIP-GLOBAL-MIB", "gtmProberPoolStatusDetailReason")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmProberPoolStatusGroup = gtmProberPoolStatusGroup.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolStatusGroup.setDescription('A collection of objects of gtmProberPoolStatus MIB.') gtmProberPoolMbrGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 46)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmProberPoolMbrNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmProberPoolMbrPoolName"), ("F5-BIGIP-GLOBAL-MIB", "gtmProberPoolMbrServerName"), ("F5-BIGIP-GLOBAL-MIB", "gtmProberPoolMbrPmbrOrder"), ("F5-BIGIP-GLOBAL-MIB", "gtmProberPoolMbrEnabled")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmProberPoolMbrGroup = gtmProberPoolMbrGroup.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrGroup.setDescription('A collection of objects of gtmProberPoolMember MIB.') gtmProberPoolMbrStatGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 47)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmProberPoolMbrStatResetStats"), ("F5-BIGIP-GLOBAL-MIB", "gtmProberPoolMbrStatNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmProberPoolMbrStatPoolName"), ("F5-BIGIP-GLOBAL-MIB", "gtmProberPoolMbrStatServerName"), ("F5-BIGIP-GLOBAL-MIB", "gtmProberPoolMbrStatTotalProbes"), ("F5-BIGIP-GLOBAL-MIB", "gtmProberPoolMbrStatSuccessfulProbes"), ("F5-BIGIP-GLOBAL-MIB", "gtmProberPoolMbrStatFailedProbes")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmProberPoolMbrStatGroup = gtmProberPoolMbrStatGroup.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatGroup.setDescription('A collection of objects of gtmProberPoolMemberStat MIB.') gtmProberPoolMbrStatusGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 48)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmProberPoolMbrStatusNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmProberPoolMbrStatusPoolName"), ("F5-BIGIP-GLOBAL-MIB", "gtmProberPoolMbrStatusServerName"), ("F5-BIGIP-GLOBAL-MIB", "gtmProberPoolMbrStatusAvailState"), ("F5-BIGIP-GLOBAL-MIB", "gtmProberPoolMbrStatusEnabledState"), ("F5-BIGIP-GLOBAL-MIB", "gtmProberPoolMbrStatusDetailReason")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmProberPoolMbrStatusGroup = gtmProberPoolMbrStatusGroup.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatusGroup.setDescription('A collection of objects of gtmProberPoolMemberStatus MIB.') gtmAttr2Group = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 49)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmAttr2Number"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2DumpTopology"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2CacheLdns"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2AolAware"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2CheckStaticDepends"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2CheckDynamicDepends"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2DrainRequests"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2EnableResetsRipeness"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2FbRespectDepends"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2FbRespectAcl"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2DefaultAlternate"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2DefaultFallback"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2PersistMask"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2GtmSetsRecursion"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2QosFactorLcs"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2QosFactorRtt"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2QosFactorHops"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2QosFactorHitRatio"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2QosFactorPacketRate"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2QosFactorBps"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2QosFactorVsCapacity"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2QosFactorTopology"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2QosFactorConnRate"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2TimerRetryPathData"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2TimerGetAutoconfigData"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2TimerPersistCache"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2DefaultProbeLimit"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2DownThreshold"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2DownMultiple"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2PathTtl"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2TraceTtl"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2LdnsDuration"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2PathDuration"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2RttSampleCount"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2RttPacketLength"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2RttTimeout"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2MaxMonReqs"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2TraceroutePort"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2PathsNeverDie"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2ProbeDisabledObjects"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2LinkLimitFactor"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2OverLimitLinkLimitFactor"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2LinkPrepaidFactor"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2LinkCompensateInbound"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2LinkCompensateOutbound"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2LinkCompensationHistory"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2MaxLinkOverLimitCount"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2LowerBoundPctRow"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2LowerBoundPctCol"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2Autoconf"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2Autosync"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2SyncNamedConf"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2SyncGroup"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2SyncTimeout"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2SyncZonesTimeout"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2TimeTolerance"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2TopologyLongestMatch"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2TopologyAclThreshold"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2StaticPersistCidr"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2StaticPersistV6Cidr"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2QosFactorVsScore"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2TimerSendKeepAlive"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2CertificateDepth"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2MaxMemoryUsage"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2Name"), ("F5-BIGIP-GLOBAL-MIB", "gtmAttr2ForwardStatus")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmAttr2Group = gtmAttr2Group.setStatus('current') if mibBuilder.loadTexts: gtmAttr2Group.setDescription('A collection of objects of gtmGlobalAttr2 MIB.') gtmDnssecZoneStatGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 50)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmDnssecZoneStatResetStats"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecZoneStatNumber"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecZoneStatName"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecZoneStatNsec3s"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecZoneStatNsec3Nodata"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecZoneStatNsec3Nxdomain"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecZoneStatNsec3Referral"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecZoneStatNsec3Resalt"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecZoneStatDnssecResponses"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecZoneStatDnssecDnskeyQueries"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecZoneStatDnssecNsec3paramQueries"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecZoneStatDnssecDsQueries"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecZoneStatSigCryptoFailed"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecZoneStatSigSuccess"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecZoneStatSigFailed"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecZoneStatSigRrsetFailed"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecZoneStatConnectFlowFailed"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecZoneStatTowireFailed"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecZoneStatAxfrQueries"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecZoneStatIxfrQueries"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecZoneStatXfrStarts"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecZoneStatXfrCompletes"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecZoneStatXfrMsgs"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecZoneStatXfrMasterMsgs"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecZoneStatXfrResponseAverageSize"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecZoneStatXfrSerial"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecZoneStatXfrMasterSerial")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmDnssecZoneStatGroup = gtmDnssecZoneStatGroup.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatGroup.setDescription('A collection of objects of gtmDnssecZoneStat MIB.') gtmDnssecStatGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 51)).setObjects(("F5-BIGIP-GLOBAL-MIB", "gtmDnssecStatResetStats"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecStatNsec3s"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecStatNsec3Nodata"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecStatNsec3Nxdomain"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecStatNsec3Referral"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecStatNsec3Resalt"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecStatDnssecResponses"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecStatDnssecDnskeyQueries"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecStatDnssecNsec3paramQueries"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecStatDnssecDsQueries"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecStatSigCryptoFailed"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecStatSigSuccess"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecStatSigFailed"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecStatSigRrsetFailed"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecStatConnectFlowFailed"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecStatTowireFailed"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecStatAxfrQueries"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecStatIxfrQueries"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecStatXfrStarts"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecStatXfrCompletes"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecStatXfrMsgs"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecStatXfrMasterMsgs"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecStatXfrResponseAverageSize"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecStatXfrSerial"), ("F5-BIGIP-GLOBAL-MIB", "gtmDnssecStatXfrMasterSerial")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtmDnssecStatGroup = gtmDnssecStatGroup.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatGroup.setDescription('A collection of objects of gtmGlobalDnssecStat MIB.') mibBuilder.exportSymbols("F5-BIGIP-GLOBAL-MIB", gtmProberPoolStatusGroup=gtmProberPoolStatusGroup, gtmLinkLimitTotalMemAvail=gtmLinkLimitTotalMemAvail, gtmPoolMbrLimitConnPerSecEnabled=gtmPoolMbrLimitConnPerSecEnabled, gtmPool=gtmPool, gtmPoolMember=gtmPoolMember, gtmDcStatPktsPerSecIn=gtmDcStatPktsPerSecIn, gtmDnssecZoneStatNsec3Referral=gtmDnssecZoneStatNsec3Referral, gtmAppContStatEntry=gtmAppContStatEntry, gtmServerStat2UnitId=gtmServerStat2UnitId, gtmLinkLimitInCpuUsageEnabled=gtmLinkLimitInCpuUsageEnabled, gtmWideipAliasGroup=gtmWideipAliasGroup, gtmDnssecStatConnectFlowFailed=gtmDnssecStatConnectFlowFailed, gtmDnssecZoneStatNumber=gtmDnssecZoneStatNumber, gtmAttrDefaultFallback=gtmAttrDefaultFallback, gtmPoolMemberStatus=gtmPoolMemberStatus, gtmPoolStat=gtmPoolStat, gtmLinkCostName=gtmLinkCostName, gtmPoolStatusDetailReason=gtmPoolStatusDetailReason, gtmServerStat2Group=gtmServerStat2Group, gtmLinkLimitInMemAvail=gtmLinkLimitInMemAvail, gtmPoolMbrStatPreferred=gtmPoolMbrStatPreferred, gtmProberPoolMbrStatServerName=gtmProberPoolMbrStatServerName, gtmApplication=gtmApplication, gtmDnssecZoneStatXfrMasterMsgs=gtmDnssecZoneStatXfrMasterMsgs, gtmDnssecStatSigFailed=gtmDnssecStatSigFailed, gtmAppStatusGroup=gtmAppStatusGroup, gtmProberPoolMember=gtmProberPoolMember, gtmPoolQosCoeffRtt=gtmPoolQosCoeffRtt, gtmAttrAutoconf=gtmAttrAutoconf, gtmPoolMbrStatusEnabledState=gtmPoolMbrStatusEnabledState, gtmRuleDefinition=gtmRuleDefinition, gtmAttrLinkCompensationHistory=gtmAttrLinkCompensationHistory, gtmAttr2StaticPersistV6Cidr=gtmAttr2StaticPersistV6Cidr, gtmAppStatusNumber=gtmAppStatusNumber, gtmAppContStatType=gtmAppContStatType, gtmVsIpXlatedType=gtmVsIpXlatedType, gtmPoolMbrLimitCpuUsageEnabled=gtmPoolMbrLimitCpuUsageEnabled, gtmAppContStatDetailReason=gtmAppContStatDetailReason, gtmTopItemTable=gtmTopItemTable, gtmPoolStatReturnFromDns=gtmPoolStatReturnFromDns, gtmPoolQosCoeffVsCapacity=gtmPoolQosCoeffVsCapacity, gtmDnssecZoneStatNsec3Nxdomain=gtmDnssecZoneStatNsec3Nxdomain, gtmProberPoolMbrStatusEnabledState=gtmProberPoolMbrStatusEnabledState, gtmVsStatusParentType=gtmVsStatusParentType, gtmLinkStatRateNode=gtmLinkStatRateNode, gtmRules=gtmRules, gtmWideipStatusAvailState=gtmWideipStatusAvailState, gtmLinkDuplex=gtmLinkDuplex, gtmVsEnabled=gtmVsEnabled, gtmAttr2QosFactorBps=gtmAttr2QosFactorBps, gtmStatAaaaRequests=gtmStatAaaaRequests, gtmVsTable=gtmVsTable, gtmRuleEventScript=gtmRuleEventScript, gtmRegionEntry=gtmRegionEntry, gtmVsLimitBitsPerSecEnabled=gtmVsLimitBitsPerSecEnabled, gtmPoolMbrOrder=gtmPoolMbrOrder, gtmWideipStatus=gtmWideipStatus, gtmServerStat2PktsPerSecIn=gtmServerStat2PktsPerSecIn, gtmLinkLimitTotalConnPerSecEnabled=gtmLinkLimitTotalConnPerSecEnabled, gtmDcStatPktsPerSecOut=gtmDcStatPktsPerSecOut, gtmTopItemServerNegate=gtmTopItemServerNegate, gtmPoolMbrIp=gtmPoolMbrIp, gtmApplications=gtmApplications, gtmDnssecZoneStatName=gtmDnssecZoneStatName, gtmPoolMbrTable=gtmPoolMbrTable, gtmVsLimitMemAvail=gtmVsLimitMemAvail, gtmLinkLimitOutPktsPerSecEnabled=gtmLinkLimitOutPktsPerSecEnabled, gtmPoolMbrDepsVipType=gtmPoolMbrDepsVipType, gtmAttr2LinkLimitFactor=gtmAttr2LinkLimitFactor, gtmDcStatusEntry=gtmDcStatusEntry, gtmDnssecZoneStatIxfrQueries=gtmDnssecZoneStatIxfrQueries, gtmAttrSyncGroup=gtmAttrSyncGroup, gtmAttr2Name=gtmAttr2Name, gtmAttrMaxLinkOverLimitCount=gtmAttrMaxLinkOverLimitCount, gtmServerStatUnitId=gtmServerStatUnitId, gtmAttrAutosync=gtmAttrAutosync, gtmPoolMbrStatTable=gtmPoolMbrStatTable, gtmServerStat2Entry=gtmServerStat2Entry, gtmAttr2QosFactorVsCapacity=gtmAttr2QosFactorVsCapacity, gtmWideipStatPersisted=gtmWideipStatPersisted, gtmVsDepsServerName=gtmVsDepsServerName, gtmAttr2ForwardStatus=gtmAttr2ForwardStatus, gtmStatReconnects=gtmStatReconnects, gtmVsStatBitsPerSecOut=gtmVsStatBitsPerSecOut, gtmPoolMbrStatusGroup=gtmPoolMbrStatusGroup, gtmAttrEnableResetsRipeness=gtmAttrEnableResetsRipeness, gtmPoolLimitBitsPerSecEnabled=gtmPoolLimitBitsPerSecEnabled, gtmAttr2DumpTopology=gtmAttr2DumpTopology, gtmServerStat2Connections=gtmServerStat2Connections, gtmDnssecStatXfrMsgs=gtmDnssecStatXfrMsgs, gtmDcContact=gtmDcContact, gtmWideipAliasEntry=gtmWideipAliasEntry, gtmAttrCheckStaticDepends=gtmAttrCheckStaticDepends, gtmDnssecZoneStatSigRrsetFailed=gtmDnssecZoneStatSigRrsetFailed, gtmVsStatResetStats=gtmVsStatResetStats, gtmPoolMbrDepsNumber=gtmPoolMbrDepsNumber, gtmPoolStatusEnabledState=gtmPoolStatusEnabledState, gtmTopItemOrder=gtmTopItemOrder, gtmGlobalAttrs=gtmGlobalAttrs, gtmPoolTtl=gtmPoolTtl, gtmPoolStatus=gtmPoolStatus, gtmRegItemRegEntry=gtmRegItemRegEntry, gtmWideipRuleWipName=gtmWideipRuleWipName, gtmAppContStatAppName=gtmAppContStatAppName, gtmAttrTopologyLongestMatch=gtmAttrTopologyLongestMatch, gtmVsStatusVsName=gtmVsStatusVsName, gtmWideipEnabled=gtmWideipEnabled, gtmPoolMbrDepsIp=gtmPoolMbrDepsIp, gtmServers=gtmServers, gtmPoolMbrStatusServerName=gtmPoolMbrStatusServerName, gtmProberPoolStatusDetailReason=gtmProberPoolStatusDetailReason, gtmPoolQosCoeffHops=gtmPoolQosCoeffHops, gtmAttr2TimerGetAutoconfigData=gtmAttr2TimerGetAutoconfigData, gtmLinkStatRateIn=gtmLinkStatRateIn, gtmAppName=gtmAppName, gtmRegionEntryRegionDbType=gtmRegionEntryRegionDbType, gtmProberPoolMbrStatNumber=gtmProberPoolMbrStatNumber, gtmWideipStatusDetailReason=gtmWideipStatusDetailReason, gtmGlobalLdnsProbeProtoGroup=gtmGlobalLdnsProbeProtoGroup, gtmDnssecStatDnssecDsQueries=gtmDnssecStatDnssecDsQueries, gtmLinkStatus=gtmLinkStatus, gtmAttr2TimerPersistCache=gtmAttr2TimerPersistCache, gtmAppAvailability=gtmAppAvailability, gtmPoolMbrNumber=gtmPoolMbrNumber, gtmWideipStatDropped=gtmWideipStatDropped, gtmAttrDefaultAlternate=gtmAttrDefaultAlternate, gtmAttr2SyncZonesTimeout=gtmAttr2SyncZonesTimeout, gtmAttr2DownMultiple=gtmAttr2DownMultiple, gtmDnssecZoneStatXfrMasterSerial=gtmDnssecZoneStatXfrMasterSerial, gtmVsLimitConnEnabled=gtmVsLimitConnEnabled, gtmPoolMbrStatusDetailReason=gtmPoolMbrStatusDetailReason, gtmTopItemServerEntry=gtmTopItemServerEntry, gtmPoolStatFallback=gtmPoolStatFallback, gtmPoolMbrStatusNumber=gtmPoolMbrStatusNumber, gtmIp=gtmIp, gtmAttrSyncZonesTimeout=gtmAttrSyncZonesTimeout, gtmProberPoolStatSuccessfulProbes=gtmProberPoolStatSuccessfulProbes, gtmProberPoolStat=gtmProberPoolStat, gtmProberPoolStatus=gtmProberPoolStatus, gtmIpLinkName=gtmIpLinkName, gtmWideipStat=gtmWideipStat, gtmGlobalLdnsProbeProtoNumber=gtmGlobalLdnsProbeProtoNumber, gtmAppStatusParentType=gtmAppStatusParentType, gtmPoolMbrDepsIpType=gtmPoolMbrDepsIpType, gtmAttrTimerGetAutoconfigData=gtmAttrTimerGetAutoconfigData, gtmAttr2TopologyLongestMatch=gtmAttr2TopologyLongestMatch, gtmStatAlternate=gtmStatAlternate, gtmServerStat2VsPicks=gtmServerStat2VsPicks, gtmVsDepsGroup=gtmVsDepsGroup, gtmLinkCostIndex=gtmLinkCostIndex, gtmAppContStatAvailState=gtmAppContStatAvailState, gtmAttrFbRespectAcl=gtmAttrFbRespectAcl, gtmAttrFbRespectDepends=gtmAttrFbRespectDepends, gtmLinkLimitTotalBitsPerSec=gtmLinkLimitTotalBitsPerSec, gtmLinkStatRateNodeOut=gtmLinkStatRateNodeOut, gtmProberPoolNumber=gtmProberPoolNumber, gtmDnssecZoneStat=gtmDnssecZoneStat, gtmLinkStatGroup=gtmLinkStatGroup, gtmLinkWeightingType=gtmLinkWeightingType, gtmWideipPoolGroup=gtmWideipPoolGroup, gtmWideipLastResortPool=gtmWideipLastResortPool, gtmWideipTable=gtmWideipTable, gtmProberPoolStatTable=gtmProberPoolStatTable, gtmRuleTable=gtmRuleTable, gtmVsDepsNumber=gtmVsDepsNumber, gtmLinkLimitOutConnPerSecEnabled=gtmLinkLimitOutConnPerSecEnabled, gtmPoolEnabled=gtmPoolEnabled, gtmDnssecZoneStatTowireFailed=gtmDnssecZoneStatTowireFailed, gtmPoolStatAlternate=gtmPoolStatAlternate, gtmDnssecZoneStatXfrCompletes=gtmDnssecZoneStatXfrCompletes, gtmAttrQosFactorVsScore=gtmAttrQosFactorVsScore, gtmPoolMbrStatFallback=gtmPoolMbrStatFallback, gtmPoolMbrStatServerName=gtmPoolMbrStatServerName, gtmPoolDynamicRatio=gtmPoolDynamicRatio, gtmPoolLbMode=gtmPoolLbMode, gtmAttr2PathsNeverDie=gtmAttr2PathsNeverDie, gtmRegionEntryNumber=gtmRegionEntryNumber, gtmStatPersisted=gtmStatPersisted, gtmVsDepsVport=gtmVsDepsVport, gtmLinkStatTable=gtmLinkStatTable, gtmProberPoolMbrStatusTable=gtmProberPoolMbrStatusTable, gtmLinkStatusEntry=gtmLinkStatusEntry, gtmIpTable=gtmIpTable, gtmPoolMbrStatResetStats=gtmPoolMbrStatResetStats, gtmProberPoolStatusNumber=gtmProberPoolStatusNumber, gtmVsStatusIpType=gtmVsStatusIpType, gtmWideipStatusNumber=gtmWideipStatusNumber, gtmAppContextStat=gtmAppContextStat, gtmDnssecZoneStatSigCryptoFailed=gtmDnssecZoneStatSigCryptoFailed, gtmAttr2PathDuration=gtmAttr2PathDuration, gtmAttrProbeDisabledObjects=gtmAttrProbeDisabledObjects, gtmAttr2PathTtl=gtmAttr2PathTtl, gtmServerStat2=gtmServerStat2, gtmPoolTable=gtmPoolTable, gtmIpIpXlated=gtmIpIpXlated, gtmLinkStatResetStats=gtmLinkStatResetStats, gtmWideipRuleEntry=gtmWideipRuleEntry, gtmStatARequests=gtmStatARequests, gtmAttrQosFactorTopology=gtmAttrQosFactorTopology, gtmProberPoolMbrStatTable=gtmProberPoolMbrStatTable, gtmLinkLimitTotalPktsPerSec=gtmLinkLimitTotalPktsPerSec, gtmServerMonitorRule=gtmServerMonitorRule, gtmRuleGroup=gtmRuleGroup, gtmPoolQosCoeffPacketRate=gtmPoolQosCoeffPacketRate, gtmProberPoolStatusAvailState=gtmProberPoolStatusAvailState, gtmProberPoolMbrStatusDetailReason=gtmProberPoolMbrStatusDetailReason, gtmRegItemType=gtmRegItemType, gtmTopItemGroup=gtmTopItemGroup, gtmGlobalStat=gtmGlobalStat, gtmLinkStatRateNodeIn=gtmLinkStatRateNodeIn, gtmPoolMbrLimitBitsPerSecEnabled=gtmPoolMbrLimitBitsPerSecEnabled, gtmServerStat2Number=gtmServerStat2Number, gtmDnssecStatXfrMasterSerial=gtmDnssecStatXfrMasterSerial, gtmPoolStatEntry=gtmPoolStatEntry, gtmProberPoolMbrStatResetStats=gtmProberPoolMbrStatResetStats, gtmAttr2TraceroutePort=gtmAttr2TraceroutePort, gtmWideipPoolOrder=gtmWideipPoolOrder, gtmPoolMbrStatIpType=gtmPoolMbrStatIpType, gtmServerStat2MemAvail=gtmServerStat2MemAvail, gtmDnssecZoneStatXfrMsgs=gtmDnssecZoneStatXfrMsgs, gtmProberPool=gtmProberPool, gtmVsStatEntry=gtmVsStatEntry, gtmVsStatServerName=gtmVsStatServerName, gtmWideipStatPreferred=gtmWideipStatPreferred, bigipGlobalTM=bigipGlobalTM, gtmProberPoolStatFailedProbes=gtmProberPoolStatFailedProbes, gtmLinkLimitTotalCpuUsage=gtmLinkLimitTotalCpuUsage, gtmAppContStatName=gtmAppContStatName, gtmPoolMbrStatusIpType=gtmPoolMbrStatusIpType, gtmLinkCost=gtmLinkCost, gtmAttrRttSampleCount=gtmAttrRttSampleCount, gtmAppStatusEntry=gtmAppStatusEntry, gtmLinkLimitOutConnEnabled=gtmLinkLimitOutConnEnabled, gtmWideips=gtmWideips, gtmPoolMbrLimitBitsPerSec=gtmPoolMbrLimitBitsPerSec, gtmLinkLimitInConnPerSecEnabled=gtmLinkLimitInConnPerSecEnabled, gtmPoolAnswersToReturn=gtmPoolAnswersToReturn, gtmVsStatName=gtmVsStatName, gtmDcTable=gtmDcTable, gtmAttr2DefaultProbeLimit=gtmAttr2DefaultProbeLimit, gtmWideipRuleGroup=gtmWideipRuleGroup, gtmVsMonitorRule=gtmVsMonitorRule, gtmServerStatNumber=gtmServerStatNumber, gtmRuleEventStatGroup=gtmRuleEventStatGroup, gtmLinkLimitTotalBitsPerSecEnabled=gtmLinkLimitTotalBitsPerSecEnabled, gtmDnssecStatSigRrsetFailed=gtmDnssecStatSigRrsetFailed, gtmLinkStatLcsIn=gtmLinkStatLcsIn, gtmStatRequests=gtmStatRequests, gtmProberPoolMbrStatFailedProbes=gtmProberPoolMbrStatFailedProbes, gtmPoolMbrStatusPoolName=gtmPoolMbrStatusPoolName, gtmStatBytesSent=gtmStatBytesSent, gtmServerStat2Name=gtmServerStat2Name, gtmPoolQosCoeffHitRatio=gtmPoolQosCoeffHitRatio, gtmRuleConfigSource=gtmRuleConfigSource) mibBuilder.exportSymbols("F5-BIGIP-GLOBAL-MIB", gtmDcStatTable=gtmDcStatTable, gtmLinkStatNumber=gtmLinkStatNumber, gtmPoolMbrPort=gtmPoolMbrPort, gtmDnssecStatXfrCompletes=gtmDnssecStatXfrCompletes, gtmRuleEventStatPriority=gtmRuleEventStatPriority, gtmServerStatName=gtmServerStatName, gtmServer=gtmServer, gtmStatNumBacklogged=gtmStatNumBacklogged, gtmPoolMbrLimitConnPerSec=gtmPoolMbrLimitConnPerSec, gtmDcStatusEnabledState=gtmDcStatusEnabledState, gtmProberPoolStatEntry=gtmProberPoolStatEntry, gtmPoolEntry=gtmPoolEntry, gtmServerStatBitsPerSecOut=gtmServerStatBitsPerSecOut, gtmProberPoolMbrStatEntry=gtmProberPoolMbrStatEntry, gtmDcLocation=gtmDcLocation, gtmAttrDownMultiple=gtmAttrDownMultiple, gtmRegionEntryEntry=gtmRegionEntryEntry, gtmAttr2DefaultAlternate=gtmAttr2DefaultAlternate, gtmStatResolutions=gtmStatResolutions, gtmDcStatEntry=gtmDcStatEntry, gtmProberPoolMbrStatusPoolName=gtmProberPoolMbrStatusPoolName, gtmAttr2GtmSetsRecursion=gtmAttr2GtmSetsRecursion, gtmPoolGroup=gtmPoolGroup, gtmLinkLimitTotalConnEnabled=gtmLinkLimitTotalConnEnabled, gtmVsStatIpType=gtmVsStatIpType, gtmVsIpXlated=gtmVsIpXlated, gtmVirtualServStatus=gtmVirtualServStatus, gtmVsStatTable=gtmVsStatTable, gtmProberPoolTable=gtmProberPoolTable, gtmPoolMbrLimitMemAvailEnabled=gtmPoolMbrLimitMemAvailEnabled, gtmAttr2PersistMask=gtmAttr2PersistMask, gtmVsStatMemAvail=gtmVsStatMemAvail, gtmStatGroup=gtmStatGroup, gtmLinkLimitOutConnPerSec=gtmLinkLimitOutConnPerSec, gtmGlobalStats=gtmGlobalStats, gtmAppContDisType=gtmAppContDisType, gtmAttrLowerBoundPctRow=gtmAttrLowerBoundPctRow, gtmPoolMbrLimitPktsPerSecEnabled=gtmPoolMbrLimitPktsPerSecEnabled, gtmServerStatResetStats=gtmServerStatResetStats, gtmLink=gtmLink, gtmAttrLinkCompensateOutbound=gtmAttrLinkCompensateOutbound, gtmTopItemServerType=gtmTopItemServerType, gtmVsDepsVipType=gtmVsDepsVipType, gtmDnssecZoneStatXfrResponseAverageSize=gtmDnssecZoneStatXfrResponseAverageSize, bigipGlobalTMCompliance=bigipGlobalTMCompliance, gtmServerAllowSvcChk=gtmServerAllowSvcChk, gtmLinkPrepaid=gtmLinkPrepaid, gtmProberPoolMbrGroup=gtmProberPoolMbrGroup, gtmRuleEventGroup=gtmRuleEventGroup, gtmLinkLimitInConn=gtmLinkLimitInConn, gtmAttr2MaxMemoryUsage=gtmAttr2MaxMemoryUsage, gtmDnssecZoneStatGroup=gtmDnssecZoneStatGroup, gtmDnssecStatXfrStarts=gtmDnssecStatXfrStarts, gtmAttrMaxMonReqs=gtmAttrMaxMonReqs, gtmAttrMaxMemoryUsage=gtmAttrMaxMemoryUsage, gtmVsStatGroup=gtmVsStatGroup, gtmProberPoolMbrEntry=gtmProberPoolMbrEntry, gtmDnssecZoneStatNsec3Nodata=gtmDnssecZoneStatNsec3Nodata, gtmLinkLimitInBitsPerSec=gtmLinkLimitInBitsPerSec, gtmDataCenterStat=gtmDataCenterStat, gtmAttr2SyncGroup=gtmAttr2SyncGroup, gtmServerLimitConnPerSecEnabled=gtmServerLimitConnPerSecEnabled, gtmWideipAliasNumber=gtmWideipAliasNumber, gtmRegItem=gtmRegItem, gtmAttrDrainRequests=gtmAttrDrainRequests, gtmIpIp=gtmIpIp, gtmProberPoolMbrStatTotalProbes=gtmProberPoolMbrStatTotalProbes, gtmAppContStatNumber=gtmAppContStatNumber, gtmServerProberType=gtmServerProberType, gtmVsStatusIp=gtmVsStatusIp, gtmAttrDumpTopology=gtmAttrDumpTopology, gtmAttrDownThreshold=gtmAttrDownThreshold, gtmAttrStaticPersistV6Cidr=gtmAttrStaticPersistV6Cidr, gtmLinkStatEntry=gtmLinkStatEntry, gtmServerStatConnRate=gtmServerStatConnRate, gtmPoolMbrLimitConnEnabled=gtmPoolMbrLimitConnEnabled, gtmServerAllowPath=gtmServerAllowPath, gtmPools=gtmPools, gtmAttrPersistMask=gtmAttrPersistMask, gtmServerStatEntry=gtmServerStatEntry, gtmWideipRulePriority=gtmWideipRulePriority, gtmPoolMbrStatNumber=gtmPoolMbrStatNumber, gtmVirtualServDepends=gtmVirtualServDepends, gtmAttr2Table=gtmAttr2Table, gtmPoolMbrIpType=gtmPoolMbrIpType, gtmDnssecZoneStatResetStats=gtmDnssecZoneStatResetStats, gtmStatPaths=gtmStatPaths, gtmAppStatusTable=gtmAppStatusTable, gtmDnssecZoneStatXfrSerial=gtmDnssecZoneStatXfrSerial, gtmDNSSEC=gtmDNSSEC, gtmAttrLdnsDuration=gtmAttrLdnsDuration, gtmDcStatusName=gtmDcStatusName, gtmProberPoolMbrStatusEntry=gtmProberPoolMbrStatusEntry, gtmWideipStatResetStats=gtmWideipStatResetStats, gtmAttrQosFactorVsCapacity=gtmAttrQosFactorVsCapacity, gtmPoolMbrRatio=gtmPoolMbrRatio, gtmPoolMbrStatVsName=gtmPoolMbrStatVsName, gtmAttr2CheckDynamicDepends=gtmAttr2CheckDynamicDepends, gtmDcNumber=gtmDcNumber, gtmPoolLimitPktsPerSec=gtmPoolLimitPktsPerSec, gtmProberPoolStatNumber=gtmProberPoolStatNumber, gtmVsStatConnections=gtmVsStatConnections, gtmDnssecStatAxfrQueries=gtmDnssecStatAxfrQueries, gtmDnssecZoneStatDnssecDsQueries=gtmDnssecZoneStatDnssecDsQueries, gtmWideipAliasTable=gtmWideipAliasTable, gtmVsDepsDependVsName=gtmVsDepsDependVsName, gtmProberPoolMbrStatusGroup=gtmProberPoolMbrStatusGroup, gtmVsStatConnRate=gtmVsStatConnRate, gtmProberPoolGroup=gtmProberPoolGroup, gtmAttrRttPacketLength=gtmAttrRttPacketLength, gtmAttr2MaxMonReqs=gtmAttr2MaxMonReqs, gtmDcStatusGroup=gtmDcStatusGroup, gtmWideipStatusGroup=gtmWideipStatusGroup, gtmWideipStatusName=gtmWideipStatusName, gtmAttr2QosFactorLcs=gtmAttr2QosFactorLcs, gtmAttr2StaticPersistCidr=gtmAttr2StaticPersistCidr, gtmLinkLimitTotalPktsPerSecEnabled=gtmLinkLimitTotalPktsPerSecEnabled, gtmVsStatPktsPerSecIn=gtmVsStatPktsPerSecIn, gtmServerProber=gtmServerProber, gtmPoolMbrDepsVport=gtmPoolMbrDepsVport, gtmServerStat2Table=gtmServerStat2Table, gtmPoolStatPreferred=gtmPoolStatPreferred, gtmGlobalAttr=gtmGlobalAttr, gtmTopologies=gtmTopologies, gtmAttrLowerBoundPctCol=gtmAttrLowerBoundPctCol, gtmLinkCostUptoBps=gtmLinkCostUptoBps, gtmVsPort=gtmVsPort, gtmProberPoolStatGroup=gtmProberPoolStatGroup, gtmAttr2DefaultFallback=gtmAttr2DefaultFallback, gtmPoolStatExplicitIp=gtmPoolStatExplicitIp, gtmAttr2LinkCompensateInbound=gtmAttr2LinkCompensateInbound, gtmLinkLimitInMemAvailEnabled=gtmLinkLimitInMemAvailEnabled, gtmPoolMemberDepends=gtmPoolMemberDepends, gtmGlobalLdnsProbeProtoName=gtmGlobalLdnsProbeProtoName, gtmAppStatusAvailState=gtmAppStatusAvailState, gtmAttrQosFactorLcs=gtmAttrQosFactorLcs, gtmWideipPoolPoolName=gtmWideipPoolPoolName, gtmAttr2Autoconf=gtmAttr2Autoconf, gtmServerType=gtmServerType, gtmAttr2ProbeDisabledObjects=gtmAttr2ProbeDisabledObjects, gtmAppStatusName=gtmAppStatusName, gtmGlobalLdnsProbeProtoEntry=gtmGlobalLdnsProbeProtoEntry, gtmVsStatusEnabledState=gtmVsStatusEnabledState, gtmLinkLimitOutCpuUsageEnabled=gtmLinkLimitOutCpuUsageEnabled, gtmStatFallback=gtmStatFallback, gtmDcStatusParentType=gtmDcStatusParentType, gtmAttr2TimerSendKeepAlive=gtmAttr2TimerSendKeepAlive, gtmVirtualServers=gtmVirtualServers, gtmRegItemGroup=gtmRegItemGroup, gtmGlobalLdnsProbeProtoIndex=gtmGlobalLdnsProbeProtoIndex, gtmRuleEventEntry=gtmRuleEventEntry, gtmDnssecStatXfrResponseAverageSize=gtmDnssecStatXfrResponseAverageSize, gtmPoolMbrStatusParentType=gtmPoolMbrStatusParentType, gtmDnssecZoneStatNsec3s=gtmDnssecZoneStatNsec3s, gtmRegItemNumber=gtmRegItemNumber, gtmAppTable=gtmAppTable, gtmIps=gtmIps, gtmAttr2TimerRetryPathData=gtmAttr2TimerRetryPathData, gtmLinkRatio=gtmLinkRatio, gtmVsStatusAvailState=gtmVsStatusAvailState, gtmTopItemWeight=gtmTopItemWeight, gtmStatBytesDropped=gtmStatBytesDropped, gtmDnssecZoneStatNsec3Resalt=gtmDnssecZoneStatNsec3Resalt, gtmProberPoolMbrStatSuccessfulProbes=gtmProberPoolMbrStatSuccessfulProbes, gtmTopItemLdnsType=gtmTopItemLdnsType, gtmWideip=gtmWideip, gtmPoolLimitConn=gtmPoolLimitConn, gtmAttrPathTtl=gtmAttrPathTtl, gtmPoolMbrStatAlternate=gtmPoolMbrStatAlternate, gtmLinkStat=gtmLinkStat, gtmWideipPoolEntry=gtmWideipPoolEntry, gtmPoolMbrServerName=gtmPoolMbrServerName, gtmServerStat2BitsPerSecIn=gtmServerStat2BitsPerSecIn, gtmAppContStatTable=gtmAppContStatTable, gtmLinks=gtmLinks, gtmDcStatMemAvail=gtmDcStatMemAvail, gtmRuleEventEventType=gtmRuleEventEventType, gtmServerStatPktsPerSecOut=gtmServerStatPktsPerSecOut, gtmVsLimitPktsPerSecEnabled=gtmVsLimitPktsPerSecEnabled, gtmAppContDisAppName=gtmAppContDisAppName, gtmLinkName=gtmLinkName, gtmIpIpType=gtmIpIpType, gtmAttr2QosFactorHops=gtmAttr2QosFactorHops, gtmAttrOverLimitLinkLimitFactor=gtmAttrOverLimitLinkLimitFactor, gtmVsLimitConnPerSecEnabled=gtmVsLimitConnPerSecEnabled, gtmStatBytesReceived=gtmStatBytesReceived, gtmTopItemEntry=gtmTopItemEntry, gtmWideipRuleTable=gtmWideipRuleTable, gtmDnssecStatGroup=gtmDnssecStatGroup, gtmPoolLimitCpuUsageEnabled=gtmPoolLimitCpuUsageEnabled, gtmAttr2QosFactorVsScore=gtmAttr2QosFactorVsScore, gtmLinkDcName=gtmLinkDcName, gtmWideipStatResolutions=gtmWideipStatResolutions, gtmServerStatusNumber=gtmServerStatusNumber, gtmPoolMbrStatPort=gtmPoolMbrStatPort, gtmVsStatVsScore=gtmVsStatVsScore, gtmTopItemLdnsEntry=gtmTopItemLdnsEntry, gtmPoolStatCnameResolutions=gtmPoolStatCnameResolutions, gtmVsPortXlated=gtmVsPortXlated, gtmProberPoolMbrPoolName=gtmProberPoolMbrPoolName, gtmPoolFallbackIpv6=gtmPoolFallbackIpv6, gtmAttrTraceroutePort=gtmAttrTraceroutePort, gtmDcStatName=gtmDcStatName, gtmDcEnabled=gtmDcEnabled, gtmWideipStatName=gtmWideipStatName, gtmVsDepsVip=gtmVsDepsVip, gtmDnssecZoneStatConnectFlowFailed=gtmDnssecZoneStatConnectFlowFailed, gtmLinkStatRateVses=gtmLinkStatRateVses, gtmAttrTimeTolerance=gtmAttrTimeTolerance, gtmVsIpType=gtmVsIpType, gtmDnssecZoneStatDnssecNsec3paramQueries=gtmDnssecZoneStatDnssecNsec3paramQueries, gtmPoolMbrDepsVip=gtmPoolMbrDepsVip, gtmStatReturnToDns=gtmStatReturnToDns, gtmAppStatusDetailReason=gtmAppStatusDetailReason, gtmIpDeviceName=gtmIpDeviceName, gtmWideipStatusEntry=gtmWideipStatusEntry, gtmPoolMbrDepsVsName=gtmPoolMbrDepsVsName, gtmIpIpXlatedType=gtmIpIpXlatedType, gtmPoolMemberStat=gtmPoolMemberStat, gtmVsStatusPort=gtmVsStatusPort, gtmAttrAolAware=gtmAttrAolAware, gtmWideipStatusEnabledState=gtmWideipStatusEnabledState, gtmServerLimitBitsPerSecEnabled=gtmServerLimitBitsPerSecEnabled, gtmWideipPoolNumber=gtmWideipPoolNumber, gtmDnssecStatSigCryptoFailed=gtmDnssecStatSigCryptoFailed, gtmRuleName=gtmRuleName, gtmDcStatResetStats=gtmDcStatResetStats, gtmAttrLinkCompensateInbound=gtmAttrLinkCompensateInbound, gtmPoolLimitCpuUsage=gtmPoolLimitCpuUsage, gtmRegionEntryTable=gtmRegionEntryTable, gtmLinkLimitOutMemAvailEnabled=gtmLinkLimitOutMemAvailEnabled, gtmLinkStatusName=gtmLinkStatusName, gtmServerTable=gtmServerTable, gtmAttr2SyncNamedConf=gtmAttr2SyncNamedConf, gtmServerStatBitsPerSecIn=gtmServerStatBitsPerSecIn, gtmWideipTtlPersist=gtmWideipTtlPersist, gtmWideipStatFallback=gtmWideipStatFallback, gtmAppContStatNumAvail=gtmAppContStatNumAvail, gtmDnssecZoneStatDnssecResponses=gtmDnssecZoneStatDnssecResponses, gtmPoolMbrStatusAvailState=gtmPoolMbrStatusAvailState, gtmWideipName=gtmWideipName, gtmAttrDefaultProbeLimit=gtmAttrDefaultProbeLimit, gtmServerStatus=gtmServerStatus, gtmWideipStatExplicitIp=gtmWideipStatExplicitIp, gtmWideipStatusParentType=gtmWideipStatusParentType, gtmProberPoolMbrTable=gtmProberPoolMbrTable, gtmStatReturnFromDns=gtmStatReturnFromDns, gtmDcStatCpuUsage=gtmDcStatCpuUsage, gtmWideipStatEntry=gtmWideipStatEntry, gtmPoolMbrDepsDependServerName=gtmPoolMbrDepsDependServerName, gtmAppContStatEnabledState=gtmAppContStatEnabledState, gtmRuleEventPriority=gtmRuleEventPriority, gtmLinkStatPaths=gtmLinkStatPaths, gtmRuleEventName=gtmRuleEventName) mibBuilder.exportSymbols("F5-BIGIP-GLOBAL-MIB", gtmAttrStaticPersistCidr=gtmAttrStaticPersistCidr, gtmWideipStatTable=gtmWideipStatTable, gtmDcStatGroup=gtmDcStatGroup, gtmPoolStatusNumber=gtmPoolStatusNumber, gtmProberPoolLbMode=gtmProberPoolLbMode, gtmServerLimitConnEnabled=gtmServerLimitConnEnabled, gtmAttr2LdnsDuration=gtmAttr2LdnsDuration, gtmStatResetStats=gtmStatResetStats, gtmAppGroup=gtmAppGroup, gtmAttr2QosFactorPacketRate=gtmAttr2QosFactorPacketRate, gtmRegItemEntry=gtmRegItemEntry, gtmWideipStatRequests=gtmWideipStatRequests, gtmDnssecStatXfrSerial=gtmDnssecStatXfrSerial, gtmServerAutoconfState=gtmServerAutoconfState, gtmPoolCname=gtmPoolCname, gtmVsIp=gtmVsIp, gtmVsServerName=gtmVsServerName, gtmVsStatPort=gtmVsStatPort, PYSNMP_MODULE_ID=bigipGlobalTM, gtmAppEntry=gtmAppEntry, gtmAttrLinkPrepaidFactor=gtmAttrLinkPrepaidFactor, gtmPoolMbrDepsPort=gtmPoolMbrDepsPort, gtmRegionEntryGroup=gtmRegionEntryGroup, gtmWideipRuleNumber=gtmWideipRuleNumber, gtmAttr2LinkCompensationHistory=gtmAttr2LinkCompensationHistory, gtmLinkMonitorRule=gtmLinkMonitorRule, gtmVsDepsIpType=gtmVsDepsIpType, gtmDcStatBitsPerSecIn=gtmDcStatBitsPerSecIn, gtmProberPoolStatusTable=gtmProberPoolStatusTable, gtmPoolMbrStatIp=gtmPoolMbrStatIp, gtmProberPoolMbrStatusAvailState=gtmProberPoolMbrStatusAvailState, gtmServerDcName=gtmServerDcName, gtmRegions=gtmRegions, gtmGlobalLdnsProbeProtoTable=gtmGlobalLdnsProbeProtoTable, gtmLinkStatusParentType=gtmLinkStatusParentType, gtmDnssecStatResetStats=gtmDnssecStatResetStats, gtmProberPoolMemberStat=gtmProberPoolMemberStat, gtmVsStatusDetailReason=gtmVsStatusDetailReason, gtmDcStatusNumber=gtmDcStatusNumber, gtmWideipIpv6Noerror=gtmWideipIpv6Noerror, gtmPoolStatNumber=gtmPoolStatNumber, gtmServerStat=gtmServerStat, gtmLinkTable=gtmLinkTable, gtmLinkStatusNumber=gtmLinkStatusNumber, gtmRuleEventStatAborts=gtmRuleEventStatAborts, gtmDnssecZoneStatEntry=gtmDnssecZoneStatEntry, gtmAppStatusEnabledState=gtmAppStatusEnabledState, gtmProberPools=gtmProberPools, gtmServerLimitMemAvailEnabled=gtmServerLimitMemAvailEnabled, gtmWideipRuleRuleName=gtmWideipRuleRuleName, gtmAttr2LinkPrepaidFactor=gtmAttr2LinkPrepaidFactor, gtmLinkLimitTotalMemAvailEnabled=gtmLinkLimitTotalMemAvailEnabled, gtmDnssecZoneStatSigSuccess=gtmDnssecZoneStatSigSuccess, gtmLinkStatusDetailReason=gtmLinkStatusDetailReason, gtmVsLimitCpuUsageEnabled=gtmVsLimitCpuUsageEnabled, gtmVsName=gtmVsName, gtmVirtualServ=gtmVirtualServ, gtmPoolLimitBitsPerSec=gtmPoolLimitBitsPerSec, gtmDataCenters=gtmDataCenters, gtmDnssecZoneStatSigFailed=gtmDnssecZoneStatSigFailed, gtmPoolFallbackIpType=gtmPoolFallbackIpType, gtmDnssecZoneStatTable=gtmDnssecZoneStatTable, gtmGlobalLdnsProbeProtoType=gtmGlobalLdnsProbeProtoType, gtmIpEntry=gtmIpEntry, gtmVsEntry=gtmVsEntry, gtmWideipEntry=gtmWideipEntry, gtmPoolStatGroup=gtmPoolStatGroup, gtmPoolStatusName=gtmPoolStatusName, gtmWideipStatARequests=gtmWideipStatARequests, gtmAppContDisNumber=gtmAppContDisNumber, gtmPoolStatusParentType=gtmPoolStatusParentType, gtmPoolQosCoeffBps=gtmPoolQosCoeffBps, gtmLinkStatusGroup=gtmLinkStatusGroup, gtmAppPersist=gtmAppPersist, gtmIpNumber=gtmIpNumber, gtmWideipStatCnameResolutions=gtmWideipStatCnameResolutions, gtmAttrQosFactorConnRate=gtmAttrQosFactorConnRate, gtmAttr2TraceTtl=gtmAttr2TraceTtl, gtmAttr2RttSampleCount=gtmAttr2RttSampleCount, gtmPoolLimitConnPerSecEnabled=gtmPoolLimitConnPerSecEnabled, gtmStatLdnses=gtmStatLdnses, gtmLinkLimitTotalCpuUsageEnabled=gtmLinkLimitTotalCpuUsageEnabled, gtmDcStatusAvailState=gtmDcStatusAvailState, gtmServerLimitCpuUsage=gtmServerLimitCpuUsage, gtmGlobals=gtmGlobals, gtmPoolStatusTable=gtmPoolStatusTable, gtmPoolStatReturnToDns=gtmPoolStatReturnToDns, gtmWideipAliasName=gtmWideipAliasName, gtmAttrCertificateDepth=gtmAttrCertificateDepth, gtmRuleEventNumber=gtmRuleEventNumber, gtmIpServerName=gtmIpServerName, gtmPoolLimitPktsPerSecEnabled=gtmPoolLimitPktsPerSecEnabled, gtmAppContDisEntry=gtmAppContDisEntry, gtmServerStatusGroup=gtmServerStatusGroup, gtmAttrQosFactorRtt=gtmAttrQosFactorRtt, gtmServerStat2ResetStats=gtmServerStat2ResetStats, gtmAttrPathsNeverDie=gtmAttrPathsNeverDie, gtmAppNumber=gtmAppNumber, gtmProberPoolStatusName=gtmProberPoolStatusName, gtmAttr2CacheLdns=gtmAttr2CacheLdns, gtmVsDepsVsName=gtmVsDepsVsName, gtmLinkLimitOutBitsPerSecEnabled=gtmLinkLimitOutBitsPerSecEnabled, gtmDnssecStatNsec3Referral=gtmDnssecStatNsec3Referral, gtmDcStatBitsPerSecOut=gtmDcStatBitsPerSecOut, gtmDnssecStatDnssecNsec3paramQueries=gtmDnssecStatDnssecNsec3paramQueries, gtmStatCnameResolutions=gtmStatCnameResolutions, gtmRuleEvent=gtmRuleEvent, gtmRuleEntry=gtmRuleEntry, gtmAppContDisTable=gtmAppContDisTable, gtmServerLimitPktsPerSec=gtmServerLimitPktsPerSec, gtmVsStatNumber=gtmVsStatNumber, gtmRegionEntryName=gtmRegionEntryName, gtmPoolMbrMonitorRule=gtmPoolMbrMonitorRule, gtmServerStatusParentType=gtmServerStatusParentType, gtmPoolMbrDepsEntry=gtmPoolMbrDepsEntry, gtmPoolMbrGroup=gtmPoolMbrGroup, gtmLinkCostEntry=gtmLinkCostEntry, gtmPoolStatName=gtmPoolStatName, gtmRuleEventTable=gtmRuleEventTable, gtmVsStatusNumber=gtmVsStatusNumber, gtmServerLinkAutoconfState=gtmServerLinkAutoconfState, gtmServerEnabled=gtmServerEnabled, gtmLinkLimitInConnPerSec=gtmLinkLimitInConnPerSec, gtmWideipAliasWipName=gtmWideipAliasWipName, gtmProberPoolStatusEntry=gtmProberPoolStatusEntry, gtmAttr2EnableResetsRipeness=gtmAttr2EnableResetsRipeness, gtmPoolStatusAvailState=gtmPoolStatusAvailState, gtmStatDropped=gtmStatDropped, gtmDnssecZoneStatDnssecDnskeyQueries=gtmDnssecZoneStatDnssecDnskeyQueries, gtmPoolMbrLimitPktsPerSec=gtmPoolMbrLimitPktsPerSec, gtmStatPreferred=gtmStatPreferred, gtmServerStat2ConnRate=gtmServerStat2ConnRate, gtmLinkStatusAvailState=gtmLinkStatusAvailState, gtmProberPoolName=gtmProberPoolName, gtmWideipPoolWipName=gtmWideipPoolWipName, gtmAttrQosFactorHops=gtmAttrQosFactorHops, gtmRuleEventStatNumber=gtmRuleEventStatNumber, gtmAttr2FbRespectAcl=gtmAttr2FbRespectAcl, gtmPoolMbrDepsGroup=gtmPoolMbrDepsGroup, gtmAppContStatParentType=gtmAppContStatParentType, gtmProberPoolMbrServerName=gtmProberPoolMbrServerName, gtmPoolMbrEntry=gtmPoolMbrEntry, gtmAttr2LowerBoundPctCol=gtmAttr2LowerBoundPctCol, gtmServerLimitMemAvail=gtmServerLimitMemAvail, gtmDcGroup=gtmDcGroup, gtmVsLimitMemAvailEnabled=gtmVsLimitMemAvailEnabled, gtmRegItemRegionDbType=gtmRegItemRegionDbType, gtmRegItemTable=gtmRegItemTable, gtmLinkUplinkAddress=gtmLinkUplinkAddress, gtmAppTtlPersist=gtmAppTtlPersist, gtmServerStatCpuUsage=gtmServerStatCpuUsage, gtmDcEntry=gtmDcEntry, gtmLinkUplinkAddressType=gtmLinkUplinkAddressType, gtmAttr2TopologyAclThreshold=gtmAttr2TopologyAclThreshold, gtmWideipRule=gtmWideipRule, gtmPoolLimitConnEnabled=gtmPoolLimitConnEnabled, gtmPoolMbrDepsDependVsName=gtmPoolMbrDepsDependVsName, gtmPoolLimitMemAvail=gtmPoolLimitMemAvail, gtmDnssecStatNsec3Nxdomain=gtmDnssecStatNsec3Nxdomain, gtmPoolStatTable=gtmPoolStatTable, gtmLinkLimitOutPktsPerSec=gtmLinkLimitOutPktsPerSec, gtmPoolMbrLimitConn=gtmPoolMbrLimitConn, gtmRuleEventStatTotalExecutions=gtmRuleEventStatTotalExecutions, gtmPoolFallbackIpv6Type=gtmPoolFallbackIpv6Type, gtmVsDepsIp=gtmVsDepsIp, gtmWideipLoadBalancingDecisionLogVerbosity=gtmWideipLoadBalancingDecisionLogVerbosity, gtmAttrQosFactorHitRatio=gtmAttrQosFactorHitRatio, gtmWideipPersist=gtmWideipPersist, gtmServerStatusTable=gtmServerStatusTable, gtmDnssecStatIxfrQueries=gtmDnssecStatIxfrQueries, gtmLinkEnabled=gtmLinkEnabled, gtmProberPoolStatName=gtmProberPoolStatName, gtmDcStatConnections=gtmDcStatConnections, gtmServerName=gtmServerName, gtmLinkLimitOutConn=gtmLinkLimitOutConn, gtmVsLimitBitsPerSec=gtmVsLimitBitsPerSec, bigipGlobalTMGroups=bigipGlobalTMGroups, gtmLinkGroup=gtmLinkGroup, gtmAttrPathDuration=gtmAttrPathDuration, gtmLinkLimitInConnEnabled=gtmLinkLimitInConnEnabled, gtmIpGroup=gtmIpGroup, gtmServerStat2BitsPerSecOut=gtmServerStat2BitsPerSecOut, gtmRuleEventStatEntry=gtmRuleEventStatEntry, gtmServerAllowSnmp=gtmServerAllowSnmp, gtmLinkLimitInCpuUsage=gtmLinkLimitInCpuUsage, gtmServerGroup=gtmServerGroup, gtmDcStatusDetailReason=gtmDcStatusDetailReason, gtmServerStatusDetailReason=gtmServerStatusDetailReason, gtmRuleEventStatResetStats=gtmRuleEventStatResetStats, gtmRegItemRegionName=gtmRegItemRegionName, gtmTopItemNumber=gtmTopItemNumber, gtmPoolMbrDepsTable=gtmPoolMbrDepsTable, gtmDnssecStatTowireFailed=gtmDnssecStatTowireFailed, gtmServerStatMemAvail=gtmServerStatMemAvail, gtmProberPoolEntry=gtmProberPoolEntry, gtmProberPoolMbrStatusServerName=gtmProberPoolMbrStatusServerName, gtmPoolMbrEnabled=gtmPoolMbrEnabled, gtmAttrGroup=gtmAttrGroup, gtmWideipStatReturnFromDns=gtmWideipStatReturnFromDns, gtmAttr2AolAware=gtmAttr2AolAware, gtmAttrGtmSetsRecursion=gtmAttrGtmSetsRecursion, gtmPoolStatResetStats=gtmPoolStatResetStats, gtmDnssecZoneStatAxfrQueries=gtmDnssecZoneStatAxfrQueries, gtmServerNumber=gtmServerNumber, gtmPoolMbrStatusPort=gtmPoolMbrStatusPort, gtmLinkLimitInPktsPerSec=gtmLinkLimitInPktsPerSec, gtmPoolMbrStatusEntry=gtmPoolMbrStatusEntry, gtmPoolAlternate=gtmPoolAlternate, gtmVsDepsDependServerName=gtmVsDepsDependServerName, gtmWideipPoolTable=gtmWideipPoolTable, gtmLinkLimitOutMemAvail=gtmLinkLimitOutMemAvail, gtmVsDepsTable=gtmVsDepsTable, gtmAttr2RttTimeout=gtmAttr2RttTimeout, gtmAttr2CheckStaticDepends=gtmAttr2CheckStaticDepends, gtmAttrTimerRetryPathData=gtmAttrTimerRetryPathData, gtmRuleNumber=gtmRuleNumber, gtmPoolMbrStatusVsName=gtmPoolMbrStatusVsName, gtmLinkLimitInBitsPerSecEnabled=gtmLinkLimitInBitsPerSecEnabled, gtmLinkNumber=gtmLinkNumber, gtmAttr2LinkCompensateOutbound=gtmAttr2LinkCompensateOutbound, gtmAttrTraceTtl=gtmAttrTraceTtl, gtmPoolFallbackIp=gtmPoolFallbackIp, gtmVsDepsEntry=gtmVsDepsEntry, gtmWideipStatusTable=gtmWideipStatusTable, gtmDnssecStatNsec3Resalt=gtmDnssecStatNsec3Resalt, gtmAttr2TimeTolerance=gtmAttr2TimeTolerance, gtmLinkLimitInPktsPerSecEnabled=gtmLinkLimitInPktsPerSecEnabled, gtmRuleEventStatEventType=gtmRuleEventStatEventType, gtmVsDepsPort=gtmVsDepsPort, gtmLinkCostDollarsPerMbps=gtmLinkCostDollarsPerMbps, gtmAttr2Autosync=gtmAttr2Autosync, gtmVsStatCpuUsage=gtmVsStatCpuUsage, gtmServerStatusEntry=gtmServerStatusEntry, gtmAttr2DrainRequests=gtmAttr2DrainRequests, gtmDnssecStatSigSuccess=gtmDnssecStatSigSuccess, gtmServerStatusName=gtmServerStatusName, gtmVsStatusGroup=gtmVsStatusGroup, gtmAttrQosFactorPacketRate=gtmAttrQosFactorPacketRate, gtmLinkLimitOutBitsPerSec=gtmLinkLimitOutBitsPerSec, gtmDcStatNumber=gtmDcStatNumber, gtmLinkStatRateVsesIn=gtmLinkStatRateVsesIn, gtmPoolMbrLimitMemAvail=gtmPoolMbrLimitMemAvail, gtmPoolManualResume=gtmPoolManualResume, gtmPoolMbrStatPoolName=gtmPoolMbrStatPoolName, gtmProberPoolMbrPmbrOrder=gtmProberPoolMbrPmbrOrder, gtmWideipAlias=gtmWideipAlias, gtmDnssecStatNsec3Nodata=gtmDnssecStatNsec3Nodata, gtmPoolQosCoeffTopology=gtmPoolQosCoeffTopology, gtmProberPoolMbrStatPoolName=gtmProberPoolMbrStatPoolName, gtmVsStatPktsPerSecOut=gtmVsStatPktsPerSecOut, gtmProberPoolEnabled=gtmProberPoolEnabled, gtmVsGroup=gtmVsGroup, gtmAttr2LowerBoundPctRow=gtmAttr2LowerBoundPctRow, gtmRuleEventStatTable=gtmRuleEventStatTable) mibBuilder.exportSymbols("F5-BIGIP-GLOBAL-MIB", gtmLinkCostTable=gtmLinkCostTable, gtmPoolMbrStatusTable=gtmPoolMbrStatusTable, gtmDataCenter=gtmDataCenter, gtmAttrTopologyAclThreshold=gtmAttrTopologyAclThreshold, gtmVsStatusTable=gtmVsStatusTable, gtmLinkStatRateVsesOut=gtmLinkStatRateVsesOut, gtmPoolMbrPoolName=gtmPoolMbrPoolName, gtmServerLimitConn=gtmServerLimitConn, gtmAttrCacheLdns=gtmAttrCacheLdns, gtmPoolQosCoeffConnRate=gtmPoolQosCoeffConnRate, gtmLinkPrepaidInDollars=gtmLinkPrepaidInDollars, gtmServerStatTable=gtmServerStatTable, gtmWideipStatGroup=gtmWideipStatGroup, gtmPoolFallback=gtmPoolFallback, gtmPoolMonitorRule=gtmPoolMonitorRule, gtmDcStatusTable=gtmDcStatusTable, gtmPoolName=gtmPoolName, gtmWideipGroup=gtmWideipGroup, gtmAttrSyncTimeout=gtmAttrSyncTimeout, gtmProberPoolMemberStatus=gtmProberPoolMemberStatus, gtmRuleEventStatFailures=gtmRuleEventStatFailures, gtmServerLimitConnPerSec=gtmServerLimitConnPerSec, gtmAttrQosFactorBps=gtmAttrQosFactorBps, gtmServerStatusEnabledState=gtmServerStatusEnabledState, gtmAttr2FbRespectDepends=gtmAttr2FbRespectDepends, gtmAttr2MaxLinkOverLimitCount=gtmAttr2MaxLinkOverLimitCount, gtmAppContDisName=gtmAppContDisName, gtmDnssecStatDnssecDnskeyQueries=gtmDnssecStatDnssecDnskeyQueries, gtmLinkLimitOutCpuUsage=gtmLinkLimitOutCpuUsage, gtmServerLimitCpuUsageEnabled=gtmServerLimitCpuUsageEnabled, gtmDcName=gtmDcName, gtmWideipPoolRatio=gtmWideipPoolRatio, gtmProberPoolStatTotalProbes=gtmProberPoolStatTotalProbes, gtmAppContStatGroup=gtmAppContStatGroup, gtmServerStat2CpuUsage=gtmServerStat2CpuUsage, gtmAppContDisGroup=gtmAppContDisGroup, gtmLinkStatRate=gtmLinkStatRate, gtmStatExplicitIp=gtmStatExplicitIp, gtmServerStatPktsPerSecIn=gtmServerStatPktsPerSecIn, gtmServerLimitPktsPerSecEnabled=gtmServerLimitPktsPerSecEnabled, gtmWideipNumber=gtmWideipNumber, gtmAttr2Number=gtmAttr2Number, gtmAttr2QosFactorTopology=gtmAttr2QosFactorTopology, gtmVsLinkName=gtmVsLinkName, gtmAttr2Entry=gtmAttr2Entry, gtmAttr2DownThreshold=gtmAttr2DownThreshold, gtmDataCenterStatus=gtmDataCenterStatus, gtmLinkEntry=gtmLinkEntry, gtmVsStatIp=gtmVsStatIp, gtmProberPoolMbrEnabled=gtmProberPoolMbrEnabled, gtmAttr2QosFactorHitRatio=gtmAttr2QosFactorHitRatio, gtmTopItem=gtmTopItem, gtmLinkStatRateOut=gtmLinkStatRateOut, gtmGlobalAttr2=gtmGlobalAttr2, gtmVsLimitConn=gtmVsLimitConn, gtmWideipLbmodePool=gtmWideipLbmodePool, gtmDnssecStatNsec3s=gtmDnssecStatNsec3s, gtmDnssecStatDnssecResponses=gtmDnssecStatDnssecResponses, gtmLinkLimitTotalConn=gtmLinkLimitTotalConn, gtmDcStatConnRate=gtmDcStatConnRate, gtmDnssecZoneStatXfrStarts=gtmDnssecZoneStatXfrStarts, gtmAttrTimerSendKeepAlive=gtmAttrTimerSendKeepAlive, gtmPoolLimitMemAvailEnabled=gtmPoolLimitMemAvailEnabled, gtmPoolMbrStatEntry=gtmPoolMbrStatEntry, gtmServerLimitBitsPerSec=gtmServerLimitBitsPerSec, gtmVirtualServStat=gtmVirtualServStat, gtmDnssecStatXfrMasterMsgs=gtmDnssecStatXfrMasterMsgs, gtmApplicationStatus=gtmApplicationStatus, gtmRule=gtmRule, gtmLinkStatusTable=gtmLinkStatusTable, gtmPoolMbrLimitCpuUsage=gtmPoolMbrLimitCpuUsage, gtmAttr2SyncTimeout=gtmAttr2SyncTimeout, gtmWideipStatReturnToDns=gtmWideipStatReturnToDns, gtmAttrRttTimeout=gtmAttrRttTimeout, gtmLinkStatName=gtmLinkStatName, gtmPoolVerifyMember=gtmPoolVerifyMember, gtmVsStatusEntry=gtmVsStatusEntry, gtmServerStat2PktsPerSecOut=gtmServerStat2PktsPerSecOut, gtmProberPoolMbrStatGroup=gtmProberPoolMbrStatGroup, gtmAppContextDisable=gtmAppContextDisable, gtmAttr2QosFactorConnRate=gtmAttr2QosFactorConnRate, gtmServerStatusAvailState=gtmServerStatusAvailState, gtmProberPoolStatusEnabledState=gtmProberPoolStatusEnabledState, gtmPoolMbrDepsServerName=gtmPoolMbrDepsServerName, gtmPoolLimitConnPerSec=gtmPoolLimitConnPerSec, gtmRegItemNegate=gtmRegItemNegate, gtmServerStatConnections=gtmServerStatConnections, gtmPoolNumber=gtmPoolNumber, gtmAttr2CertificateDepth=gtmAttr2CertificateDepth, gtmLinkCostGroup=gtmLinkCostGroup, gtmAttrSyncNamedConf=gtmAttrSyncNamedConf, gtmPoolStatDropped=gtmPoolStatDropped, gtmAttrTimerPersistCache=gtmAttrTimerPersistCache, gtmVsLimitPktsPerSec=gtmVsLimitPktsPerSec, gtmAttr2OverLimitLinkLimitFactor=gtmAttr2OverLimitLinkLimitFactor, gtmTopItemLdnsNegate=gtmTopItemLdnsNegate, gtmAttr2QosFactorRtt=gtmAttr2QosFactorRtt, gtmLinkLimitTotalConnPerSec=gtmLinkLimitTotalConnPerSec, gtmWideipApplication=gtmWideipApplication, gtmPoolMbrDepsPoolName=gtmPoolMbrDepsPoolName, gtmIpUnitId=gtmIpUnitId, gtmLinkCostNumber=gtmLinkCostNumber, gtmPoolMbrVsName=gtmPoolMbrVsName, gtmServerEntry=gtmServerEntry, gtmProberPoolMbrStatusNumber=gtmProberPoolMbrStatusNumber, gtmAttr2Group=gtmAttr2Group, gtmVsNumber=gtmVsNumber, gtmPoolMbrStatGroup=gtmPoolMbrStatGroup, gtmPoolQosCoeffLcs=gtmPoolQosCoeffLcs, gtmGlobalDnssecStat=gtmGlobalDnssecStat, gtmAttrLinkLimitFactor=gtmAttrLinkLimitFactor, gtmAttr2RttPacketLength=gtmAttr2RttPacketLength, gtmLinkIspName=gtmLinkIspName, gtmVsLimitCpuUsage=gtmVsLimitCpuUsage, gtmLinkStatusEnabledState=gtmLinkStatusEnabledState, gtmWideipStatNumber=gtmWideipStatNumber, gtmServerStatVsPicks=gtmServerStatVsPicks, gtmGlobalLdnsProbeProto=gtmGlobalLdnsProbeProto, gtmPoolQosCoeffVsScore=gtmPoolQosCoeffVsScore, gtmPoolMbrStatusIp=gtmPoolMbrStatusIp, gtmPoolStatusEntry=gtmPoolStatusEntry, gtmWideipStatAaaaRequests=gtmWideipStatAaaaRequests, gtmProberPoolStatResetStats=gtmProberPoolStatResetStats, gtmServerStatGroup=gtmServerStatGroup, gtmVsLimitConnPerSec=gtmVsLimitConnPerSec, gtmPoolStatusGroup=gtmPoolStatusGroup, gtmRuleEventStat=gtmRuleEventStat, gtmLinkStatLcsOut=gtmLinkStatLcsOut, gtmVsStatBitsPerSecIn=gtmVsStatBitsPerSecIn, gtmRuleEventStatName=gtmRuleEventStatName, gtmProberPoolMbrNumber=gtmProberPoolMbrNumber, gtmVsStatusServerName=gtmVsStatusServerName, gtmWideipPool=gtmWideipPool, gtmAttrCheckDynamicDepends=gtmAttrCheckDynamicDepends)
(octet_string, object_identifier, integer) = mibBuilder.importSymbols('ASN1', 'OctetString', 'ObjectIdentifier', 'Integer') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (single_value_constraint, value_range_constraint, constraints_intersection, value_size_constraint, constraints_union) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'SingleValueConstraint', 'ValueRangeConstraint', 'ConstraintsIntersection', 'ValueSizeConstraint', 'ConstraintsUnion') (bigip_groups, bigip_compliances, long_display_string, bigip_traffic_mgmt) = mibBuilder.importSymbols('F5-BIGIP-COMMON-MIB', 'bigipGroups', 'bigipCompliances', 'LongDisplayString', 'bigipTrafficMgmt') (inet_address_type, inet_address, inet_port_number) = mibBuilder.importSymbols('INET-ADDRESS-MIB', 'InetAddressType', 'InetAddress', 'InetPortNumber') (module_compliance, object_group, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'ObjectGroup', 'NotificationGroup') (mib_identifier, object_identity, counter32, gauge32, counter64, iso, ip_address, notification_type, module_identity, unsigned32, integer32, enterprises, bits, opaque, time_ticks, mib_scalar, mib_table, mib_table_row, mib_table_column) = mibBuilder.importSymbols('SNMPv2-SMI', 'MibIdentifier', 'ObjectIdentity', 'Counter32', 'Gauge32', 'Counter64', 'iso', 'IpAddress', 'NotificationType', 'ModuleIdentity', 'Unsigned32', 'Integer32', 'enterprises', 'Bits', 'Opaque', 'TimeTicks', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn') (textual_convention, mac_address, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'MacAddress', 'DisplayString') bigip_global_tm = module_identity((1, 3, 6, 1, 4, 1, 3375, 2, 3)) if mibBuilder.loadTexts: bigipGlobalTM.setLastUpdated('201508070110Z') if mibBuilder.loadTexts: bigipGlobalTM.setOrganization('F5 Networks, Inc.') if mibBuilder.loadTexts: bigipGlobalTM.setContactInfo('postal: F5 Networks, Inc. 401 Elliott Ave. West Seattle, WA 98119 phone: (206) 272-5555 email: support@f5.com') if mibBuilder.loadTexts: bigipGlobalTM.setDescription('Top-level infrastructure of the F5 enterprise MIB tree.') gtm_globals = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1)) gtm_applications = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2)) gtm_data_centers = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3)) gtm_ips = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 4)) gtm_links = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5)) gtm_pools = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6)) gtm_regions = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 7)) gtm_rules = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8)) gtm_servers = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9)) gtm_topologies = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 10)) gtm_virtual_servers = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11)) gtm_wideips = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12)) gtm_prober_pools = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13)) gtm_dnssec = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14)) gtm_global_attrs = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1)) gtm_global_stats = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2)) gtm_global_attr = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1)) gtm_global_ldns_probe_proto = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 2)) gtm_global_attr2 = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3)) gtm_global_stat = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1)) gtm_global_dnssec_stat = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2)) gtm_application = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 1)) gtm_application_status = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 2)) gtm_app_context_stat = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 3)) gtm_app_context_disable = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 4)) gtm_data_center = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 1)) gtm_data_center_stat = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 2)) gtm_data_center_status = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 3)) gtm_ip = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 4, 1)) gtm_link = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1)) gtm_link_cost = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 2)) gtm_link_stat = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 3)) gtm_link_status = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 4)) gtm_pool = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1)) gtm_pool_stat = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 2)) gtm_pool_status = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 3)) gtm_pool_member = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4)) gtm_pool_member_depends = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 5)) gtm_pool_member_stat = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 6)) gtm_pool_member_status = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 7)) gtm_region_entry = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 7, 1)) gtm_reg_item = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 7, 2)) gtm_rule = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 1)) gtm_rule_event = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 2)) gtm_rule_event_stat = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 3)) gtm_server = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1)) gtm_server_stat = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 2)) gtm_server_status = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 3)) gtm_server_stat2 = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 4)) gtm_top_item = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 10, 1)) gtm_virtual_serv = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1)) gtm_virtual_serv_depends = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 2)) gtm_virtual_serv_stat = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3)) gtm_virtual_serv_status = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 4)) gtm_wideip = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 1)) gtm_wideip_stat = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 2)) gtm_wideip_status = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 3)) gtm_wideip_alias = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 4)) gtm_wideip_pool = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 5)) gtm_wideip_rule = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 6)) gtm_prober_pool = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 1)) gtm_prober_pool_stat = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 2)) gtm_prober_pool_status = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 3)) gtm_prober_pool_member = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 4)) gtm_prober_pool_member_stat = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 5)) gtm_prober_pool_member_status = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 6)) gtm_dnssec_zone_stat = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1)) gtm_attr_dump_topology = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrDumpTopology.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrDumpTopology.setDescription('Deprecated!. The state indicating whether or not to dump the topology.') gtm_attr_cache_ldns = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrCacheLdns.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrCacheLdns.setDescription('Deprecated!. The state indicating whether or not to cache LDNSes.') gtm_attr_aol_aware = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrAolAware.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrAolAware.setDescription('Deprecated!. The state indicating whether or not local DNS servers that belong to AOL (America Online) are recognized.') gtm_attr_check_static_depends = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrCheckStaticDepends.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrCheckStaticDepends.setDescription('Deprecated!. The state indicating whether or not to check the availability of virtual servers.') gtm_attr_check_dynamic_depends = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrCheckDynamicDepends.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrCheckDynamicDepends.setDescription('Deprecated!. The state indicating whether or not to check availability of a path before it uses the path for load balancing.') gtm_attr_drain_requests = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrDrainRequests.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrDrainRequests.setDescription('Deprecated!. The state indicating whether or not persistent connections are allowed to remain connected, until TTL expires, when disabling a pool.') gtm_attr_enable_resets_ripeness = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrEnableResetsRipeness.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrEnableResetsRipeness.setDescription('Deprecated!. The state indicating whether or not ripeness value is allowed to be reset.') gtm_attr_fb_respect_depends = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrFbRespectDepends.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrFbRespectDepends.setDescription('Deprecated!. The state indicating whether or not to respect virtual server status when load balancing switches to the fallback mode.') gtm_attr_fb_respect_acl = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrFbRespectAcl.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrFbRespectAcl.setDescription('Deprecated!. Deprecated! The state indicating whether or not to respect ACL. This is part of an outdated mechanism for disabling virtual servers') gtm_attr_default_alternate = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18))).clone(namedValues=named_values(('returntodns', 0), ('null', 1), ('roundrobin', 2), ('ratio', 3), ('topology', 4), ('statpersist', 5), ('ga', 6), ('vscapacity', 7), ('leastconn', 8), ('lowestrtt', 9), ('lowesthops', 10), ('packetrate', 11), ('cpu', 12), ('hitratio', 13), ('qos', 14), ('bps', 15), ('droppacket', 16), ('explicitip', 17), ('vssore', 18)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrDefaultAlternate.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrDefaultAlternate.setDescription('Deprecated!. The default alternate LB method.') gtm_attr_default_fallback = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18))).clone(namedValues=named_values(('returntodns', 0), ('null', 1), ('roundrobin', 2), ('ratio', 3), ('topology', 4), ('statpersit', 5), ('ga', 6), ('vscapacity', 7), ('leastconn', 8), ('lowestrtt', 9), ('lowesthops', 10), ('packetrate', 11), ('cpu', 12), ('hitratio', 13), ('qos', 14), ('bps', 15), ('droppacket', 16), ('explicitip', 17), ('vsscore', 18)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrDefaultFallback.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrDefaultFallback.setDescription('Deprecated!. The default fallback LB method.') gtm_attr_persist_mask = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 12), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrPersistMask.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrPersistMask.setDescription('Deprecated!. Deprecated! Replaced by gtmAttrStaticPersistCidr and gtmAttrStaticPersistV6Cidr. The persistence mask which is used to determine the netmask applied for static persistance requests.') gtm_attr_gtm_sets_recursion = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrGtmSetsRecursion.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrGtmSetsRecursion.setDescription('Deprecated!. The state indicating whether set recursion by global traffic management object(GTM) is enable or not.') gtm_attr_qos_factor_lcs = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 14), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrQosFactorLcs.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrQosFactorLcs.setDescription('Deprecated!. The factor used to normalize link capacity values when the load balancing mode is set to LB_METHOD_QOS.') gtm_attr_qos_factor_rtt = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 15), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrQosFactorRtt.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrQosFactorRtt.setDescription('Deprecated!. The factor used to normalize round-trip time values when the load balancing mode is set to LB_METHOD_QOS.') gtm_attr_qos_factor_hops = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 16), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrQosFactorHops.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrQosFactorHops.setDescription('Deprecated!. The factor used to normalize hops when the load balancing mode is set to LB_METHOD_QOS.') gtm_attr_qos_factor_hit_ratio = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 17), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrQosFactorHitRatio.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrQosFactorHitRatio.setDescription('Deprecated!. The factor used to normalize ping packet completion rates when the load balancing mode is set to LB_METHOD_QOS.') gtm_attr_qos_factor_packet_rate = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 18), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrQosFactorPacketRate.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrQosFactorPacketRate.setDescription('Deprecated!. The factor used to normalize packet rates when the load balancing mode is set to LB_METHOD_QOS.') gtm_attr_qos_factor_bps = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 19), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrQosFactorBps.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrQosFactorBps.setDescription('Deprecated!. The factor used to normalize kilobytes per second when the load balancing mode is set to LB_METHOD_QOS.') gtm_attr_qos_factor_vs_capacity = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 20), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrQosFactorVsCapacity.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrQosFactorVsCapacity.setDescription('Deprecated!. The factor used to normalize virtual server capacity values when the load balancing mode is set to LB_METHOD_QOS.') gtm_attr_qos_factor_topology = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 21), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrQosFactorTopology.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrQosFactorTopology.setDescription('Deprecated!. The factor used to normalize topology values when the load balancing mode is set to LB_METHOD_QOS.') gtm_attr_qos_factor_conn_rate = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 22), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrQosFactorConnRate.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrQosFactorConnRate.setDescription('Deprecated!. Deprecated! Replaced by gtmAttrQosFactorVsScore. The factor used to normalize connection rates when the load balancing mode is set to LB_METHOD_QOS.') gtm_attr_timer_retry_path_data = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 23), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrTimerRetryPathData.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrTimerRetryPathData.setDescription('Deprecated!. The frequency at which to retrieve path data.') gtm_attr_timer_get_autoconfig_data = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 24), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrTimerGetAutoconfigData.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrTimerGetAutoconfigData.setDescription('Deprecated!. The frequency at which to retrieve auto-configuration data.') gtm_attr_timer_persist_cache = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 25), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrTimerPersistCache.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrTimerPersistCache.setDescription('Deprecated!. The frequency at which to retrieve path and metrics data from the system cache.') gtm_attr_default_probe_limit = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 26), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrDefaultProbeLimit.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrDefaultProbeLimit.setDescription('Deprecated!. The default probe limit, the number of times to probe a path.') gtm_attr_down_threshold = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 27), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrDownThreshold.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrDownThreshold.setDescription('Deprecated!. The down_threshold value. If a host server or a host virtual server has been marked down for the last down_threshold probing cycles (timer_get_host_data or timer_get_vs_data respectively), then perform service checks every down_multiple * timer period instead.') gtm_attr_down_multiple = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 28), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrDownMultiple.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrDownMultiple.setDescription('Deprecated!. The down_multiple value. If a host server or a host virtual server has been marked down for the last down_threshold probing cycles (timer_get_host_data or timer_get_vs_data respectively), then perform service checks every down_multiple * timer period instead.') gtm_attr_path_ttl = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 29), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrPathTtl.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrPathTtl.setDescription('Deprecated!. The TTL for the path information.') gtm_attr_trace_ttl = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 30), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrTraceTtl.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrTraceTtl.setDescription('Deprecated!. The TTL for the traceroute information.') gtm_attr_ldns_duration = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 31), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrLdnsDuration.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrLdnsDuration.setDescription('Deprecated!. The number of seconds that an inactive LDNS remains cached.') gtm_attr_path_duration = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 32), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrPathDuration.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrPathDuration.setDescription('Deprecated!. The number of seconds that a path remains cached after its last access.') gtm_attr_rtt_sample_count = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 33), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrRttSampleCount.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrRttSampleCount.setDescription('Deprecated!. The number of packets to send out in a probe request to determine path information.') gtm_attr_rtt_packet_length = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 34), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrRttPacketLength.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrRttPacketLength.setDescription('Deprecated!. The length of the packet sent out in a probe request to determine path information.') gtm_attr_rtt_timeout = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 35), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrRttTimeout.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrRttTimeout.setDescription('Deprecated!. The timeout for RTT, in seconds.') gtm_attr_max_mon_reqs = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 36), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrMaxMonReqs.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrMaxMonReqs.setDescription('Deprecated!. The maximum synchronous monitor request, which is used to control the maximum number of monitor requests being sent out at one time for a given probing interval. This will allow the user to smooth out monitor probe requests as much as they desire.') gtm_attr_traceroute_port = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 37), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrTraceroutePort.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrTraceroutePort.setDescription('Deprecated!. The port to use to collect traceroute (hops) data.') gtm_attr_paths_never_die = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 38), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrPathsNeverDie.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrPathsNeverDie.setDescription('Deprecated!. The state indicating whether the dynamic load balancing modes can use path data even after the TTL for the path data has expired.') gtm_attr_probe_disabled_objects = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 39), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrProbeDisabledObjects.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrProbeDisabledObjects.setDescription('Deprecated!. The state indicating whether probing disabled objects by global traffic management object(GTM) is enabled or not.') gtm_attr_link_limit_factor = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 40), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrLinkLimitFactor.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrLinkLimitFactor.setDescription('Deprecated!. The link limit factor, which is used to set a target percentage for traffic. For example, if it is set to 90, the ratio cost based load-balancing will set a ratio with a maximum value equal to 90% of the limit value for the link. Default is 95%.') gtm_attr_over_limit_link_limit_factor = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 41), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrOverLimitLinkLimitFactor.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrOverLimitLinkLimitFactor.setDescription('Deprecated!. The over-limit link limit factor. If traffic on a link exceeds the limit, this factor will be used instead of the link_limit_factor until the traffic is over limit for more than max_link_over_limit_count times. Once the limit has been exceeded too many times, all traffic is shut off for the link. The default for over_limit_link_limit_factor is 90%.') gtm_attr_link_prepaid_factor = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 42), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrLinkPrepaidFactor.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrLinkPrepaidFactor.setDescription('Deprecated!. The link prepaid factor. Maximum percentage of traffic allocated to link which has a traffic allotment which has been prepaid. Default is 95%.') gtm_attr_link_compensate_inbound = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 43), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrLinkCompensateInbound.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrLinkCompensateInbound.setDescription('Deprecated!. The link compensate inbound. If set, the link allotment calculation will take into account traffic which does not flow through the BIGIP, i.e. if more traffic is flowing through a link as measured by SNMP on the router than is flowing through the BIGIP. This applies to inbound traffic which the major volume will initiate from internal clients.') gtm_attr_link_compensate_outbound = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 44), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrLinkCompensateOutbound.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrLinkCompensateOutbound.setDescription('Deprecated!. The link compensate outbound. If set, the link allotment calculation will take into account traffic which does not flow through the BIGIP, i.e. if more traffic is flowing through a link as measured by SNMP on the router than is flowing through the BIGIP. This applies to outbound traffic which the major volume will initiate from internal clients.') gtm_attr_link_compensation_history = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 45), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrLinkCompensationHistory.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrLinkCompensationHistory.setDescription('Deprecated!. The link compensation history.') gtm_attr_max_link_over_limit_count = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 46), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrMaxLinkOverLimitCount.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrMaxLinkOverLimitCount.setDescription('Deprecated!. The maximum link over limit count. The count of how many times in a row traffic may be over the defined limit for the link before it is shut off entirely. Default is 1.') gtm_attr_lower_bound_pct_row = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 47), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrLowerBoundPctRow.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrLowerBoundPctRow.setDescription('Deprecated!. Deprecated! No longer useful. The lower bound percentage row option in Internet Weather Map.') gtm_attr_lower_bound_pct_col = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 48), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrLowerBoundPctCol.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrLowerBoundPctCol.setDescription('Deprecated!. Deprecated! No longer useful. The lower bound percentage column option in Internet Weather Map.') gtm_attr_autoconf = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 49), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrAutoconf.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrAutoconf.setDescription('Deprecated!. The state indicating whether to auto configure BIGIP/3DNS servers (automatic addition and deletion of self IPs and virtual servers).') gtm_attr_autosync = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 50), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrAutosync.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrAutosync.setDescription('Deprecated!. The state indicating whether or not to autosync. Allows automatic updates of wideip.conf to/from other 3-DNSes.') gtm_attr_sync_named_conf = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 51), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrSyncNamedConf.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrSyncNamedConf.setDescription('Deprecated!. The state indicating whether or not to auto-synchronize named configuration. Allows automatic updates of named.conf to/from other 3-DNSes.') gtm_attr_sync_group = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 52), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrSyncGroup.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrSyncGroup.setDescription('Deprecated!. The name of sync group.') gtm_attr_sync_timeout = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 53), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrSyncTimeout.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrSyncTimeout.setDescription("Deprecated!. The sync timeout. If synch'ing from a remote 3-DNS takes longer than this timeout, then abort the connection.") gtm_attr_sync_zones_timeout = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 54), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrSyncZonesTimeout.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrSyncZonesTimeout.setDescription("Deprecated!. The sync zones timeout. If synch'ing named and zone configuration takes this timeout, then abort the connection.") gtm_attr_time_tolerance = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 55), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrTimeTolerance.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrTimeTolerance.setDescription('Deprecated!. The allowable time difference for data to be out of sync between members of a sync group.') gtm_attr_topology_longest_match = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 56), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrTopologyLongestMatch.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrTopologyLongestMatch.setDescription('Deprecated!. The state indicating whether or not the 3-DNS Controller selects the topology record that is most specific and, thus, has the longest match, in cases where there are several IP/netmask items that match a particular IP address. If it is set to false, the 3-DNS Controller uses the first topology record that matches (according to the order of entry) in the topology statement.') gtm_attr_topology_acl_threshold = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 57), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrTopologyAclThreshold.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrTopologyAclThreshold.setDescription('Deprecated!. Deprecated! The threshold of the topology ACL. This is an outdated mechanism for disabling a node.') gtm_attr_static_persist_cidr = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 58), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrStaticPersistCidr.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrStaticPersistCidr.setDescription('Deprecated!. The variable used with the static persistence load balancing mode to allow users to specify what cidr should be used. This is used for IPv4.') gtm_attr_static_persist_v6_cidr = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 59), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrStaticPersistV6Cidr.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrStaticPersistV6Cidr.setDescription('Deprecated!. The variable used with the static persistence load balancing mode to allow users to specify what cidr should be used. This is used for IPv6.') gtm_attr_qos_factor_vs_score = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 60), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrQosFactorVsScore.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrQosFactorVsScore.setDescription('Deprecated!. The factor used to normalize virtual server (VS) score when the load balancing mode is set to LB_METHOD_QOS.') gtm_attr_timer_send_keep_alive = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 61), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrTimerSendKeepAlive.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrTimerSendKeepAlive.setDescription('Deprecated!. The frequency of GTM keep alive messages (strictly the config timestamps).') gtm_attr_certificate_depth = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 62), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrCertificateDepth.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrCertificateDepth.setDescription('Deprecated!. Deprecated! No longer updated. When non-zero, customers may use their own SSL certificates by setting the certificate depth.') gtm_attr_max_memory_usage = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 1, 63), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttrMaxMemoryUsage.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttrMaxMemoryUsage.setDescription('Deprecated!. Deprecated! The maximum amount of memory (in MB) allocated to GTM.') gtm_global_ldns_probe_proto_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 2, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmGlobalLdnsProbeProtoNumber.setStatus('current') if mibBuilder.loadTexts: gtmGlobalLdnsProbeProtoNumber.setDescription('The number of gtmGlobalLdnsProbeProto entries in the table.') gtm_global_ldns_probe_proto_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 2, 2)) if mibBuilder.loadTexts: gtmGlobalLdnsProbeProtoTable.setStatus('current') if mibBuilder.loadTexts: gtmGlobalLdnsProbeProtoTable.setDescription('A table containing information of global LDSN probe protocols for GTM (Global Traffic Management).') gtm_global_ldns_probe_proto_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 2, 2, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmGlobalLdnsProbeProtoName'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmGlobalLdnsProbeProtoIndex')) if mibBuilder.loadTexts: gtmGlobalLdnsProbeProtoEntry.setStatus('current') if mibBuilder.loadTexts: gtmGlobalLdnsProbeProtoEntry.setDescription('Columns in the gtmGlobalLdnsProbeProto Table') gtm_global_ldns_probe_proto_index = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 2, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmGlobalLdnsProbeProtoIndex.setStatus('current') if mibBuilder.loadTexts: gtmGlobalLdnsProbeProtoIndex.setDescription('The index of LDNS probe protocols.') gtm_global_ldns_probe_proto_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 2, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4))).clone(namedValues=named_values(('icmp', 0), ('tcp', 1), ('udp', 2), ('dnsdot', 3), ('dnsrev', 4)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmGlobalLdnsProbeProtoType.setStatus('current') if mibBuilder.loadTexts: gtmGlobalLdnsProbeProtoType.setDescription('The LDNS probe protocol. The less index is, the more preferred protocol is.') gtm_global_ldns_probe_proto_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 2, 2, 1, 3), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmGlobalLdnsProbeProtoName.setStatus('current') if mibBuilder.loadTexts: gtmGlobalLdnsProbeProtoName.setDescription('name as a key.') gtm_stat_reset_stats = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 1), integer32()).setMaxAccess('readwrite') if mibBuilder.loadTexts: gtmStatResetStats.setStatus('current') if mibBuilder.loadTexts: gtmStatResetStats.setDescription('The action to reset resetable statistics data in gtmGlobalStat. Setting this value to 1 will reset statistics data. Note, some statistics data may not be reset including data that are incremental counters.') gtm_stat_requests = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 2), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmStatRequests.setStatus('current') if mibBuilder.loadTexts: gtmStatRequests.setDescription('The number of total requests for wide IPs for GTM (Global Traffic Management).') gtm_stat_resolutions = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 3), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmStatResolutions.setStatus('current') if mibBuilder.loadTexts: gtmStatResolutions.setDescription('The number of total resolutions for wide IPs for GTM (Global Traffic Management).') gtm_stat_persisted = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 4), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmStatPersisted.setStatus('current') if mibBuilder.loadTexts: gtmStatPersisted.setDescription('The number of persisted requests for wide IPs for GTM (Global Traffic Management).') gtm_stat_preferred = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 5), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmStatPreferred.setStatus('current') if mibBuilder.loadTexts: gtmStatPreferred.setDescription('The number of times which the preferred load balance method is used for wide IPs for GTM (Global Traffic Management).') gtm_stat_alternate = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 6), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmStatAlternate.setStatus('current') if mibBuilder.loadTexts: gtmStatAlternate.setDescription('The number of times which the alternate load balance method is used for wide IPs for GTM (Global Traffic Management).') gtm_stat_fallback = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 7), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmStatFallback.setStatus('current') if mibBuilder.loadTexts: gtmStatFallback.setDescription('The number of times which the alternate load balance method is used for wide IPs for GTM (Global Traffic Management).') gtm_stat_dropped = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 8), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmStatDropped.setStatus('current') if mibBuilder.loadTexts: gtmStatDropped.setDescription('The number of dropped DNS messages for wide IPs for GTM (Global Traffic Management).') gtm_stat_explicit_ip = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 9), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmStatExplicitIp.setStatus('deprecated') if mibBuilder.loadTexts: gtmStatExplicitIp.setDescription('Deprecated! The number of times which a LDNS was persisted to wide IPs by the explicit IP rule for GTM (Global Traffic Management).') gtm_stat_return_to_dns = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 10), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmStatReturnToDns.setStatus('current') if mibBuilder.loadTexts: gtmStatReturnToDns.setDescription('The number of times which a resolve was returned to DNS (for resolution) for wide IPs for GTM (Global Traffic Management).') gtm_stat_reconnects = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 11), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmStatReconnects.setStatus('current') if mibBuilder.loadTexts: gtmStatReconnects.setDescription('The number of total reconnects for GTM (Global Traffic Management).') gtm_stat_bytes_received = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 12), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmStatBytesReceived.setStatus('current') if mibBuilder.loadTexts: gtmStatBytesReceived.setDescription('The total number of bytes received by the system for GTM (Global Traffic Management).') gtm_stat_bytes_sent = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 13), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmStatBytesSent.setStatus('current') if mibBuilder.loadTexts: gtmStatBytesSent.setDescription('The total number of bytes sent out by the system for GTM (Global Traffic Management).') gtm_stat_num_backlogged = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 14), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmStatNumBacklogged.setStatus('current') if mibBuilder.loadTexts: gtmStatNumBacklogged.setDescription('The number of times when a send action was backlogged for GTM (Global Traffic Management).') gtm_stat_bytes_dropped = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 15), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmStatBytesDropped.setStatus('current') if mibBuilder.loadTexts: gtmStatBytesDropped.setDescription('The total number of bytes dropped due to backlogged/unconnected for GTM (Global Traffic Management).') gtm_stat_ldnses = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 16), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmStatLdnses.setStatus('current') if mibBuilder.loadTexts: gtmStatLdnses.setDescription('The total current LDNSes for GTM (Global Traffic Management).') gtm_stat_paths = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 17), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmStatPaths.setStatus('current') if mibBuilder.loadTexts: gtmStatPaths.setDescription('The total current paths for GTM (Global Traffic Management).') gtm_stat_return_from_dns = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 18), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmStatReturnFromDns.setStatus('current') if mibBuilder.loadTexts: gtmStatReturnFromDns.setDescription('The number of times which a resolve was returned from DNS for wide IPs for GTM (Global Traffic Management).') gtm_stat_cname_resolutions = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 19), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmStatCnameResolutions.setStatus('current') if mibBuilder.loadTexts: gtmStatCnameResolutions.setDescription('The number of times which a query is resolved by the CNAME of pools associated with a Wide IP for GTM (Global Traffic Management).') gtm_stat_a_requests = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 20), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmStatARequests.setStatus('current') if mibBuilder.loadTexts: gtmStatARequests.setDescription('The number of A requests for wide IPs for GTM (Global Traffic Management).') gtm_stat_aaaa_requests = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 1, 21), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmStatAaaaRequests.setStatus('current') if mibBuilder.loadTexts: gtmStatAaaaRequests.setDescription('The number of AAAA requests for wide IPs for GTM (Global Traffic Management).') gtm_app_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAppNumber.setStatus('current') if mibBuilder.loadTexts: gtmAppNumber.setDescription('The number of gtmApplication entries in the table.') gtm_app_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 1, 2)) if mibBuilder.loadTexts: gtmAppTable.setStatus('current') if mibBuilder.loadTexts: gtmAppTable.setDescription('A table containing information of applications for GTM (Global Traffic Management).') gtm_app_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 1, 2, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmAppName')) if mibBuilder.loadTexts: gtmAppEntry.setStatus('current') if mibBuilder.loadTexts: gtmAppEntry.setDescription('Columns in the gtmApp Table') gtm_app_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 1, 2, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAppName.setStatus('current') if mibBuilder.loadTexts: gtmAppName.setDescription('The name of an application.') gtm_app_persist = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 1, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAppPersist.setStatus('current') if mibBuilder.loadTexts: gtmAppPersist.setDescription('The state indicating whether persistence is enabled or not.') gtm_app_ttl_persist = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 1, 2, 1, 3), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAppTtlPersist.setStatus('current') if mibBuilder.loadTexts: gtmAppTtlPersist.setDescription('The persistence TTL value for the specified application.') gtm_app_availability = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 1, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('none', 0), ('server', 1), ('link', 2), ('datacenter', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAppAvailability.setStatus('current') if mibBuilder.loadTexts: gtmAppAvailability.setDescription('The availability dependency for the specified application. The application object availability does not depend on anything, or it depends on at lease one of server, link, or data center being up.') gtm_app_status_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 2, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAppStatusNumber.setStatus('current') if mibBuilder.loadTexts: gtmAppStatusNumber.setDescription('The number of gtmApplicationStatus entries in the table.') gtm_app_status_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 2, 2)) if mibBuilder.loadTexts: gtmAppStatusTable.setStatus('current') if mibBuilder.loadTexts: gtmAppStatusTable.setDescription('A table containing status information of applications for GTM (Global Traffic Management).') gtm_app_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 2, 2, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmAppStatusName')) if mibBuilder.loadTexts: gtmAppStatusEntry.setStatus('current') if mibBuilder.loadTexts: gtmAppStatusEntry.setDescription('Columns in the gtmAppStatus Table') gtm_app_status_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 2, 2, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAppStatusName.setStatus('current') if mibBuilder.loadTexts: gtmAppStatusName.setDescription('The name of an application.') gtm_app_status_avail_state = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 2, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5))).clone(namedValues=named_values(('none', 0), ('green', 1), ('yellow', 2), ('red', 3), ('blue', 4), ('gray', 5)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAppStatusAvailState.setStatus('current') if mibBuilder.loadTexts: gtmAppStatusAvailState.setDescription('The availability of the specified application indicated in color. none - error; green - available in some capacity; yellow - not currently available; red - not available; blue - availability is unknown; gray - unlicensed.') gtm_app_status_enabled_state = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 2, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('none', 0), ('enabled', 1), ('disabled', 2), ('disabledbyparent', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAppStatusEnabledState.setStatus('current') if mibBuilder.loadTexts: gtmAppStatusEnabledState.setDescription('The activity status of the specified application, as specified by the user.') gtm_app_status_parent_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 2, 2, 1, 4), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAppStatusParentType.setStatus('deprecated') if mibBuilder.loadTexts: gtmAppStatusParentType.setDescription('Deprecated! This is an internal data. The type of parent object which disabled the specified application.') gtm_app_status_detail_reason = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 2, 2, 1, 5), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAppStatusDetailReason.setStatus('current') if mibBuilder.loadTexts: gtmAppStatusDetailReason.setDescription("The detail description of the specified application's status.") gtm_app_cont_stat_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 3, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAppContStatNumber.setStatus('current') if mibBuilder.loadTexts: gtmAppContStatNumber.setDescription('The number of gtmAppContextStat entries in the table.') gtm_app_cont_stat_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 3, 2)) if mibBuilder.loadTexts: gtmAppContStatTable.setStatus('current') if mibBuilder.loadTexts: gtmAppContStatTable.setDescription('A table containing information of all able to used objects of application contexts for GTM (Global Traffic Management).') gtm_app_cont_stat_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 3, 2, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmAppContStatAppName'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmAppContStatType'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmAppContStatName')) if mibBuilder.loadTexts: gtmAppContStatEntry.setStatus('current') if mibBuilder.loadTexts: gtmAppContStatEntry.setDescription('Columns in the gtmAppContStat Table') gtm_app_cont_stat_app_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 3, 2, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAppContStatAppName.setStatus('current') if mibBuilder.loadTexts: gtmAppContStatAppName.setDescription('The name of an application.') gtm_app_cont_stat_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 3, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('datacenter', 0), ('server', 1), ('link', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAppContStatType.setStatus('current') if mibBuilder.loadTexts: gtmAppContStatType.setDescription("The object type of an application's context for the specified application.") gtm_app_cont_stat_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 3, 2, 1, 3), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAppContStatName.setStatus('current') if mibBuilder.loadTexts: gtmAppContStatName.setDescription("The object name of an application's context for the specified application.") gtm_app_cont_stat_num_avail = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 3, 2, 1, 4), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAppContStatNumAvail.setStatus('current') if mibBuilder.loadTexts: gtmAppContStatNumAvail.setDescription('The minimum number of pool members per wide IP available (green + enabled) in this context.') gtm_app_cont_stat_avail_state = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 3, 2, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5))).clone(namedValues=named_values(('none', 0), ('green', 1), ('yellow', 2), ('red', 3), ('blue', 4), ('gray', 5)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAppContStatAvailState.setStatus('current') if mibBuilder.loadTexts: gtmAppContStatAvailState.setDescription('The availability of the specified application context indicated in color. none - error; green - available in some capacity; yellow - not currently available; red - not available; blue - availability is unknown; gray - unlicensed.') gtm_app_cont_stat_enabled_state = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 3, 2, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('none', 0), ('enabled', 1), ('disabled', 2), ('disabledbyparent', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAppContStatEnabledState.setStatus('current') if mibBuilder.loadTexts: gtmAppContStatEnabledState.setDescription('The activity status of the specified application context, as specified by the user.') gtm_app_cont_stat_parent_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 3, 2, 1, 7), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAppContStatParentType.setStatus('deprecated') if mibBuilder.loadTexts: gtmAppContStatParentType.setDescription('Deprecated! This is an internal data. The type of parent object which disabled the specified application context.') gtm_app_cont_stat_detail_reason = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 3, 2, 1, 8), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAppContStatDetailReason.setStatus('current') if mibBuilder.loadTexts: gtmAppContStatDetailReason.setDescription("The detail description of the specified application context 's status.") gtm_app_cont_dis_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 4, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAppContDisNumber.setStatus('current') if mibBuilder.loadTexts: gtmAppContDisNumber.setDescription('The number of gtmAppContextDisable entries in the table.') gtm_app_cont_dis_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 4, 2)) if mibBuilder.loadTexts: gtmAppContDisTable.setStatus('current') if mibBuilder.loadTexts: gtmAppContDisTable.setDescription('A table containing information of disabled objects of application contexts for GTM (Global Traffic Management).') gtm_app_cont_dis_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 4, 2, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmAppContDisAppName'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmAppContDisType'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmAppContDisName')) if mibBuilder.loadTexts: gtmAppContDisEntry.setStatus('current') if mibBuilder.loadTexts: gtmAppContDisEntry.setDescription('Columns in the gtmAppContDis Table') gtm_app_cont_dis_app_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 4, 2, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAppContDisAppName.setStatus('current') if mibBuilder.loadTexts: gtmAppContDisAppName.setDescription('The name of an application.') gtm_app_cont_dis_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 4, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('datacenter', 0), ('server', 1), ('link', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAppContDisType.setStatus('current') if mibBuilder.loadTexts: gtmAppContDisType.setDescription("The object type of a disabled application's context for the specified application..") gtm_app_cont_dis_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 2, 4, 2, 1, 3), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAppContDisName.setStatus('current') if mibBuilder.loadTexts: gtmAppContDisName.setDescription("The object name of a disabled application's context for the specified application.") gtm_dc_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDcNumber.setStatus('current') if mibBuilder.loadTexts: gtmDcNumber.setDescription('The number of gtmDataCenter entries in the table.') gtm_dc_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 1, 2)) if mibBuilder.loadTexts: gtmDcTable.setStatus('current') if mibBuilder.loadTexts: gtmDcTable.setDescription('A table containing information of data centers for GTM (Global Traffic Management).') gtm_dc_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 1, 2, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmDcName')) if mibBuilder.loadTexts: gtmDcEntry.setStatus('current') if mibBuilder.loadTexts: gtmDcEntry.setDescription('Columns in the gtmDc Table') gtm_dc_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 1, 2, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDcName.setStatus('current') if mibBuilder.loadTexts: gtmDcName.setDescription('The name of a data center.') gtm_dc_location = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 1, 2, 1, 2), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDcLocation.setStatus('current') if mibBuilder.loadTexts: gtmDcLocation.setDescription('The location information of the specified data center.') gtm_dc_contact = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 1, 2, 1, 3), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDcContact.setStatus('current') if mibBuilder.loadTexts: gtmDcContact.setDescription('The contact information of the specified data center.') gtm_dc_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 1, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDcEnabled.setStatus('current') if mibBuilder.loadTexts: gtmDcEnabled.setDescription('The state whether the specified data center is enabled or not.') gtm_dc_stat_reset_stats = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 2, 1), integer32()).setMaxAccess('readwrite') if mibBuilder.loadTexts: gtmDcStatResetStats.setStatus('current') if mibBuilder.loadTexts: gtmDcStatResetStats.setDescription('The action to reset resetable statistics data in gtmDataCenterStat. Setting this value to 1 will reset statistics data. Note, some statistics data may not be reset including data that are incremental counters.') gtm_dc_stat_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 2, 2), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDcStatNumber.setStatus('current') if mibBuilder.loadTexts: gtmDcStatNumber.setDescription('The number of gtmDataCenterStat entries in the table.') gtm_dc_stat_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 2, 3)) if mibBuilder.loadTexts: gtmDcStatTable.setStatus('current') if mibBuilder.loadTexts: gtmDcStatTable.setDescription('A table containing statistics information of data centers for GTM (Global Traffic Management).') gtm_dc_stat_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 2, 3, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmDcStatName')) if mibBuilder.loadTexts: gtmDcStatEntry.setStatus('current') if mibBuilder.loadTexts: gtmDcStatEntry.setDescription('Columns in the gtmDcStat Table') gtm_dc_stat_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 2, 3, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDcStatName.setStatus('current') if mibBuilder.loadTexts: gtmDcStatName.setDescription('The name of a data center.') gtm_dc_stat_cpu_usage = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 2, 3, 1, 2), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDcStatCpuUsage.setStatus('current') if mibBuilder.loadTexts: gtmDcStatCpuUsage.setDescription('The CPU usage in percentage for the specified data center.') gtm_dc_stat_mem_avail = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 2, 3, 1, 3), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDcStatMemAvail.setStatus('current') if mibBuilder.loadTexts: gtmDcStatMemAvail.setDescription('The memory available in bytes for the specified data center.') gtm_dc_stat_bits_per_sec_in = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 2, 3, 1, 4), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDcStatBitsPerSecIn.setStatus('current') if mibBuilder.loadTexts: gtmDcStatBitsPerSecIn.setDescription('The number of bits per second received by the specified data center.') gtm_dc_stat_bits_per_sec_out = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 2, 3, 1, 5), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDcStatBitsPerSecOut.setStatus('current') if mibBuilder.loadTexts: gtmDcStatBitsPerSecOut.setDescription('The number of bits per second sent out from the specified data center.') gtm_dc_stat_pkts_per_sec_in = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 2, 3, 1, 6), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDcStatPktsPerSecIn.setStatus('current') if mibBuilder.loadTexts: gtmDcStatPktsPerSecIn.setDescription('The number of packets per second received by the specified data center.') gtm_dc_stat_pkts_per_sec_out = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 2, 3, 1, 7), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDcStatPktsPerSecOut.setStatus('current') if mibBuilder.loadTexts: gtmDcStatPktsPerSecOut.setDescription('The number of packets per second sent out from the specified data center.') gtm_dc_stat_connections = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 2, 3, 1, 8), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDcStatConnections.setStatus('current') if mibBuilder.loadTexts: gtmDcStatConnections.setDescription('The number of total connections to the specified data center.') gtm_dc_stat_conn_rate = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 2, 3, 1, 9), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDcStatConnRate.setStatus('deprecated') if mibBuilder.loadTexts: gtmDcStatConnRate.setDescription('Deprecated! This feature has been eliminated. The connection rate (current connection rate/connection rate limit) in percentage for the specified data center.') gtm_dc_status_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 3, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDcStatusNumber.setStatus('current') if mibBuilder.loadTexts: gtmDcStatusNumber.setDescription('The number of gtmDataCenterStatus entries in the table.') gtm_dc_status_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 3, 2)) if mibBuilder.loadTexts: gtmDcStatusTable.setStatus('current') if mibBuilder.loadTexts: gtmDcStatusTable.setDescription('A table containing status information of data centers for GTM (Global Traffic Management).') gtm_dc_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 3, 2, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmDcStatusName')) if mibBuilder.loadTexts: gtmDcStatusEntry.setStatus('current') if mibBuilder.loadTexts: gtmDcStatusEntry.setDescription('Columns in the gtmDcStatus Table') gtm_dc_status_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 3, 2, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDcStatusName.setStatus('current') if mibBuilder.loadTexts: gtmDcStatusName.setDescription('The name of a data center.') gtm_dc_status_avail_state = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 3, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5))).clone(namedValues=named_values(('none', 0), ('green', 1), ('yellow', 2), ('red', 3), ('blue', 4), ('gray', 5)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDcStatusAvailState.setStatus('current') if mibBuilder.loadTexts: gtmDcStatusAvailState.setDescription('The availability of the specified data center indicated in color. none - error; green - available in some capacity; yellow - not currently available; red - not available; blue - availability is unknown; gray - unlicensed.') gtm_dc_status_enabled_state = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 3, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('none', 0), ('enabled', 1), ('disabled', 2), ('disabledbyparent', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDcStatusEnabledState.setStatus('current') if mibBuilder.loadTexts: gtmDcStatusEnabledState.setDescription('The activity status of the specified data center, as specified by the user.') gtm_dc_status_parent_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 3, 2, 1, 4), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDcStatusParentType.setStatus('deprecated') if mibBuilder.loadTexts: gtmDcStatusParentType.setDescription('Deprecated! This is an internal data. The type of parent object which disabled the specified data center.') gtm_dc_status_detail_reason = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 3, 3, 2, 1, 5), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDcStatusDetailReason.setStatus('current') if mibBuilder.loadTexts: gtmDcStatusDetailReason.setDescription("The detail description of the specified data center's status.") gtm_ip_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 4, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmIpNumber.setStatus('current') if mibBuilder.loadTexts: gtmIpNumber.setDescription('The number of gtmIp entries in the table.') gtm_ip_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 4, 1, 2)) if mibBuilder.loadTexts: gtmIpTable.setStatus('current') if mibBuilder.loadTexts: gtmIpTable.setDescription('A table containing information of IPs for GTM (Global Traffic Management).') gtm_ip_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 4, 1, 2, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmIpIpType'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmIpIp'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmIpLinkName'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmIpServerName')) if mibBuilder.loadTexts: gtmIpEntry.setStatus('current') if mibBuilder.loadTexts: gtmIpEntry.setDescription('Columns in the gtmIp Table') gtm_ip_ip_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 4, 1, 2, 1, 1), inet_address_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmIpIpType.setStatus('current') if mibBuilder.loadTexts: gtmIpIpType.setDescription('The IP address type of gtmIpIp.') gtm_ip_ip = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 4, 1, 2, 1, 2), inet_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmIpIp.setStatus('current') if mibBuilder.loadTexts: gtmIpIp.setDescription('The IP address that belong to the specified box. It is interpreted within the context of a gtmIpIpType value.') gtm_ip_link_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 4, 1, 2, 1, 3), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmIpLinkName.setStatus('current') if mibBuilder.loadTexts: gtmIpLinkName.setDescription('The link name with which the specified IP address associates.') gtm_ip_server_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 4, 1, 2, 1, 4), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmIpServerName.setStatus('current') if mibBuilder.loadTexts: gtmIpServerName.setDescription('The name of the server with which the specified IP address is associated.') gtm_ip_unit_id = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 4, 1, 2, 1, 5), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmIpUnitId.setStatus('deprecated') if mibBuilder.loadTexts: gtmIpUnitId.setDescription('Deprecated! This is replaced by device_name. The box ID with which the specified IP address associates.') gtm_ip_ip_xlated_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 4, 1, 2, 1, 6), inet_address_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmIpIpXlatedType.setStatus('current') if mibBuilder.loadTexts: gtmIpIpXlatedType.setDescription('The IP address type of gtmIpIpXlated.') gtm_ip_ip_xlated = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 4, 1, 2, 1, 7), inet_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmIpIpXlated.setStatus('current') if mibBuilder.loadTexts: gtmIpIpXlated.setDescription('The translated address for the specified IP. It is interpreted within the context of a gtmIpIpXlatedType value.') gtm_ip_device_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 4, 1, 2, 1, 8), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmIpDeviceName.setStatus('current') if mibBuilder.loadTexts: gtmIpDeviceName.setDescription('The box name with which the specified IP address associates.') gtm_link_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkNumber.setStatus('current') if mibBuilder.loadTexts: gtmLinkNumber.setDescription('The number of gtmLink entries in the table.') gtm_link_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2)) if mibBuilder.loadTexts: gtmLinkTable.setStatus('current') if mibBuilder.loadTexts: gtmLinkTable.setDescription('A table containing information of links within associated data center for GTM (Global Traffic Management).') gtm_link_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmLinkName')) if mibBuilder.loadTexts: gtmLinkEntry.setStatus('current') if mibBuilder.loadTexts: gtmLinkEntry.setDescription('Columns in the gtmLink Table') gtm_link_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkName.setStatus('current') if mibBuilder.loadTexts: gtmLinkName.setDescription('The name of a link.') gtm_link_dc_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 2), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkDcName.setStatus('current') if mibBuilder.loadTexts: gtmLinkDcName.setDescription('The name of the data center associated with the specified link.') gtm_link_isp_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 3), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkIspName.setStatus('current') if mibBuilder.loadTexts: gtmLinkIspName.setDescription('The ISP (Internet Service Provider) name for the specified link.') gtm_link_uplink_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 4), inet_address_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkUplinkAddressType.setStatus('current') if mibBuilder.loadTexts: gtmLinkUplinkAddressType.setDescription('The IP address type of gtmLinkUplinkAddress.') gtm_link_uplink_address = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 5), inet_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkUplinkAddress.setStatus('current') if mibBuilder.loadTexts: gtmLinkUplinkAddress.setDescription('The IP address on the uplink side of the router, used for SNMP probing only. It is interpreted within the context of an gtmUplinkAddressType value.') gtm_link_limit_in_cpu_usage_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkLimitInCpuUsageEnabled.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitInCpuUsageEnabled.setDescription('The state indicating whether to set limit of CPU usage is enabled or not for the inbound packets of the specified link.') gtm_link_limit_in_mem_avail_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkLimitInMemAvailEnabled.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitInMemAvailEnabled.setDescription('The state indicating whether to set limit of available memory is enabled or not for the inbound packets of the specified link.') gtm_link_limit_in_bits_per_sec_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkLimitInBitsPerSecEnabled.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitInBitsPerSecEnabled.setDescription('The state indicating whether to limit of number of bits per second is enabled or not for the inbound packets of the specified link.') gtm_link_limit_in_pkts_per_sec_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkLimitInPktsPerSecEnabled.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitInPktsPerSecEnabled.setDescription('The state indicating whether to set limit of number of packets per second is enabled or not for the inbound packets of the specified link.') gtm_link_limit_in_conn_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkLimitInConnEnabled.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitInConnEnabled.setDescription('The state indicating whether to set limit of total connections is enabled or not for the inbound packets of the specified link.') gtm_link_limit_in_conn_per_sec_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkLimitInConnPerSecEnabled.setStatus('deprecated') if mibBuilder.loadTexts: gtmLinkLimitInConnPerSecEnabled.setDescription('Deprecated! This feature has been eliminated. The state indicating whether to set limit of connections per second is enabled or not for the inbound packets of the link.') gtm_link_limit_in_cpu_usage = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 12), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkLimitInCpuUsage.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitInCpuUsage.setDescription('The limit of CPU usage as a percentage for the inbound packets of the specified link.') gtm_link_limit_in_mem_avail = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 13), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkLimitInMemAvail.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitInMemAvail.setDescription('The limit of memory available in bytes for the inbound packets of the specified link.') gtm_link_limit_in_bits_per_sec = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 14), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkLimitInBitsPerSec.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitInBitsPerSec.setDescription('The limit of number of bits per second for the inbound packets of the specified link.') gtm_link_limit_in_pkts_per_sec = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 15), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkLimitInPktsPerSec.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitInPktsPerSec.setDescription('The limit of number of packets per second for the inbound packets of the specified link.') gtm_link_limit_in_conn = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 16), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkLimitInConn.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitInConn.setDescription('The limit of total number of connections for the inbound packets of the specified link.') gtm_link_limit_in_conn_per_sec = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 17), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkLimitInConnPerSec.setStatus('deprecated') if mibBuilder.loadTexts: gtmLinkLimitInConnPerSec.setDescription('Deprecated! This feature has been eliminated. The limit of number of connections per second for the inbound packets of the specified link.') gtm_link_limit_out_cpu_usage_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 18), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkLimitOutCpuUsageEnabled.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitOutCpuUsageEnabled.setDescription('The state indicating whether to set limit of CPU usage is enabled or not for the outbound packets of the specified link.') gtm_link_limit_out_mem_avail_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 19), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkLimitOutMemAvailEnabled.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitOutMemAvailEnabled.setDescription('The state indicating whether to set limit of available memory is enabled or not for the outbound packets of the specified link.') gtm_link_limit_out_bits_per_sec_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 20), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkLimitOutBitsPerSecEnabled.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitOutBitsPerSecEnabled.setDescription('The state indicating whether to limit of number of bits per second is enabled or not for the outbound packets of the specified link.') gtm_link_limit_out_pkts_per_sec_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 21), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkLimitOutPktsPerSecEnabled.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitOutPktsPerSecEnabled.setDescription('The state indicating whether to set limit of number of packets per second is enabled or not for the outbound packets of the specified link.') gtm_link_limit_out_conn_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 22), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkLimitOutConnEnabled.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitOutConnEnabled.setDescription('The state indicating whether to set limit of total connections is enabled or not for the outbound packets of the specified link.') gtm_link_limit_out_conn_per_sec_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 23), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkLimitOutConnPerSecEnabled.setStatus('deprecated') if mibBuilder.loadTexts: gtmLinkLimitOutConnPerSecEnabled.setDescription('Deprecated! This feature has been eliminated. The state indicating whether to set limit of connections per second is enabled or not for the outbound packets of the specified link.') gtm_link_limit_out_cpu_usage = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 24), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkLimitOutCpuUsage.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitOutCpuUsage.setDescription('The limit of CPU usage as a percentage for the outbound packets of the specified link.') gtm_link_limit_out_mem_avail = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 25), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkLimitOutMemAvail.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitOutMemAvail.setDescription('The limit of memory available in bytes for the outbound packets of the specified link.') gtm_link_limit_out_bits_per_sec = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 26), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkLimitOutBitsPerSec.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitOutBitsPerSec.setDescription('The limit of number of bits per second for the outbound packets of the specified link.') gtm_link_limit_out_pkts_per_sec = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 27), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkLimitOutPktsPerSec.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitOutPktsPerSec.setDescription('The limit of number of packets per second for the outbound packets of the specified link.') gtm_link_limit_out_conn = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 28), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkLimitOutConn.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitOutConn.setDescription('The limit of total number of connections for the outbound packets of the specified link.') gtm_link_limit_out_conn_per_sec = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 29), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkLimitOutConnPerSec.setStatus('deprecated') if mibBuilder.loadTexts: gtmLinkLimitOutConnPerSec.setDescription('Deprecated! This feature has been eliminated. The limit of number of connections per second for the outbound packets of the specified link.') gtm_link_limit_total_cpu_usage_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 30), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkLimitTotalCpuUsageEnabled.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitTotalCpuUsageEnabled.setDescription('The state indicating whether to set limit of CPU usage is enabled or not for the total packets of the specified link.') gtm_link_limit_total_mem_avail_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 31), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkLimitTotalMemAvailEnabled.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitTotalMemAvailEnabled.setDescription('The state indicating whether to set limit of available memory is enabled or not for the total packets of the specified link.') gtm_link_limit_total_bits_per_sec_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 32), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkLimitTotalBitsPerSecEnabled.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitTotalBitsPerSecEnabled.setDescription('The state indicating whether to limit of number of bits per second is enabled or not for the total packets of the specified link.') gtm_link_limit_total_pkts_per_sec_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 33), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkLimitTotalPktsPerSecEnabled.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitTotalPktsPerSecEnabled.setDescription('The state indicating whether to set limit of number of packets per second is enabled or not for the total packets of the specified link.') gtm_link_limit_total_conn_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 34), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkLimitTotalConnEnabled.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitTotalConnEnabled.setDescription('The state indicating whether to set limit of total connections is enabled or not for the total packets of the specified link.') gtm_link_limit_total_conn_per_sec_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 35), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkLimitTotalConnPerSecEnabled.setStatus('deprecated') if mibBuilder.loadTexts: gtmLinkLimitTotalConnPerSecEnabled.setDescription('Deprecated! This feature has been eliminated. The state indicating whether to set limit of connections per second is enabled or not for the total packets of the specified link.') gtm_link_limit_total_cpu_usage = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 36), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkLimitTotalCpuUsage.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitTotalCpuUsage.setDescription('The limit of CPU usage as a percentage for the total packets of the specified link.') gtm_link_limit_total_mem_avail = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 37), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkLimitTotalMemAvail.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitTotalMemAvail.setDescription('The limit of memory available in bytes for the total packets of the specified link.') gtm_link_limit_total_bits_per_sec = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 38), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkLimitTotalBitsPerSec.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitTotalBitsPerSec.setDescription('The limit of number of bits per second for the total packets of the specified link.') gtm_link_limit_total_pkts_per_sec = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 39), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkLimitTotalPktsPerSec.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitTotalPktsPerSec.setDescription('The limit of number of packets per second for the total packets of the specified link.') gtm_link_limit_total_conn = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 40), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkLimitTotalConn.setStatus('current') if mibBuilder.loadTexts: gtmLinkLimitTotalConn.setDescription('The limit of total number of connections for the total packets of the specified link.') gtm_link_limit_total_conn_per_sec = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 41), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkLimitTotalConnPerSec.setStatus('deprecated') if mibBuilder.loadTexts: gtmLinkLimitTotalConnPerSec.setDescription('Deprecated! This feature has been eliminated. The limit of number of connections per second for the total packets of the specified link.') gtm_link_monitor_rule = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 42), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkMonitorRule.setStatus('current') if mibBuilder.loadTexts: gtmLinkMonitorRule.setDescription('The name of the monitor rule for this link.') gtm_link_duplex = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 43), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkDuplex.setStatus('current') if mibBuilder.loadTexts: gtmLinkDuplex.setDescription('The state indicating whether the specified link uses duplex for the specified link.') gtm_link_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 44), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkEnabled.setStatus('current') if mibBuilder.loadTexts: gtmLinkEnabled.setDescription('The state indicating whether the specified link is enabled or not for the specified link.') gtm_link_ratio = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 45), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkRatio.setStatus('current') if mibBuilder.loadTexts: gtmLinkRatio.setDescription('The ratio (in Kbps) used to load-balance the traffic for the specified link.') gtm_link_prepaid = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 46), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkPrepaid.setStatus('current') if mibBuilder.loadTexts: gtmLinkPrepaid.setDescription('Top end of prepaid bit rate the specified link.') gtm_link_prepaid_in_dollars = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 47), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkPrepaidInDollars.setStatus('deprecated') if mibBuilder.loadTexts: gtmLinkPrepaidInDollars.setDescription('Deprecated! The cost in dollars, derived from prepaid for the specified link.') gtm_link_weighting_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 1, 2, 1, 48), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('ratio', 0), ('cost', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkWeightingType.setStatus('current') if mibBuilder.loadTexts: gtmLinkWeightingType.setDescription('The weight type for the specified link. ratio - The region database based on user-defined settings; cost - The region database based on ACL lists.') gtm_link_cost_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 2, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkCostNumber.setStatus('current') if mibBuilder.loadTexts: gtmLinkCostNumber.setDescription('The number of gtmLinkCost entries in the table.') gtm_link_cost_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 2, 2)) if mibBuilder.loadTexts: gtmLinkCostTable.setStatus('current') if mibBuilder.loadTexts: gtmLinkCostTable.setDescription('A table containing information of costs of the specified links for GTM (Global Traffic Management).') gtm_link_cost_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 2, 2, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmLinkCostName'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmLinkCostIndex')) if mibBuilder.loadTexts: gtmLinkCostEntry.setStatus('current') if mibBuilder.loadTexts: gtmLinkCostEntry.setDescription('Columns in the gtmLinkCost Table') gtm_link_cost_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 2, 2, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkCostName.setStatus('current') if mibBuilder.loadTexts: gtmLinkCostName.setDescription('The name of a link.') gtm_link_cost_index = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 2, 2, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkCostIndex.setStatus('current') if mibBuilder.loadTexts: gtmLinkCostIndex.setDescription('The index of cost for the specified link.') gtm_link_cost_upto_bps = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 2, 2, 1, 3), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkCostUptoBps.setStatus('current') if mibBuilder.loadTexts: gtmLinkCostUptoBps.setDescription('The upper limit (bps) that defines the cost segment of the specified link.') gtm_link_cost_dollars_per_mbps = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 2, 2, 1, 4), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkCostDollarsPerMbps.setStatus('current') if mibBuilder.loadTexts: gtmLinkCostDollarsPerMbps.setDescription('The dollars cost per mega byte per second, which is associated with the specified link cost segment.') gtm_link_stat_reset_stats = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 3, 1), integer32()).setMaxAccess('readwrite') if mibBuilder.loadTexts: gtmLinkStatResetStats.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatResetStats.setDescription('The action to reset resetable statistics data in gtmLinkStat. Setting this value to 1 will reset statistics data. Note, some statistics data may not be reset including data that are incremental counters.') gtm_link_stat_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 3, 2), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkStatNumber.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatNumber.setDescription('The number of gtmLinkStat entries in the table.') gtm_link_stat_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 3, 3)) if mibBuilder.loadTexts: gtmLinkStatTable.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatTable.setDescription('A table containing statistic information of links within a data center.') gtm_link_stat_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 3, 3, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmLinkStatName')) if mibBuilder.loadTexts: gtmLinkStatEntry.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatEntry.setDescription('Columns in the gtmLinkStat Table') gtm_link_stat_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 3, 3, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkStatName.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatName.setDescription('The name of a link.') gtm_link_stat_rate = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 3, 3, 1, 2), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkStatRate.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatRate.setDescription('The current bit rate of all traffic flowing through the specified link.') gtm_link_stat_rate_in = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 3, 3, 1, 3), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkStatRateIn.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatRateIn.setDescription('The current bit rate for all inbound traffic flowing through the specified link.') gtm_link_stat_rate_out = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 3, 3, 1, 4), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkStatRateOut.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatRateOut.setDescription('The current bit rate for all outbound traffic flowing through the specified link.') gtm_link_stat_rate_node = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 3, 3, 1, 5), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkStatRateNode.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatRateNode.setDescription('The current bit rate of the traffic flowing through nodes of the gateway pool for the the specified link.') gtm_link_stat_rate_node_in = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 3, 3, 1, 6), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkStatRateNodeIn.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatRateNodeIn.setDescription('The current bit rate of the traffic flowing inbound through nodes of the gateway pool for the the specified link.') gtm_link_stat_rate_node_out = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 3, 3, 1, 7), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkStatRateNodeOut.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatRateNodeOut.setDescription('The current bit rate of the traffic flowing outbound through nodes of the gateway pool for the the specified link.') gtm_link_stat_rate_vses = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 3, 3, 1, 8), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkStatRateVses.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatRateVses.setDescription('The current of bit rate of traffic flowing through the external virtual server for the specified link.') gtm_link_stat_rate_vses_in = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 3, 3, 1, 9), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkStatRateVsesIn.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatRateVsesIn.setDescription('The current of bit rate of inbound traffic flowing through the external virtual server for the specified link.') gtm_link_stat_rate_vses_out = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 3, 3, 1, 10), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkStatRateVsesOut.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatRateVsesOut.setDescription('The current of bit rate of outbound traffic flowing through the external virtual server for the specified link.') gtm_link_stat_lcs_in = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 3, 3, 1, 11), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkStatLcsIn.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatLcsIn.setDescription('The link capacity score is used to control inbound connections which are load-balanced through external virtual servers which are controlled by GTM (Global Traffic Management) daemon.') gtm_link_stat_lcs_out = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 3, 3, 1, 12), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkStatLcsOut.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatLcsOut.setDescription('The link capacity score is used to set dynamic ratios on the outbound gateway pool members for the specified link. This controls the outbound connections.') gtm_link_stat_paths = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 3, 3, 1, 13), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkStatPaths.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatPaths.setDescription('The total number of paths through the specified link.') gtm_link_status_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 4, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkStatusNumber.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatusNumber.setDescription('The number of gtmLinkStatus entries in the table.') gtm_link_status_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 4, 2)) if mibBuilder.loadTexts: gtmLinkStatusTable.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatusTable.setDescription('A table containing status information of links within a data center.') gtm_link_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 4, 2, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmLinkStatusName')) if mibBuilder.loadTexts: gtmLinkStatusEntry.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatusEntry.setDescription('Columns in the gtmLinkStatus Table') gtm_link_status_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 4, 2, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkStatusName.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatusName.setDescription('The name of a link.') gtm_link_status_avail_state = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 4, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5))).clone(namedValues=named_values(('none', 0), ('green', 1), ('yellow', 2), ('red', 3), ('blue', 4), ('gray', 5)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkStatusAvailState.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatusAvailState.setDescription('The availability of the specified link indicated in color. none - error; green - available in some capacity; yellow - not currently available; red - not available; blue - availability is unknown; gray - unlicensed.') gtm_link_status_enabled_state = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 4, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('none', 0), ('enabled', 1), ('disabled', 2), ('disabledbyparent', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkStatusEnabledState.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatusEnabledState.setDescription('The activity status of the specified link, as specified by the user.') gtm_link_status_parent_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 4, 2, 1, 4), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkStatusParentType.setStatus('deprecated') if mibBuilder.loadTexts: gtmLinkStatusParentType.setDescription('Deprecated! This is an internal data. The type of parent object which disabled the specified link.') gtm_link_status_detail_reason = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 5, 4, 2, 1, 5), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmLinkStatusDetailReason.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatusDetailReason.setDescription("The detail description of the specified link's status.") gtm_pool_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolNumber.setStatus('current') if mibBuilder.loadTexts: gtmPoolNumber.setDescription('The number of gtmPool entries in the table.') gtm_pool_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2)) if mibBuilder.loadTexts: gtmPoolTable.setStatus('current') if mibBuilder.loadTexts: gtmPoolTable.setDescription('A table containing information of pools for GTM (Global Traffic Management).') gtm_pool_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmPoolName')) if mibBuilder.loadTexts: gtmPoolEntry.setStatus('current') if mibBuilder.loadTexts: gtmPoolEntry.setDescription('Columns in the gtmPool Table') gtm_pool_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolName.setStatus('current') if mibBuilder.loadTexts: gtmPoolName.setDescription('The name of a pool.') gtm_pool_ttl = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 2), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolTtl.setStatus('current') if mibBuilder.loadTexts: gtmPoolTtl.setDescription('The TTL value for the specified pool.') gtm_pool_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolEnabled.setStatus('current') if mibBuilder.loadTexts: gtmPoolEnabled.setDescription('The state indicating whether the specified pool is enabled or not.') gtm_pool_verify_member = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolVerifyMember.setStatus('current') if mibBuilder.loadTexts: gtmPoolVerifyMember.setDescription('The state indicating whether or not to verify pool member availability before using it.') gtm_pool_dynamic_ratio = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolDynamicRatio.setStatus('current') if mibBuilder.loadTexts: gtmPoolDynamicRatio.setDescription('The state indicating whether or not to use dynamic ratio to modify the behavior of QOS (Quality Of Service) for the specified pool.') gtm_pool_answers_to_return = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 6), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolAnswersToReturn.setStatus('current') if mibBuilder.loadTexts: gtmPoolAnswersToReturn.setDescription("The number of returns for a request from the specified pool., It's up to 16 returns for a request.") gtm_pool_lb_mode = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18))).clone(namedValues=named_values(('returntodns', 0), ('null', 1), ('roundrobin', 2), ('ratio', 3), ('topology', 4), ('statpersit', 5), ('ga', 6), ('vscapacity', 7), ('leastconn', 8), ('lowestrtt', 9), ('lowesthops', 10), ('packetrate', 11), ('cpu', 12), ('hitratio', 13), ('qos', 14), ('bps', 15), ('droppacket', 16), ('explicitip', 17), ('vsscore', 18)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolLbMode.setStatus('current') if mibBuilder.loadTexts: gtmPoolLbMode.setDescription('The preferred load balancing method for the specified pool.') gtm_pool_alternate = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18))).clone(namedValues=named_values(('returntodns', 0), ('null', 1), ('roundrobin', 2), ('ratio', 3), ('topology', 4), ('statpersit', 5), ('ga', 6), ('vscapacity', 7), ('leastconn', 8), ('lowestrtt', 9), ('lowesthops', 10), ('packetrate', 11), ('cpu', 12), ('hitratio', 13), ('qos', 14), ('bps', 15), ('droppacket', 16), ('explicitip', 17), ('vsscore', 18)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolAlternate.setStatus('current') if mibBuilder.loadTexts: gtmPoolAlternate.setDescription('The alternate load balancing method for the specified pool.') gtm_pool_fallback = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18))).clone(namedValues=named_values(('returntodns', 0), ('null', 1), ('roundrobin', 2), ('ratio', 3), ('topology', 4), ('statpersit', 5), ('ga', 6), ('vscapacity', 7), ('leastconn', 8), ('lowestrtt', 9), ('lowesthops', 10), ('packetrate', 11), ('cpu', 12), ('hitratio', 13), ('qos', 14), ('bps', 15), ('droppacket', 16), ('explicitip', 17), ('vsscore', 18)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolFallback.setStatus('current') if mibBuilder.loadTexts: gtmPoolFallback.setDescription('The fallback load balancing method for the specified pool.') gtm_pool_manual_resume = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disable', 0), ('enable', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolManualResume.setStatus('current') if mibBuilder.loadTexts: gtmPoolManualResume.setDescription('The state indicating whether or not to disable pool member when the pool member status goes from Green to Red.') gtm_pool_qos_coeff_rtt = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 11), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolQosCoeffRtt.setStatus('current') if mibBuilder.loadTexts: gtmPoolQosCoeffRtt.setDescription('The round trip time QOS coefficient for the specified pool.') gtm_pool_qos_coeff_hops = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 12), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolQosCoeffHops.setStatus('current') if mibBuilder.loadTexts: gtmPoolQosCoeffHops.setDescription('The hop count QOS coefficient for the specified pool.') gtm_pool_qos_coeff_topology = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 13), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolQosCoeffTopology.setStatus('current') if mibBuilder.loadTexts: gtmPoolQosCoeffTopology.setDescription('The topology QOS coefficient for the specified pool') gtm_pool_qos_coeff_hit_ratio = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 14), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolQosCoeffHitRatio.setStatus('current') if mibBuilder.loadTexts: gtmPoolQosCoeffHitRatio.setDescription('The ping packet completion rate QOS coefficient for the specified pool.') gtm_pool_qos_coeff_packet_rate = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 15), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolQosCoeffPacketRate.setStatus('current') if mibBuilder.loadTexts: gtmPoolQosCoeffPacketRate.setDescription('The packet rate QOS coefficient for the specified pool.') gtm_pool_qos_coeff_vs_capacity = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 16), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolQosCoeffVsCapacity.setStatus('current') if mibBuilder.loadTexts: gtmPoolQosCoeffVsCapacity.setDescription('The virtual server capacity QOS coefficient for the specified pool.') gtm_pool_qos_coeff_bps = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 17), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolQosCoeffBps.setStatus('current') if mibBuilder.loadTexts: gtmPoolQosCoeffBps.setDescription('The bandwidth QOS coefficient for the specified pool.') gtm_pool_qos_coeff_lcs = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 18), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolQosCoeffLcs.setStatus('current') if mibBuilder.loadTexts: gtmPoolQosCoeffLcs.setDescription('The link capacity QOS coefficient for the specified pool.') gtm_pool_qos_coeff_conn_rate = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 19), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolQosCoeffConnRate.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolQosCoeffConnRate.setDescription('Deprecated! Replaced by gtmPoolQosCoeffVsScore. The connection rate QOS coefficient for the specified pool.') gtm_pool_fallback_ip_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 20), inet_address_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolFallbackIpType.setStatus('current') if mibBuilder.loadTexts: gtmPoolFallbackIpType.setDescription('The IP address type of gtmPoolFallbackIp.') gtm_pool_fallback_ip = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 21), inet_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolFallbackIp.setStatus('current') if mibBuilder.loadTexts: gtmPoolFallbackIp.setDescription('The fallback/emergency failure IP for the specified pool. It is interpreted within the context of a gtmPoolFallbackIpType value.') gtm_pool_cname = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 22), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolCname.setStatus('current') if mibBuilder.loadTexts: gtmPoolCname.setDescription('The CNAME (canonical name) for the specified pool. CNAME is also referred to as a CNAME record, a record in a DNS database that indicates the true, or canonical, host name of a computer that its aliases are associated with. (eg. www.wip.d.com).') gtm_pool_limit_cpu_usage_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 23), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolLimitCpuUsageEnabled.setStatus('current') if mibBuilder.loadTexts: gtmPoolLimitCpuUsageEnabled.setDescription('The state indicating whether to set limit of CPU usage is enabled or not for the specified pool.') gtm_pool_limit_mem_avail_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 24), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolLimitMemAvailEnabled.setStatus('current') if mibBuilder.loadTexts: gtmPoolLimitMemAvailEnabled.setDescription('The state indicating whether to set limit of available memory is enabled or not for the specified pool.') gtm_pool_limit_bits_per_sec_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 25), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolLimitBitsPerSecEnabled.setStatus('current') if mibBuilder.loadTexts: gtmPoolLimitBitsPerSecEnabled.setDescription('The state indicating whether to limit of number of bits per second is enabled or not for the specified pool.') gtm_pool_limit_pkts_per_sec_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 26), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolLimitPktsPerSecEnabled.setStatus('current') if mibBuilder.loadTexts: gtmPoolLimitPktsPerSecEnabled.setDescription('The state indicating whether to set limit of number of packets per second is enabled or not for the specified pool.') gtm_pool_limit_conn_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 27), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolLimitConnEnabled.setStatus('current') if mibBuilder.loadTexts: gtmPoolLimitConnEnabled.setDescription('The state indicating whether to set limit of total connections is enabled or not for the specified pool.') gtm_pool_limit_conn_per_sec_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 28), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolLimitConnPerSecEnabled.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolLimitConnPerSecEnabled.setDescription('Deprecated! This feature has been eliminated. The state indicating whether to set limit of connections per second is enabled or not for the specified pool.') gtm_pool_limit_cpu_usage = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 29), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolLimitCpuUsage.setStatus('current') if mibBuilder.loadTexts: gtmPoolLimitCpuUsage.setDescription('The limit of CPU usage as a percentage for the specified pool.') gtm_pool_limit_mem_avail = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 30), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolLimitMemAvail.setStatus('current') if mibBuilder.loadTexts: gtmPoolLimitMemAvail.setDescription('The limit of memory available in bytes for the specified pool.') gtm_pool_limit_bits_per_sec = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 31), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolLimitBitsPerSec.setStatus('current') if mibBuilder.loadTexts: gtmPoolLimitBitsPerSec.setDescription('The limit of number of bits per second for the specified pool.') gtm_pool_limit_pkts_per_sec = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 32), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolLimitPktsPerSec.setStatus('current') if mibBuilder.loadTexts: gtmPoolLimitPktsPerSec.setDescription('The limit of number of packets per second for the specified pool.') gtm_pool_limit_conn = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 33), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolLimitConn.setStatus('current') if mibBuilder.loadTexts: gtmPoolLimitConn.setDescription('The limit of total number of connections for the specified pool.') gtm_pool_limit_conn_per_sec = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 34), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolLimitConnPerSec.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolLimitConnPerSec.setDescription('Deprecated! This feature has been eliminated. The limit of number of connections per second for the specified pool.') gtm_pool_monitor_rule = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 35), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMonitorRule.setStatus('current') if mibBuilder.loadTexts: gtmPoolMonitorRule.setDescription('The monitor rule used by the specified pool.') gtm_pool_qos_coeff_vs_score = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 36), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolQosCoeffVsScore.setStatus('current') if mibBuilder.loadTexts: gtmPoolQosCoeffVsScore.setDescription('The relative weight for virtual server (VS) score when the load balancing mode is set to LB_METHOD_QOS for the specified pool.') gtm_pool_fallback_ipv6_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 37), inet_address_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolFallbackIpv6Type.setStatus('current') if mibBuilder.loadTexts: gtmPoolFallbackIpv6Type.setDescription('The IP address type of gtmPoolFallbackIpv6.') gtm_pool_fallback_ipv6 = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 1, 2, 1, 38), inet_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolFallbackIpv6.setStatus('current') if mibBuilder.loadTexts: gtmPoolFallbackIpv6.setDescription('The fallback/emergency failure IPv6 IP address for the specified pool. It is interpreted within the context of a gtmPoolFallbackIpv6Type value.') gtm_pool_stat_reset_stats = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 2, 1), integer32()).setMaxAccess('readwrite') if mibBuilder.loadTexts: gtmPoolStatResetStats.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatResetStats.setDescription('The action to reset resetable statistics data in gtmPoolStat. Setting this value to 1 will reset statistics data. Note, some statistics data may not be reset including data that are incremental counters.') gtm_pool_stat_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 2, 2), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolStatNumber.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatNumber.setDescription('The number of gtmPoolStat entries in the table.') gtm_pool_stat_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 2, 3)) if mibBuilder.loadTexts: gtmPoolStatTable.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatTable.setDescription('A table containing statistics information of pools in the GTM (Global Traffic Management).') gtm_pool_stat_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 2, 3, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmPoolStatName')) if mibBuilder.loadTexts: gtmPoolStatEntry.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatEntry.setDescription('Columns in the gtmPoolStat Table') gtm_pool_stat_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 2, 3, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolStatName.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatName.setDescription('The name of a pool.') gtm_pool_stat_preferred = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 2, 3, 1, 2), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolStatPreferred.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatPreferred.setDescription('The number of times which the preferred load balance method is used for the specified pool.') gtm_pool_stat_alternate = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 2, 3, 1, 3), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolStatAlternate.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatAlternate.setDescription('The number of times which the alternate load balance method is used for the specified pool.') gtm_pool_stat_fallback = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 2, 3, 1, 4), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolStatFallback.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatFallback.setDescription('The number of times which the fallback load balance method is used for the specified pool.') gtm_pool_stat_dropped = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 2, 3, 1, 5), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolStatDropped.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatDropped.setDescription('The number of dropped DNS messages for the specified pool.') gtm_pool_stat_explicit_ip = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 2, 3, 1, 6), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolStatExplicitIp.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolStatExplicitIp.setDescription('Deprecated! The number of times which a LDNS was persisted to the specified pool by the explicit IP rule.') gtm_pool_stat_return_to_dns = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 2, 3, 1, 7), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolStatReturnToDns.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatReturnToDns.setDescription('The number of times which a resolve was returned to DNS (for resolution) for the specified pool.') gtm_pool_stat_return_from_dns = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 2, 3, 1, 8), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolStatReturnFromDns.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatReturnFromDns.setDescription('The number of times which a resolve was returned from DNS for the specified pool.') gtm_pool_stat_cname_resolutions = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 2, 3, 1, 9), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolStatCnameResolutions.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatCnameResolutions.setDescription('The number of times which a query is resolved by the CNAME of the specified pool.') gtm_pool_mbr_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrNumber.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrNumber.setDescription('The number of gtmPoolMember entries in the table.') gtm_pool_mbr_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2)) if mibBuilder.loadTexts: gtmPoolMbrTable.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrTable.setDescription('A table containing information of pool members for GTM (Global Traffic Management).') gtm_pool_mbr_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrPoolName'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrServerName'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrVsName')) if mibBuilder.loadTexts: gtmPoolMbrEntry.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrEntry.setDescription('Columns in the gtmPoolMbr Table') gtm_pool_mbr_pool_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrPoolName.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrPoolName.setDescription('The name of the pool to which the specified member belongs.') gtm_pool_mbr_ip_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 2), inet_address_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrIpType.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolMbrIpType.setDescription('Deprecated! use server_name and vs_name instead, The IP address type of gtmPoolMemberIp.') gtm_pool_mbr_ip = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 3), inet_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrIp.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolMbrIp.setDescription('Deprecated! use server_name and vs_name instead, The IP address of a pool member. It is interpreted within the context of gtmPoolMemberIpType value.') gtm_pool_mbr_port = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 4), inet_port_number()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrPort.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolMbrPort.setDescription('Deprecated! use server_name and vs_name instead, The port of a pool member.') gtm_pool_mbr_vs_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 5), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrVsName.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrVsName.setDescription('The name of the virtual server with which the specified pool member is associated.') gtm_pool_mbr_order = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 6), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrOrder.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrOrder.setDescription('The order of the specified pool member in the associated pool. It is zero-based.') gtm_pool_mbr_limit_cpu_usage_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrLimitCpuUsageEnabled.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrLimitCpuUsageEnabled.setDescription('The state indicating whether to set limit of CPU usage is enabled or not for the specified pool member.') gtm_pool_mbr_limit_mem_avail_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrLimitMemAvailEnabled.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrLimitMemAvailEnabled.setDescription('The state indicating whether or not to set limit of available memory is enabled for the specified pool member.') gtm_pool_mbr_limit_bits_per_sec_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrLimitBitsPerSecEnabled.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrLimitBitsPerSecEnabled.setDescription('The state indicating whether or not to limit of number of bits per second is enabled for the specified pool member.') gtm_pool_mbr_limit_pkts_per_sec_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrLimitPktsPerSecEnabled.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrLimitPktsPerSecEnabled.setDescription('The state indicating whether or not to set limit of number of packets per second is enabled for the specified pool member.') gtm_pool_mbr_limit_conn_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrLimitConnEnabled.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrLimitConnEnabled.setDescription('The state indicating whether or not to set limit of total connections is enabled for the specified pool member.') gtm_pool_mbr_limit_conn_per_sec_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrLimitConnPerSecEnabled.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolMbrLimitConnPerSecEnabled.setDescription('Deprecated! This feature has been eliminated. The state indicating whether or not to set limit of connections per second is enabled for the specified pool member.') gtm_pool_mbr_limit_cpu_usage = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 13), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrLimitCpuUsage.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrLimitCpuUsage.setDescription('The limit of CPU usage as a percentage for the specified pool member.') gtm_pool_mbr_limit_mem_avail = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 14), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrLimitMemAvail.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrLimitMemAvail.setDescription('The limit of memory available in bytes for the specified pool member.') gtm_pool_mbr_limit_bits_per_sec = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 15), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrLimitBitsPerSec.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrLimitBitsPerSec.setDescription('The limit of number of bits per second for the specified pool member.') gtm_pool_mbr_limit_pkts_per_sec = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 16), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrLimitPktsPerSec.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrLimitPktsPerSec.setDescription('The limit of number of packets per second for the specified pool member.') gtm_pool_mbr_limit_conn = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 17), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrLimitConn.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrLimitConn.setDescription('The limit of total number of connections for the specified pool member.') gtm_pool_mbr_limit_conn_per_sec = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 18), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrLimitConnPerSec.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolMbrLimitConnPerSec.setDescription('Deprecated! This feature has been eliminated. The limit of number of connections per second for the specified pool member.') gtm_pool_mbr_monitor_rule = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 19), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrMonitorRule.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrMonitorRule.setDescription('The monitor rule used by the specified pool member.') gtm_pool_mbr_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 20), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disable', 0), ('enable', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrEnabled.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrEnabled.setDescription('The state indicating whether the specified pool member is enabled or not.') gtm_pool_mbr_ratio = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 21), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrRatio.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrRatio.setDescription('The pool member ratio.') gtm_pool_mbr_server_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 4, 2, 1, 22), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrServerName.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrServerName.setDescription('The name of the server with which the specified pool_member is associated.') gtm_pool_status_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 3, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolStatusNumber.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatusNumber.setDescription('The number of gtmPoolStatus entries in the table.') gtm_pool_status_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 3, 2)) if mibBuilder.loadTexts: gtmPoolStatusTable.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatusTable.setDescription('A table containing status information of pools in the GTM (Global Traffic Management).') gtm_pool_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 3, 2, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmPoolStatusName')) if mibBuilder.loadTexts: gtmPoolStatusEntry.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatusEntry.setDescription('Columns in the gtmPoolStatus Table') gtm_pool_status_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 3, 2, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolStatusName.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatusName.setDescription('The name of a pool.') gtm_pool_status_avail_state = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 3, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5))).clone(namedValues=named_values(('none', 0), ('green', 1), ('yellow', 2), ('red', 3), ('blue', 4), ('gray', 5)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolStatusAvailState.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatusAvailState.setDescription('The availability of the specified pool indicated in color. none - error; green - available in some capacity; yellow - not currently available; red - not available; blue - availability is unknown; gray - unlicensed.') gtm_pool_status_enabled_state = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 3, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('none', 0), ('enabled', 1), ('disabled', 2), ('disabledbyparent', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolStatusEnabledState.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatusEnabledState.setDescription('The activity status of the specified pool, as specified by the user.') gtm_pool_status_parent_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 3, 2, 1, 4), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolStatusParentType.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolStatusParentType.setDescription('Deprecated! This is an internal data. The type of parent object which disabled the specified pool.') gtm_pool_status_detail_reason = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 3, 2, 1, 5), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolStatusDetailReason.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatusDetailReason.setDescription("The detail description of the specified pool's status.") gtm_pool_mbr_deps_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 5, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrDepsNumber.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrDepsNumber.setDescription('The number of gtmPoolMemberDepends entries in the table.') gtm_pool_mbr_deps_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 5, 2)) if mibBuilder.loadTexts: gtmPoolMbrDepsTable.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrDepsTable.setDescription("A table containing information of pool members' dependencies on virtual servers for GTM (Global Traffic Management).") gtm_pool_mbr_deps_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 5, 2, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrDepsServerName'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrDepsVsName'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrDepsPoolName'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrDepsDependServerName'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrDepsDependVsName')) if mibBuilder.loadTexts: gtmPoolMbrDepsEntry.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrDepsEntry.setDescription('Columns in the gtmPoolMbrDeps Table') gtm_pool_mbr_deps_ip_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 5, 2, 1, 1), inet_address_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrDepsIpType.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolMbrDepsIpType.setDescription('Deprecated! use server_name and vs_name instead, The IP address type of gtmPoolMbrDepsIp.') gtm_pool_mbr_deps_ip = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 5, 2, 1, 2), inet_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrDepsIp.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolMbrDepsIp.setDescription('Deprecated! use server_name and vs_name instead, The IP address of a pool member. It is interpreted within the context of gtmPoolMbrDepsIpType value.') gtm_pool_mbr_deps_port = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 5, 2, 1, 3), inet_port_number()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrDepsPort.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolMbrDepsPort.setDescription('Deprecated! use server_name and vs_name instead, The port of a pool member.') gtm_pool_mbr_deps_pool_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 5, 2, 1, 4), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrDepsPoolName.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrDepsPoolName.setDescription('The name of a pool to which the specified member belongs.') gtm_pool_mbr_deps_vip_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 5, 2, 1, 5), inet_address_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrDepsVipType.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolMbrDepsVipType.setDescription('Deprecated! use depend server_name and vs_name instead, The IP address type of gtmPoolMbrDepsVip') gtm_pool_mbr_deps_vip = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 5, 2, 1, 6), inet_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrDepsVip.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolMbrDepsVip.setDescription('Deprecated! use depend server_name and vs_name instead, The IP address of a virtual server on which the specified pool member depends. It is interpreted within the context of gtmPoolMbrDepsVipType value.') gtm_pool_mbr_deps_vport = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 5, 2, 1, 7), inet_port_number()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrDepsVport.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolMbrDepsVport.setDescription('Deprecated! use depend server_name and vs_name instead, The port of a virtual server on which the specified pool member depends.') gtm_pool_mbr_deps_server_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 5, 2, 1, 8), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrDepsServerName.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrDepsServerName.setDescription('The name of the server with which the specified pool_member is associated.') gtm_pool_mbr_deps_vs_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 5, 2, 1, 9), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrDepsVsName.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrDepsVsName.setDescription('The virtual server name with which the pool member associated.') gtm_pool_mbr_deps_depend_server_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 5, 2, 1, 10), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrDepsDependServerName.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrDepsDependServerName.setDescription('The server name of a virtual server on which the specified pool member depends.') gtm_pool_mbr_deps_depend_vs_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 5, 2, 1, 11), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrDepsDependVsName.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrDepsDependVsName.setDescription('The virtual server name on which the specified pool member depends.') gtm_pool_mbr_stat_reset_stats = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 6, 1), integer32()).setMaxAccess('readwrite') if mibBuilder.loadTexts: gtmPoolMbrStatResetStats.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatResetStats.setDescription('The action to reset resetable statistics data in gtmPoolMemberStat. Setting this value to 1 will reset statistics data. Note, some statistics data may not be reset including data that are incremental counters.') gtm_pool_mbr_stat_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 6, 2), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrStatNumber.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatNumber.setDescription('The number of gtmPoolMemberStat entries in the table.') gtm_pool_mbr_stat_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 6, 3)) if mibBuilder.loadTexts: gtmPoolMbrStatTable.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatTable.setDescription('A table containing statistics information of pool members for GTM (Global Traffic Management).') gtm_pool_mbr_stat_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 6, 3, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrStatPoolName'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrStatServerName'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrStatVsName')) if mibBuilder.loadTexts: gtmPoolMbrStatEntry.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatEntry.setDescription('Columns in the gtmPoolMbrStat Table') gtm_pool_mbr_stat_pool_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 6, 3, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrStatPoolName.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatPoolName.setDescription('The name of the parent pool to which the member belongs.') gtm_pool_mbr_stat_ip_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 6, 3, 1, 2), inet_address_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrStatIpType.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolMbrStatIpType.setDescription('Deprecated! use server_name and vs_name instead, The IP address type of gtmPoolMemberStatIp.') gtm_pool_mbr_stat_ip = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 6, 3, 1, 3), inet_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrStatIp.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolMbrStatIp.setDescription('Deprecated! use server_name and vs_name instead, The IP address of a pool member. It is interpreted within the context of gtmPoolMemberStatIpType value.') gtm_pool_mbr_stat_port = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 6, 3, 1, 4), inet_port_number()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrStatPort.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolMbrStatPort.setDescription('Deprecated! use server_name and vs_name instead, The port of a pool member.') gtm_pool_mbr_stat_preferred = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 6, 3, 1, 5), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrStatPreferred.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatPreferred.setDescription('The number of times which the preferred load balance method is used for the specified pool member.') gtm_pool_mbr_stat_alternate = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 6, 3, 1, 6), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrStatAlternate.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatAlternate.setDescription('The number of times which the alternate load balance method is used for the specified pool member.') gtm_pool_mbr_stat_fallback = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 6, 3, 1, 7), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrStatFallback.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatFallback.setDescription('The number of times which the fallback load balance method is used for the specified pool member.') gtm_pool_mbr_stat_server_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 6, 3, 1, 8), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrStatServerName.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatServerName.setDescription('The name of the server with which the specified pool_member is associated.') gtm_pool_mbr_stat_vs_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 6, 3, 1, 9), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrStatVsName.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatVsName.setDescription('The name of the specified virtual server.') gtm_pool_mbr_status_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 7, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrStatusNumber.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatusNumber.setDescription('The number of gtmPoolMemberStatus entries in the table.') gtm_pool_mbr_status_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 7, 2)) if mibBuilder.loadTexts: gtmPoolMbrStatusTable.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatusTable.setDescription('A table containing status information of pool members for GTM (Global Traffic Management).') gtm_pool_mbr_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 7, 2, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrStatusPoolName'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrStatusServerName'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrStatusVsName')) if mibBuilder.loadTexts: gtmPoolMbrStatusEntry.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatusEntry.setDescription('Columns in the gtmPoolMbrStatus Table') gtm_pool_mbr_status_pool_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 7, 2, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrStatusPoolName.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatusPoolName.setDescription('The name of the pool to which the specified member belongs.') gtm_pool_mbr_status_ip_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 7, 2, 1, 2), inet_address_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrStatusIpType.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolMbrStatusIpType.setDescription('Deprecated! use server_name and vs_name instead, The IP address type of gtmPoolMbrStatusIp.') gtm_pool_mbr_status_ip = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 7, 2, 1, 3), inet_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrStatusIp.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolMbrStatusIp.setDescription('Deprecated! use server_name and vs_name instead, The IP address of a pool member. It is interpreted within the context of gtmPoolMbrStatusIpType value.') gtm_pool_mbr_status_port = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 7, 2, 1, 4), inet_port_number()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrStatusPort.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolMbrStatusPort.setDescription('Deprecated! use server_name and vs_name instead, The port of a pool member.') gtm_pool_mbr_status_avail_state = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 7, 2, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5))).clone(namedValues=named_values(('none', 0), ('green', 1), ('yellow', 2), ('red', 3), ('blue', 4), ('gray', 5)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrStatusAvailState.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatusAvailState.setDescription('The availability of the specified pool member indicated in color. none - error; green - available in some capacity; yellow - not currently available; red - not available; blue - availability is unknown; gray - unlicensed.') gtm_pool_mbr_status_enabled_state = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 7, 2, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('none', 0), ('enabled', 1), ('disabled', 2), ('disabledbyparent', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrStatusEnabledState.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatusEnabledState.setDescription('The activity status of the specified pool member, as specified by the user.') gtm_pool_mbr_status_parent_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 7, 2, 1, 7), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrStatusParentType.setStatus('deprecated') if mibBuilder.loadTexts: gtmPoolMbrStatusParentType.setDescription('Deprecated! This is an internal data. The type of parent object which disabled the specified pool member.') gtm_pool_mbr_status_detail_reason = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 7, 2, 1, 8), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrStatusDetailReason.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatusDetailReason.setDescription("The detail description of the specified node's status.") gtm_pool_mbr_status_vs_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 7, 2, 1, 9), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrStatusVsName.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatusVsName.setDescription('The name of the virtual server with which the specified pool member is associated.') gtm_pool_mbr_status_server_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 6, 7, 2, 1, 10), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmPoolMbrStatusServerName.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatusServerName.setDescription('The name of the server with which the specified pool_member is associated.') gtm_region_entry_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 7, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmRegionEntryNumber.setStatus('current') if mibBuilder.loadTexts: gtmRegionEntryNumber.setDescription('The number of gtmRegionEntry entries in the table.') gtm_region_entry_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 7, 1, 2)) if mibBuilder.loadTexts: gtmRegionEntryTable.setStatus('current') if mibBuilder.loadTexts: gtmRegionEntryTable.setDescription('A table containing information of user-defined region definitions for GTM (Global Traffic Management).') gtm_region_entry_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 7, 1, 2, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmRegionEntryName')) if mibBuilder.loadTexts: gtmRegionEntryEntry.setStatus('current') if mibBuilder.loadTexts: gtmRegionEntryEntry.setDescription('Columns in the gtmRegionEntry Table') gtm_region_entry_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 7, 1, 2, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmRegionEntryName.setStatus('current') if mibBuilder.loadTexts: gtmRegionEntryName.setDescription('The name of region entry.') gtm_region_entry_region_db_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 7, 1, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('user', 0), ('acl', 1), ('isp', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmRegionEntryRegionDbType.setStatus('current') if mibBuilder.loadTexts: gtmRegionEntryRegionDbType.setDescription("The region's database type.") gtm_reg_item_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 7, 2, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmRegItemNumber.setStatus('current') if mibBuilder.loadTexts: gtmRegItemNumber.setDescription('The number of gtmRegItem entries in the table.') gtm_reg_item_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 7, 2, 2)) if mibBuilder.loadTexts: gtmRegItemTable.setStatus('current') if mibBuilder.loadTexts: gtmRegItemTable.setDescription('A table containing information of region items in associated region for GTM (Global Traffic Management).') gtm_reg_item_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 7, 2, 2, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmRegItemRegionDbType'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmRegItemRegionName'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmRegItemType'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmRegItemNegate'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmRegItemRegEntry')) if mibBuilder.loadTexts: gtmRegItemEntry.setStatus('current') if mibBuilder.loadTexts: gtmRegItemEntry.setDescription('Columns in the gtmRegItem Table') gtm_reg_item_region_db_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 7, 2, 2, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('user', 0), ('acl', 1), ('isp', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmRegItemRegionDbType.setStatus('current') if mibBuilder.loadTexts: gtmRegItemRegionDbType.setDescription("The region's database type.") gtm_reg_item_region_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 7, 2, 2, 1, 2), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmRegItemRegionName.setStatus('current') if mibBuilder.loadTexts: gtmRegItemRegionName.setDescription('The region name.') gtm_reg_item_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 7, 2, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('cidr', 0), ('region', 1), ('continent', 2), ('country', 3), ('state', 4), ('pool', 5), ('datacenter', 6), ('ispregion', 7), ('geoip-isp', 8)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmRegItemType.setStatus('current') if mibBuilder.loadTexts: gtmRegItemType.setDescription("The region item's type.") gtm_reg_item_negate = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 7, 2, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmRegItemNegate.setStatus('current') if mibBuilder.loadTexts: gtmRegItemNegate.setDescription('The state indicating whether the region member to be interpreted as not equal to the region member options selected.') gtm_reg_item_reg_entry = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 7, 2, 2, 1, 5), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmRegItemRegEntry.setStatus('current') if mibBuilder.loadTexts: gtmRegItemRegEntry.setDescription('The name of the region entry.') gtm_rule_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmRuleNumber.setStatus('current') if mibBuilder.loadTexts: gtmRuleNumber.setDescription('The number of gtmRule entries in the table.') gtm_rule_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 1, 2)) if mibBuilder.loadTexts: gtmRuleTable.setStatus('current') if mibBuilder.loadTexts: gtmRuleTable.setDescription('A table containing information of rules for GTM (Global Traffic Management).') gtm_rule_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 1, 2, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmRuleName')) if mibBuilder.loadTexts: gtmRuleEntry.setStatus('current') if mibBuilder.loadTexts: gtmRuleEntry.setDescription('Columns in the gtmRule Table') gtm_rule_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 1, 2, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmRuleName.setStatus('current') if mibBuilder.loadTexts: gtmRuleName.setDescription('The name of a rule.') gtm_rule_definition = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 1, 2, 1, 2), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmRuleDefinition.setStatus('deprecated') if mibBuilder.loadTexts: gtmRuleDefinition.setDescription('Deprecated! The definition of the specified rule.') gtm_rule_config_source = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 1, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('usercfg', 0), ('basecfg', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmRuleConfigSource.setStatus('current') if mibBuilder.loadTexts: gtmRuleConfigSource.setDescription('The type of rule that the specified rule is associating with. It is either a base/pre-configured rule or user defined rule.') gtm_rule_event_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 2, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmRuleEventNumber.setStatus('current') if mibBuilder.loadTexts: gtmRuleEventNumber.setDescription('The number of gtmRuleEvent entries in the table.') gtm_rule_event_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 2, 2)) if mibBuilder.loadTexts: gtmRuleEventTable.setStatus('current') if mibBuilder.loadTexts: gtmRuleEventTable.setDescription('A table containing information of rule events for GTM (Global Traffic Management).') gtm_rule_event_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 2, 2, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmRuleEventName'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmRuleEventEventType'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmRuleEventPriority')) if mibBuilder.loadTexts: gtmRuleEventEntry.setStatus('current') if mibBuilder.loadTexts: gtmRuleEventEntry.setDescription('Columns in the gtmRuleEvent Table') gtm_rule_event_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 2, 2, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmRuleEventName.setStatus('current') if mibBuilder.loadTexts: gtmRuleEventName.setDescription('The name of a rule.') gtm_rule_event_event_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 2, 2, 1, 2), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmRuleEventEventType.setStatus('current') if mibBuilder.loadTexts: gtmRuleEventEventType.setDescription('The event type for which the specified rule is used.') gtm_rule_event_priority = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 2, 2, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 32767))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmRuleEventPriority.setStatus('current') if mibBuilder.loadTexts: gtmRuleEventPriority.setDescription('The execution priority of the specified rule event.') gtm_rule_event_script = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 2, 2, 1, 4), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmRuleEventScript.setStatus('deprecated') if mibBuilder.loadTexts: gtmRuleEventScript.setDescription('Deprecated! The TCL script for the specified rule event.') gtm_rule_event_stat_reset_stats = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 3, 1), integer32()).setMaxAccess('readwrite') if mibBuilder.loadTexts: gtmRuleEventStatResetStats.setStatus('current') if mibBuilder.loadTexts: gtmRuleEventStatResetStats.setDescription('The action to reset resetable statistics data in gtmRuleEventStat. Setting this value to 1 will reset statistics data. Note, some statistics data may not be reset including data that are incremental counters.') gtm_rule_event_stat_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 3, 2), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmRuleEventStatNumber.setStatus('current') if mibBuilder.loadTexts: gtmRuleEventStatNumber.setDescription('The number of gtmRuleEventStat entries in the table.') gtm_rule_event_stat_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 3, 3)) if mibBuilder.loadTexts: gtmRuleEventStatTable.setStatus('current') if mibBuilder.loadTexts: gtmRuleEventStatTable.setDescription('A table containing statistics information of rules for GTM (Global Traffic Management).') gtm_rule_event_stat_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 3, 3, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmRuleEventStatName'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmRuleEventStatEventType'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmRuleEventStatPriority')) if mibBuilder.loadTexts: gtmRuleEventStatEntry.setStatus('current') if mibBuilder.loadTexts: gtmRuleEventStatEntry.setDescription('Columns in the gtmRuleEventStat Table') gtm_rule_event_stat_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 3, 3, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmRuleEventStatName.setStatus('current') if mibBuilder.loadTexts: gtmRuleEventStatName.setDescription('The name of the rule.') gtm_rule_event_stat_event_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 3, 3, 1, 2), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmRuleEventStatEventType.setStatus('current') if mibBuilder.loadTexts: gtmRuleEventStatEventType.setDescription('The event type for which the rule is used.') gtm_rule_event_stat_priority = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 3, 3, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 32767))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmRuleEventStatPriority.setStatus('current') if mibBuilder.loadTexts: gtmRuleEventStatPriority.setDescription('The execution priority of this rule event.') gtm_rule_event_stat_failures = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 3, 3, 1, 4), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmRuleEventStatFailures.setStatus('current') if mibBuilder.loadTexts: gtmRuleEventStatFailures.setDescription('The number of failures for executing this rule.') gtm_rule_event_stat_aborts = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 3, 3, 1, 5), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmRuleEventStatAborts.setStatus('current') if mibBuilder.loadTexts: gtmRuleEventStatAborts.setDescription('The number of aborts when executing this rule.') gtm_rule_event_stat_total_executions = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 8, 3, 3, 1, 6), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmRuleEventStatTotalExecutions.setStatus('current') if mibBuilder.loadTexts: gtmRuleEventStatTotalExecutions.setDescription('The total number of executions for this rule.') gtm_server_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerNumber.setStatus('current') if mibBuilder.loadTexts: gtmServerNumber.setDescription('The number of gtmServer entries in the table.') gtm_server_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2)) if mibBuilder.loadTexts: gtmServerTable.setStatus('current') if mibBuilder.loadTexts: gtmServerTable.setDescription('A table containing information of servers within associated data center for GTM (Global Traffic Management).') gtm_server_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmServerName')) if mibBuilder.loadTexts: gtmServerEntry.setStatus('current') if mibBuilder.loadTexts: gtmServerEntry.setDescription('Columns in the gtmServer Table') gtm_server_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerName.setStatus('current') if mibBuilder.loadTexts: gtmServerName.setDescription('The name of a server.') gtm_server_dc_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 2), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerDcName.setStatus('current') if mibBuilder.loadTexts: gtmServerDcName.setDescription('The name of the data center the specified server belongs to.') gtm_server_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=named_values(('bigipstandalone', 0), ('bigipredundant', 1), ('genericloadbalancer', 2), ('alteonacedirector', 3), ('ciscocss', 4), ('ciscolocaldirectorv2', 5), ('ciscolocaldirectorv3', 6), ('ciscoserverloadbalancer', 7), ('extreme', 8), ('foundryserveriron', 9), ('generichost', 10), ('cacheflow', 11), ('netapp', 12), ('windows2000', 13), ('windowsnt4', 14), ('solaris', 15), ('radware', 16)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerType.setStatus('current') if mibBuilder.loadTexts: gtmServerType.setDescription('The type of the server.') gtm_server_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerEnabled.setStatus('current') if mibBuilder.loadTexts: gtmServerEnabled.setDescription('The state indicating whether the specified server is enabled or not.') gtm_server_limit_cpu_usage_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerLimitCpuUsageEnabled.setStatus('current') if mibBuilder.loadTexts: gtmServerLimitCpuUsageEnabled.setDescription('The state indicating whether to set limit of CPU usage is enabled or not for the server.') gtm_server_limit_mem_avail_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerLimitMemAvailEnabled.setStatus('current') if mibBuilder.loadTexts: gtmServerLimitMemAvailEnabled.setDescription('The state indicating whether to set limit of available memory is enabled or not for the server.') gtm_server_limit_bits_per_sec_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerLimitBitsPerSecEnabled.setStatus('current') if mibBuilder.loadTexts: gtmServerLimitBitsPerSecEnabled.setDescription('The state indicating whether to limit of number of bits per second is enabled or not for the server.') gtm_server_limit_pkts_per_sec_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerLimitPktsPerSecEnabled.setStatus('current') if mibBuilder.loadTexts: gtmServerLimitPktsPerSecEnabled.setDescription('The state indicating whether to set limit of number of packets per second is enabled or not for the server.') gtm_server_limit_conn_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerLimitConnEnabled.setStatus('current') if mibBuilder.loadTexts: gtmServerLimitConnEnabled.setDescription('The state indicating whether to set limit of total connections is enabled or not for the server.') gtm_server_limit_conn_per_sec_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerLimitConnPerSecEnabled.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerLimitConnPerSecEnabled.setDescription('Deprecated! This feature has been eliminated. The state indicating whether to set limit of connections per second is enabled or not for the server.') gtm_server_limit_cpu_usage = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 11), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerLimitCpuUsage.setStatus('current') if mibBuilder.loadTexts: gtmServerLimitCpuUsage.setDescription('The limit of CPU usage as a percentage for the server.') gtm_server_limit_mem_avail = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 12), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerLimitMemAvail.setStatus('current') if mibBuilder.loadTexts: gtmServerLimitMemAvail.setDescription('The limit of memory available in bytes for the server.') gtm_server_limit_bits_per_sec = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 13), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerLimitBitsPerSec.setStatus('current') if mibBuilder.loadTexts: gtmServerLimitBitsPerSec.setDescription('The limit of number of bits per second for the server.') gtm_server_limit_pkts_per_sec = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 14), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerLimitPktsPerSec.setStatus('current') if mibBuilder.loadTexts: gtmServerLimitPktsPerSec.setDescription('The limit of number of packets per second for the server.') gtm_server_limit_conn = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 15), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerLimitConn.setStatus('current') if mibBuilder.loadTexts: gtmServerLimitConn.setDescription('The limit of total number of connections for the server.') gtm_server_limit_conn_per_sec = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 16), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerLimitConnPerSec.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerLimitConnPerSec.setDescription('Deprecated! This feature has been eliminated. The limit of number of connections per second for the server.') gtm_server_prober_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 17), inet_address_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerProberType.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerProberType.setDescription('Deprecated! This is replaced by prober_pool. The prober address type of gtmServerProber.') gtm_server_prober = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 18), inet_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerProber.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerProber.setDescription('Deprecated! This is replaced by prober_pool. The prober address for the specified server. It is interpreted within the context of an gtmServerProberType value.') gtm_server_monitor_rule = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 19), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerMonitorRule.setStatus('current') if mibBuilder.loadTexts: gtmServerMonitorRule.setDescription('The name of monitor rule this server is used.') gtm_server_allow_svc_chk = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 20), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerAllowSvcChk.setStatus('current') if mibBuilder.loadTexts: gtmServerAllowSvcChk.setDescription('The state indicating whether service check is allowed for the specified server.') gtm_server_allow_path = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 21), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerAllowPath.setStatus('current') if mibBuilder.loadTexts: gtmServerAllowPath.setDescription('The state indicating whether path information gathering is allowed for the specified server.') gtm_server_allow_snmp = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 22), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerAllowSnmp.setStatus('current') if mibBuilder.loadTexts: gtmServerAllowSnmp.setDescription('The state indicating whether SNMP information gathering is allowed for the specified server.') gtm_server_autoconf_state = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 23), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1), ('enablednoautodelete', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerAutoconfState.setStatus('current') if mibBuilder.loadTexts: gtmServerAutoconfState.setDescription('The state of auto configuration for BIGIP/3DNS servers. for the specified server.') gtm_server_link_autoconf_state = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 1, 2, 1, 24), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1), ('enablednoautodelete', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerLinkAutoconfState.setStatus('current') if mibBuilder.loadTexts: gtmServerLinkAutoconfState.setDescription('The state of link auto configuration for BIGIP/3DNS servers. for the specified server.') gtm_server_stat_reset_stats = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 2, 1), integer32()).setMaxAccess('readwrite') if mibBuilder.loadTexts: gtmServerStatResetStats.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerStatResetStats.setDescription('Deprecated!. The action to reset resetable statistics data in gtmServerStat. Setting this value to 1 will reset statistics data. Note, some statistics data may not be reset including data that are incremental counters.') gtm_server_stat_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 2, 2), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerStatNumber.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerStatNumber.setDescription('Deprecated!. The number of gtmServerStat entries in the table.') gtm_server_stat_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 2, 3)) if mibBuilder.loadTexts: gtmServerStatTable.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerStatTable.setDescription('Deprecated! Replaced by gtmServerStat2 table. A table containing statistics information of servers within associated data center for GTM (Global Traffic Management).') gtm_server_stat_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 2, 3, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmServerStatName')) if mibBuilder.loadTexts: gtmServerStatEntry.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerStatEntry.setDescription('Columns in the gtmServerStat Table') gtm_server_stat_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 2, 3, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerStatName.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerStatName.setDescription('Deprecated! Replaced by data in gtmServerStat2 table. The name of a server.') gtm_server_stat_unit_id = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 2, 3, 1, 2), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerStatUnitId.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerStatUnitId.setDescription('Deprecated! Replaced by data in gtmServerStat2 table. The unit ID of the specified server.') gtm_server_stat_vs_picks = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 2, 3, 1, 3), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerStatVsPicks.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerStatVsPicks.setDescription('Deprecated! Replaced by data in gtmServerStat2 table. How many times a virtual server of the specified server was picked during resolution of a domain name. I.E amazon.com got resolved to a particular virtual address X times.') gtm_server_stat_cpu_usage = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 2, 3, 1, 4), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerStatCpuUsage.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerStatCpuUsage.setDescription('Deprecated! Replaced by data in gtmServerStat2 table. The CPU usage in percentage for the specified server.') gtm_server_stat_mem_avail = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 2, 3, 1, 5), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerStatMemAvail.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerStatMemAvail.setDescription('Deprecated! Replaced by data in gtmServerStat2 table. The memory available in bytes for the specified server.') gtm_server_stat_bits_per_sec_in = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 2, 3, 1, 6), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerStatBitsPerSecIn.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerStatBitsPerSecIn.setDescription('Deprecated! Replaced by data in gtmServerStat2 table. The number of bits per second received by the specified server.') gtm_server_stat_bits_per_sec_out = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 2, 3, 1, 7), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerStatBitsPerSecOut.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerStatBitsPerSecOut.setDescription('Deprecated! Replaced by data in gtmServerStat2 table. The number of bits per second sent out from the specified server.') gtm_server_stat_pkts_per_sec_in = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 2, 3, 1, 8), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerStatPktsPerSecIn.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerStatPktsPerSecIn.setDescription('Deprecated! Replaced by data in gtmServerStat2 table. The number of packets per second received by the specified server.') gtm_server_stat_pkts_per_sec_out = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 2, 3, 1, 9), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerStatPktsPerSecOut.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerStatPktsPerSecOut.setDescription('Deprecated! Replaced by data in gtmServerStat2 table. The number of packets per second sent out from the specified server.') gtm_server_stat_connections = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 2, 3, 1, 10), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerStatConnections.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerStatConnections.setDescription('Deprecated! Replaced by data in gtmServerStat2 table. The number of total connections to the specified server.') gtm_server_stat_conn_rate = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 2, 3, 1, 11), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerStatConnRate.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerStatConnRate.setDescription('Deprecated! Replaced by data in gtmServerStat2 table. The connection rate (current connection rate/connection rate limit) in percentage for the specified server.') gtm_server_status_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 3, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerStatusNumber.setStatus('current') if mibBuilder.loadTexts: gtmServerStatusNumber.setDescription('The number of gtmServerStatus entries in the table.') gtm_server_status_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 3, 2)) if mibBuilder.loadTexts: gtmServerStatusTable.setStatus('current') if mibBuilder.loadTexts: gtmServerStatusTable.setDescription('A table containing status information of servers within associated data center for GTM (Global Traffic Management).') gtm_server_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 3, 2, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmServerStatusName')) if mibBuilder.loadTexts: gtmServerStatusEntry.setStatus('current') if mibBuilder.loadTexts: gtmServerStatusEntry.setDescription('Columns in the gtmServerStatus Table') gtm_server_status_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 3, 2, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerStatusName.setStatus('current') if mibBuilder.loadTexts: gtmServerStatusName.setDescription('The name of a server.') gtm_server_status_avail_state = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 3, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5))).clone(namedValues=named_values(('none', 0), ('green', 1), ('yellow', 2), ('red', 3), ('blue', 4), ('gray', 5)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerStatusAvailState.setStatus('current') if mibBuilder.loadTexts: gtmServerStatusAvailState.setDescription('The availability of the specified server indicated in color. none - error; green - available in some capacity; yellow - not currently available; red - not available; blue - availability is unknown; gray - unlicensed.') gtm_server_status_enabled_state = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 3, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('none', 0), ('enabled', 1), ('disabled', 2), ('disabledbyparent', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerStatusEnabledState.setStatus('current') if mibBuilder.loadTexts: gtmServerStatusEnabledState.setDescription('The activity status of the specified server, as specified by the user.') gtm_server_status_parent_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 3, 2, 1, 4), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerStatusParentType.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerStatusParentType.setDescription('Deprecated! This is an internal data. The type of parent object which disabled the specified server.') gtm_server_status_detail_reason = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 3, 2, 1, 5), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerStatusDetailReason.setStatus('current') if mibBuilder.loadTexts: gtmServerStatusDetailReason.setDescription("The detail description of the specified node's status.") gtm_top_item_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 10, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmTopItemNumber.setStatus('current') if mibBuilder.loadTexts: gtmTopItemNumber.setDescription('The number of gtmTopItem entries in the table.') gtm_top_item_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 10, 1, 2)) if mibBuilder.loadTexts: gtmTopItemTable.setStatus('current') if mibBuilder.loadTexts: gtmTopItemTable.setDescription('A table containing information of topology attributes for GTM (Global Traffic Management).') gtm_top_item_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 10, 1, 2, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmTopItemLdnsType'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmTopItemLdnsNegate'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmTopItemLdnsEntry'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmTopItemServerType'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmTopItemServerNegate'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmTopItemServerEntry')) if mibBuilder.loadTexts: gtmTopItemEntry.setStatus('current') if mibBuilder.loadTexts: gtmTopItemEntry.setDescription('Columns in the gtmTopItem Table') gtm_top_item_ldns_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 10, 1, 2, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('cidr', 0), ('region', 1), ('continent', 2), ('country', 3), ('state', 4), ('pool', 5), ('datacenter', 6), ('ispregion', 7), ('geoip-isp', 8)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmTopItemLdnsType.setStatus('current') if mibBuilder.loadTexts: gtmTopItemLdnsType.setDescription('The type of topology end point for the LDNS.') gtm_top_item_ldns_negate = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 10, 1, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmTopItemLdnsNegate.setStatus('current') if mibBuilder.loadTexts: gtmTopItemLdnsNegate.setDescription('The state indicating whether the end point is not equal to the definition the LDNS.') gtm_top_item_ldns_entry = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 10, 1, 2, 1, 3), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmTopItemLdnsEntry.setStatus('current') if mibBuilder.loadTexts: gtmTopItemLdnsEntry.setDescription('The LDNS entry which could be an IP address, a region name, a continent, etc.') gtm_top_item_server_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 10, 1, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('cidr', 0), ('region', 1), ('continent', 2), ('country', 3), ('state', 4), ('pool', 5), ('datacenter', 6), ('ispregion', 7), ('geoip-isp', 8)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmTopItemServerType.setStatus('current') if mibBuilder.loadTexts: gtmTopItemServerType.setDescription('The type of topology end point for the virtual server.') gtm_top_item_server_negate = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 10, 1, 2, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmTopItemServerNegate.setStatus('current') if mibBuilder.loadTexts: gtmTopItemServerNegate.setDescription('The state indicating whether the end point is not equal to the definition for the virtual server.') gtm_top_item_server_entry = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 10, 1, 2, 1, 6), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmTopItemServerEntry.setStatus('current') if mibBuilder.loadTexts: gtmTopItemServerEntry.setDescription('The server entry which could be an IP address, a region name, a continent, etc.') gtm_top_item_weight = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 10, 1, 2, 1, 7), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmTopItemWeight.setStatus('current') if mibBuilder.loadTexts: gtmTopItemWeight.setDescription('The relative weight for the topology record.') gtm_top_item_order = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 10, 1, 2, 1, 8), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmTopItemOrder.setStatus('current') if mibBuilder.loadTexts: gtmTopItemOrder.setDescription('The order of the record without longest match sorting.') gtm_vs_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsNumber.setStatus('current') if mibBuilder.loadTexts: gtmVsNumber.setDescription('The number of gtmVirtualServ entries in the table.') gtm_vs_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2)) if mibBuilder.loadTexts: gtmVsTable.setStatus('current') if mibBuilder.loadTexts: gtmVsTable.setDescription('A table containing information of virtual servers for GTM (Global Traffic Management).') gtm_vs_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmVsServerName'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmVsName')) if mibBuilder.loadTexts: gtmVsEntry.setStatus('current') if mibBuilder.loadTexts: gtmVsEntry.setDescription('Columns in the gtmVs Table') gtm_vs_ip_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 1), inet_address_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsIpType.setStatus('current') if mibBuilder.loadTexts: gtmVsIpType.setDescription('The IP address type of gtmVirtualServIp.') gtm_vs_ip = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 2), inet_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsIp.setStatus('current') if mibBuilder.loadTexts: gtmVsIp.setDescription('The IP address of a virtual server. It is interpreted within the context of a gtmVirtualServIpType value.') gtm_vs_port = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 3), inet_port_number()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsPort.setStatus('current') if mibBuilder.loadTexts: gtmVsPort.setDescription('The port of a virtual server.') gtm_vs_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 4), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsName.setStatus('current') if mibBuilder.loadTexts: gtmVsName.setDescription('The name of the specified virtual server.') gtm_vs_server_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 5), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsServerName.setStatus('current') if mibBuilder.loadTexts: gtmVsServerName.setDescription('The name of the server with which the specified virtual server associates.') gtm_vs_ip_xlated_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 6), inet_address_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsIpXlatedType.setStatus('current') if mibBuilder.loadTexts: gtmVsIpXlatedType.setDescription('The IP address type of gtmVirtualServIpXlated.') gtm_vs_ip_xlated = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 7), inet_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsIpXlated.setStatus('current') if mibBuilder.loadTexts: gtmVsIpXlated.setDescription('The translated IP address for the specified virtual server. It is interpreted within the context of a gtmVirtualServIpXlatedType value.') gtm_vs_port_xlated = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 8), inet_port_number()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsPortXlated.setStatus('current') if mibBuilder.loadTexts: gtmVsPortXlated.setDescription('The translated port for the specified virtual server.') gtm_vs_limit_cpu_usage_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsLimitCpuUsageEnabled.setStatus('current') if mibBuilder.loadTexts: gtmVsLimitCpuUsageEnabled.setDescription('The state indicating whether to set limit of CPU usage is enabled or not for the virtual server.') gtm_vs_limit_mem_avail_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsLimitMemAvailEnabled.setStatus('current') if mibBuilder.loadTexts: gtmVsLimitMemAvailEnabled.setDescription('The state indicating whether to set limit of available memory is enabled or not for the virtual server.') gtm_vs_limit_bits_per_sec_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsLimitBitsPerSecEnabled.setStatus('current') if mibBuilder.loadTexts: gtmVsLimitBitsPerSecEnabled.setDescription('The state indicating whether to limit of number of bits per second is enabled or not for the virtual server.') gtm_vs_limit_pkts_per_sec_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsLimitPktsPerSecEnabled.setStatus('current') if mibBuilder.loadTexts: gtmVsLimitPktsPerSecEnabled.setDescription('The state indicating whether to set limit of number of packets per second is enabled or not for the virtual server.') gtm_vs_limit_conn_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsLimitConnEnabled.setStatus('current') if mibBuilder.loadTexts: gtmVsLimitConnEnabled.setDescription('The state indicating whether to set limit of total connections is enabled or not for the virtual server.') gtm_vs_limit_conn_per_sec_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 14), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsLimitConnPerSecEnabled.setStatus('deprecated') if mibBuilder.loadTexts: gtmVsLimitConnPerSecEnabled.setDescription('Deprecated! This feature has been eliminated. The state indicating whether to set limit of connections per second is enabled or not for the virtual server.') gtm_vs_limit_cpu_usage = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 15), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsLimitCpuUsage.setStatus('current') if mibBuilder.loadTexts: gtmVsLimitCpuUsage.setDescription('The limit of CPU usage as a percentage for the virtual server.') gtm_vs_limit_mem_avail = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 16), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsLimitMemAvail.setStatus('current') if mibBuilder.loadTexts: gtmVsLimitMemAvail.setDescription('The limit of memory available in bytes for the virtual server.') gtm_vs_limit_bits_per_sec = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 17), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsLimitBitsPerSec.setStatus('current') if mibBuilder.loadTexts: gtmVsLimitBitsPerSec.setDescription('The limit of number of bits per second for the virtual server.') gtm_vs_limit_pkts_per_sec = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 18), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsLimitPktsPerSec.setStatus('current') if mibBuilder.loadTexts: gtmVsLimitPktsPerSec.setDescription('The limit of number of packets per second for the virtual server.') gtm_vs_limit_conn = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 19), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsLimitConn.setStatus('current') if mibBuilder.loadTexts: gtmVsLimitConn.setDescription('The limit of total number of connections for the virtual server.') gtm_vs_limit_conn_per_sec = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 20), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsLimitConnPerSec.setStatus('deprecated') if mibBuilder.loadTexts: gtmVsLimitConnPerSec.setDescription('Deprecated! This feature has been eliminated. The limit of number of connections per second for the virtual server.') gtm_vs_monitor_rule = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 21), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsMonitorRule.setStatus('current') if mibBuilder.loadTexts: gtmVsMonitorRule.setDescription('The name of the monitor rule for this virtual server.') gtm_vs_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 22), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disable', 0), ('enable', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsEnabled.setStatus('current') if mibBuilder.loadTexts: gtmVsEnabled.setDescription('The state indicating whether the virtual server is enabled or not.') gtm_vs_link_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 1, 2, 1, 23), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsLinkName.setStatus('current') if mibBuilder.loadTexts: gtmVsLinkName.setDescription('The parent link of this virtual server.') gtm_vs_deps_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 2, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsDepsNumber.setStatus('current') if mibBuilder.loadTexts: gtmVsDepsNumber.setDescription('The number of gtmVirtualServDepends entries in the table.') gtm_vs_deps_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 2, 2)) if mibBuilder.loadTexts: gtmVsDepsTable.setStatus('current') if mibBuilder.loadTexts: gtmVsDepsTable.setDescription("A table containing information of virtual servers' dependencies on other virtual servers for GTM (Global Traffic Management).") gtm_vs_deps_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 2, 2, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmVsDepsServerName'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmVsDepsVsName'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmVsDepsDependServerName'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmVsDepsDependVsName')) if mibBuilder.loadTexts: gtmVsDepsEntry.setStatus('current') if mibBuilder.loadTexts: gtmVsDepsEntry.setDescription('Columns in the gtmVsDeps Table') gtm_vs_deps_ip_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 2, 2, 1, 1), inet_address_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsDepsIpType.setStatus('deprecated') if mibBuilder.loadTexts: gtmVsDepsIpType.setDescription('Deprecated! use server_name and vs_name instead, The IP address type of gtmVsDepsIp.') gtm_vs_deps_ip = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 2, 2, 1, 2), inet_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsDepsIp.setStatus('deprecated') if mibBuilder.loadTexts: gtmVsDepsIp.setDescription('Deprecated! use server_name and vs_name instead, The IP address of a virtual server. It is interpreted within the context of gtmVsDepsIpType value.') gtm_vs_deps_port = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 2, 2, 1, 3), inet_port_number()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsDepsPort.setStatus('deprecated') if mibBuilder.loadTexts: gtmVsDepsPort.setDescription('Deprecated! use server_name and vs_name instead, The port of a virtual server.') gtm_vs_deps_vip_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 2, 2, 1, 4), inet_address_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsDepsVipType.setStatus('deprecated') if mibBuilder.loadTexts: gtmVsDepsVipType.setDescription('Deprecated! use depend server_name and vs_name instead, The IP address type of gtmVsDepsVip') gtm_vs_deps_vip = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 2, 2, 1, 5), inet_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsDepsVip.setStatus('deprecated') if mibBuilder.loadTexts: gtmVsDepsVip.setDescription('Deprecated! use depend server_name and vs_name instead, The IP address of a virtual server on which the specified virtual server depends. It is interpreted within the context of gtmVsDepsOnVipType value.') gtm_vs_deps_vport = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 2, 2, 1, 6), inet_port_number()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsDepsVport.setStatus('deprecated') if mibBuilder.loadTexts: gtmVsDepsVport.setDescription('Deprecated! depend use server_name and vs_name instead, The port of a virtual server on which the specified virtual server depends.') gtm_vs_deps_server_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 2, 2, 1, 7), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsDepsServerName.setStatus('current') if mibBuilder.loadTexts: gtmVsDepsServerName.setDescription('The name of the server with which the specified virtual server is associated.') gtm_vs_deps_vs_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 2, 2, 1, 8), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsDepsVsName.setStatus('current') if mibBuilder.loadTexts: gtmVsDepsVsName.setDescription('The virtual server name.') gtm_vs_deps_depend_server_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 2, 2, 1, 9), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsDepsDependServerName.setStatus('current') if mibBuilder.loadTexts: gtmVsDepsDependServerName.setDescription('The server name of a virtual server on which the specified virtual server depends.') gtm_vs_deps_depend_vs_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 2, 2, 1, 10), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsDepsDependVsName.setStatus('current') if mibBuilder.loadTexts: gtmVsDepsDependVsName.setDescription('The virtual server name on which the specified virtual server depends.') gtm_vs_stat_reset_stats = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3, 1), integer32()).setMaxAccess('readwrite') if mibBuilder.loadTexts: gtmVsStatResetStats.setStatus('current') if mibBuilder.loadTexts: gtmVsStatResetStats.setDescription('The action to reset resetable statistics data in gtmVirtualServStat. Setting this value to 1 will reset statistics data. Note, some statistics data may not be reset including data that are incremental counters.') gtm_vs_stat_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3, 2), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsStatNumber.setStatus('current') if mibBuilder.loadTexts: gtmVsStatNumber.setDescription('The number of gtmVirtualServStat entries in the table.') gtm_vs_stat_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3, 3)) if mibBuilder.loadTexts: gtmVsStatTable.setStatus('current') if mibBuilder.loadTexts: gtmVsStatTable.setDescription('A table containing statistics information of virtual servers for GTM (Global Traffic Management).') gtm_vs_stat_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3, 3, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmVsStatServerName'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmVsStatName')) if mibBuilder.loadTexts: gtmVsStatEntry.setStatus('current') if mibBuilder.loadTexts: gtmVsStatEntry.setDescription('Columns in the gtmVsStat Table') gtm_vs_stat_ip_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3, 3, 1, 1), inet_address_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsStatIpType.setStatus('deprecated') if mibBuilder.loadTexts: gtmVsStatIpType.setDescription('Deprecated! use server_name and vs_name instead, The IP address type of gtmVirtualServStatIp.') gtm_vs_stat_ip = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3, 3, 1, 2), inet_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsStatIp.setStatus('deprecated') if mibBuilder.loadTexts: gtmVsStatIp.setDescription('Deprecated! use server_name and vs_name instead, The IP address of a virtual server. It is interpreted within the context of gtmVirtualServStatIpType value.') gtm_vs_stat_port = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3, 3, 1, 3), inet_port_number()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsStatPort.setStatus('deprecated') if mibBuilder.loadTexts: gtmVsStatPort.setDescription('Deprecated! use server_name and vs_name instead, The port of a virtual server.') gtm_vs_stat_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3, 3, 1, 4), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsStatName.setStatus('current') if mibBuilder.loadTexts: gtmVsStatName.setDescription('The name of the specified virtual server.') gtm_vs_stat_cpu_usage = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3, 3, 1, 5), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsStatCpuUsage.setStatus('current') if mibBuilder.loadTexts: gtmVsStatCpuUsage.setDescription('The CPU usage in percentage for the specified virtual server.') gtm_vs_stat_mem_avail = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3, 3, 1, 6), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsStatMemAvail.setStatus('current') if mibBuilder.loadTexts: gtmVsStatMemAvail.setDescription('The memory available in bytes for the specified virtual server.') gtm_vs_stat_bits_per_sec_in = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3, 3, 1, 7), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsStatBitsPerSecIn.setStatus('current') if mibBuilder.loadTexts: gtmVsStatBitsPerSecIn.setDescription('The number of bits per second received by the specified virtual server.') gtm_vs_stat_bits_per_sec_out = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3, 3, 1, 8), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsStatBitsPerSecOut.setStatus('current') if mibBuilder.loadTexts: gtmVsStatBitsPerSecOut.setDescription('The number of bits per second sent out from the specified virtual server.') gtm_vs_stat_pkts_per_sec_in = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3, 3, 1, 9), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsStatPktsPerSecIn.setStatus('current') if mibBuilder.loadTexts: gtmVsStatPktsPerSecIn.setDescription('The number of packets per second received by the specified virtual server.') gtm_vs_stat_pkts_per_sec_out = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3, 3, 1, 10), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsStatPktsPerSecOut.setStatus('current') if mibBuilder.loadTexts: gtmVsStatPktsPerSecOut.setDescription('The number of packets per second sent out from the specified virtual server.') gtm_vs_stat_connections = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3, 3, 1, 11), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsStatConnections.setStatus('current') if mibBuilder.loadTexts: gtmVsStatConnections.setDescription('The number of total connections to the specified virtual server.') gtm_vs_stat_conn_rate = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3, 3, 1, 12), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsStatConnRate.setStatus('deprecated') if mibBuilder.loadTexts: gtmVsStatConnRate.setDescription('Deprecated! Replaced by gtmVsStatVsScore. The connection rate (current connection rate/connection rate limit) in percentage for the specified virtual server.') gtm_vs_stat_vs_score = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3, 3, 1, 13), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsStatVsScore.setStatus('current') if mibBuilder.loadTexts: gtmVsStatVsScore.setDescription('A user-defined value that specifies the ranking of the virtual server when compared to other virtual servers within the same pool.') gtm_vs_stat_server_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 3, 3, 1, 14), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsStatServerName.setStatus('current') if mibBuilder.loadTexts: gtmVsStatServerName.setDescription('The name of the server with which the specified virtual server is associated.') gtm_vs_status_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 4, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsStatusNumber.setStatus('current') if mibBuilder.loadTexts: gtmVsStatusNumber.setDescription('The number of gtmVirtualServStatus entries in the table.') gtm_vs_status_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 4, 2)) if mibBuilder.loadTexts: gtmVsStatusTable.setStatus('current') if mibBuilder.loadTexts: gtmVsStatusTable.setDescription('A table containing status information of virtual servers for GTM (Global Traffic Management).') gtm_vs_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 4, 2, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmVsStatusServerName'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmVsStatusVsName')) if mibBuilder.loadTexts: gtmVsStatusEntry.setStatus('current') if mibBuilder.loadTexts: gtmVsStatusEntry.setDescription('Columns in the gtmVsStatus Table') gtm_vs_status_ip_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 4, 2, 1, 1), inet_address_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsStatusIpType.setStatus('deprecated') if mibBuilder.loadTexts: gtmVsStatusIpType.setDescription('Deprecated! use server_name and vs_name instead, The IP address type of gtmVirtualServStatusIp.') gtm_vs_status_ip = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 4, 2, 1, 2), inet_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsStatusIp.setStatus('deprecated') if mibBuilder.loadTexts: gtmVsStatusIp.setDescription('Deprecated! use server_name and vs_name instead, The IP address of a virtual server. It is interpreted within the context of gtmVirtualServStatusIpType value.') gtm_vs_status_port = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 4, 2, 1, 3), inet_port_number()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsStatusPort.setStatus('deprecated') if mibBuilder.loadTexts: gtmVsStatusPort.setDescription('Deprecated! use server_name and vs_name instead, The port of a virtual server.') gtm_vs_status_avail_state = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 4, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5))).clone(namedValues=named_values(('none', 0), ('green', 1), ('yellow', 2), ('red', 3), ('blue', 4), ('gray', 5)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsStatusAvailState.setStatus('current') if mibBuilder.loadTexts: gtmVsStatusAvailState.setDescription('The availability of the specified virtual server indicated in color. none - error; green - available in some capacity; yellow - not currently available; red - not available; blue - availability is unknown; gray - unlicensed.') gtm_vs_status_enabled_state = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 4, 2, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('none', 0), ('enabled', 1), ('disabled', 2), ('disabledbyparent', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsStatusEnabledState.setStatus('current') if mibBuilder.loadTexts: gtmVsStatusEnabledState.setDescription('The activity status of the specified virtual server, as specified by the user.') gtm_vs_status_parent_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 4, 2, 1, 6), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsStatusParentType.setStatus('deprecated') if mibBuilder.loadTexts: gtmVsStatusParentType.setDescription('Deprecated! This is an internal data. The type of parent object which disabled this virtual server.') gtm_vs_status_detail_reason = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 4, 2, 1, 7), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsStatusDetailReason.setStatus('current') if mibBuilder.loadTexts: gtmVsStatusDetailReason.setDescription("The detail description of the specified virtual server's status.") gtm_vs_status_vs_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 4, 2, 1, 8), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsStatusVsName.setStatus('current') if mibBuilder.loadTexts: gtmVsStatusVsName.setDescription('The name of the specified virtual server.') gtm_vs_status_server_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 11, 4, 2, 1, 9), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmVsStatusServerName.setStatus('current') if mibBuilder.loadTexts: gtmVsStatusServerName.setDescription('The name of the server with which the specified virtual server is associated.') gtm_wideip_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipNumber.setStatus('current') if mibBuilder.loadTexts: gtmWideipNumber.setDescription('The number of gtmWideip entries in the table.') gtm_wideip_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 1, 2)) if mibBuilder.loadTexts: gtmWideipTable.setStatus('current') if mibBuilder.loadTexts: gtmWideipTable.setDescription('A table containing information of wide IPs for GTM (Global Traffic Management).') gtm_wideip_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 1, 2, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmWideipName')) if mibBuilder.loadTexts: gtmWideipEntry.setStatus('current') if mibBuilder.loadTexts: gtmWideipEntry.setDescription('Columns in the gtmWideip Table') gtm_wideip_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 1, 2, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipName.setStatus('current') if mibBuilder.loadTexts: gtmWideipName.setDescription('The name of a wide IP.') gtm_wideip_persist = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 1, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipPersist.setStatus('current') if mibBuilder.loadTexts: gtmWideipPersist.setDescription('The state indicating whether or not to maintain a connection between a LDNS and a particular virtual server for the specified wide IP.') gtm_wideip_ttl_persist = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 1, 2, 1, 3), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipTtlPersist.setStatus('current') if mibBuilder.loadTexts: gtmWideipTtlPersist.setDescription('The persistence TTL value of the specified wide IP. This value (in seconds) indicates the time to maintain a connection between an LDNS and a particular virtual server.') gtm_wideip_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 1, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disable', 0), ('enable', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipEnabled.setStatus('current') if mibBuilder.loadTexts: gtmWideipEnabled.setDescription('The state indicating whether the specified wide IP is enabled or not.') gtm_wideip_lbmode_pool = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 1, 2, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18))).clone(namedValues=named_values(('returntodns', 0), ('null', 1), ('roundrobin', 2), ('ratio', 3), ('topology', 4), ('statpersit', 5), ('ga', 6), ('vscapacity', 7), ('leastconn', 8), ('lowestrtt', 9), ('lowesthops', 10), ('packetrate', 11), ('cpu', 12), ('hitratio', 13), ('qos', 14), ('bps', 15), ('droppacket', 16), ('explicitip', 17), ('vsscore', 18)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipLbmodePool.setStatus('current') if mibBuilder.loadTexts: gtmWideipLbmodePool.setDescription('The load balancing method for the specified wide IP. This is used by the wide IPs when picking a pool to use when responding to a DNS request.') gtm_wideip_application = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 1, 2, 1, 6), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipApplication.setStatus('current') if mibBuilder.loadTexts: gtmWideipApplication.setDescription('The application name the specified wide IP is used for.') gtm_wideip_last_resort_pool = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 1, 2, 1, 7), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipLastResortPool.setStatus('current') if mibBuilder.loadTexts: gtmWideipLastResortPool.setDescription('The name of the last-resort pool for the specified wide IP.') gtm_wideip_ipv6_noerror = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 1, 2, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipIpv6Noerror.setStatus('current') if mibBuilder.loadTexts: gtmWideipIpv6Noerror.setDescription('When enabled, all IPv6 wide IP requests will be returned with a noerror response.') gtm_wideip_load_balancing_decision_log_verbosity = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 1, 2, 1, 9), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipLoadBalancingDecisionLogVerbosity.setStatus('current') if mibBuilder.loadTexts: gtmWideipLoadBalancingDecisionLogVerbosity.setDescription('The log verbosity value when making load-balancing decisions. From the least significant bit to the most significant bit, each bit represents enabling or disabling a certain load balancing log. When the first bit is 1, log will contain pool load-balancing algorithm details. When the second bit is 1, log will contain details of all pools traversed during load-balancing. When the third bit is 1, log will contain pool member load-balancing algorithm details. When the fourth bit is 1, log will contain details of all pool members traversed during load-balancing.') gtm_wideip_stat_reset_stats = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 2, 1), integer32()).setMaxAccess('readwrite') if mibBuilder.loadTexts: gtmWideipStatResetStats.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatResetStats.setDescription('The action to reset resetable statistics data in gtmWideipStat. Setting this value to 1 will reset statistics data. Note, some statistics data may not be reset including data that are incremental counters.') gtm_wideip_stat_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 2, 2), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipStatNumber.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatNumber.setDescription('The number of gtmWideipStat entries in the table.') gtm_wideip_stat_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 2, 3)) if mibBuilder.loadTexts: gtmWideipStatTable.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatTable.setDescription('A table containing statistics information of wide IPs for GTM (Global Traffic Management).') gtm_wideip_stat_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 2, 3, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmWideipStatName')) if mibBuilder.loadTexts: gtmWideipStatEntry.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatEntry.setDescription('Columns in the gtmWideipStat Table') gtm_wideip_stat_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 2, 3, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipStatName.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatName.setDescription('The name of the wide IP.') gtm_wideip_stat_requests = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 2, 3, 1, 2), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipStatRequests.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatRequests.setDescription('The number of total requests for the specified wide IP.') gtm_wideip_stat_resolutions = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 2, 3, 1, 3), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipStatResolutions.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatResolutions.setDescription('The number of total resolutions for the specified wide IP.') gtm_wideip_stat_persisted = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 2, 3, 1, 4), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipStatPersisted.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatPersisted.setDescription('The number of persisted requests for the specified wide IP.') gtm_wideip_stat_preferred = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 2, 3, 1, 5), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipStatPreferred.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatPreferred.setDescription('The number of times which the preferred load balance method is used for the specified wide IP.') gtm_wideip_stat_fallback = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 2, 3, 1, 6), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipStatFallback.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatFallback.setDescription('The number of times which the alternate load balance method is used for the specified wide IP.') gtm_wideip_stat_dropped = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 2, 3, 1, 7), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipStatDropped.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatDropped.setDescription('The number of dropped DNS messages for the specified wide IP.') gtm_wideip_stat_explicit_ip = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 2, 3, 1, 8), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipStatExplicitIp.setStatus('deprecated') if mibBuilder.loadTexts: gtmWideipStatExplicitIp.setDescription('Deprecated! The number of times which a LDNS was persisted to the specified wide IP by the explicit IP rule.') gtm_wideip_stat_return_to_dns = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 2, 3, 1, 9), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipStatReturnToDns.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatReturnToDns.setDescription('The number of times which a resolve was returned to DNS (for resolution) for the specified wide IP.') gtm_wideip_stat_return_from_dns = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 2, 3, 1, 10), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipStatReturnFromDns.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatReturnFromDns.setDescription('The number of times which a resolve was returned from DNS for the specified wide IP.') gtm_wideip_stat_cname_resolutions = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 2, 3, 1, 11), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipStatCnameResolutions.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatCnameResolutions.setDescription('The number of times which a query is resolved by the CNAME of pools associated with the specified Wide IP.') gtm_wideip_stat_a_requests = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 2, 3, 1, 12), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipStatARequests.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatARequests.setDescription('The number of A requests for the specified wide IP.') gtm_wideip_stat_aaaa_requests = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 2, 3, 1, 13), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipStatAaaaRequests.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatAaaaRequests.setDescription('The number of AAAA requests for the specified wide IP.') gtm_wideip_status_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 3, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipStatusNumber.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatusNumber.setDescription('The number of gtmWideipStatus entries in the table.') gtm_wideip_status_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 3, 2)) if mibBuilder.loadTexts: gtmWideipStatusTable.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatusTable.setDescription('A table containing status information of wide IPs for GTM (Global Traffic Management).') gtm_wideip_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 3, 2, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmWideipStatusName')) if mibBuilder.loadTexts: gtmWideipStatusEntry.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatusEntry.setDescription('Columns in the gtmWideipStatus Table') gtm_wideip_status_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 3, 2, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipStatusName.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatusName.setDescription('The name of a wide IP.') gtm_wideip_status_avail_state = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 3, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5))).clone(namedValues=named_values(('none', 0), ('green', 1), ('yellow', 2), ('red', 3), ('blue', 4), ('gray', 5)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipStatusAvailState.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatusAvailState.setDescription('The availability of the specified wide IP indicated in color. none - error; green - available in some capacity; yellow - not currently available; red - not available; blue - availability is unknown; gray - unlicensed.') gtm_wideip_status_enabled_state = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 3, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('none', 0), ('enabled', 1), ('disabled', 2), ('disabledbyparent', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipStatusEnabledState.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatusEnabledState.setDescription('The activity status of the specified wide IP, as specified by the user.') gtm_wideip_status_parent_type = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 3, 2, 1, 4), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipStatusParentType.setStatus('deprecated') if mibBuilder.loadTexts: gtmWideipStatusParentType.setDescription('Deprecated! This is an internal data. The type of parent object which disabled the specified wide IP.') gtm_wideip_status_detail_reason = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 3, 2, 1, 5), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipStatusDetailReason.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatusDetailReason.setDescription("The detail description of the specified wide IP's status.") gtm_wideip_alias_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 4, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipAliasNumber.setStatus('current') if mibBuilder.loadTexts: gtmWideipAliasNumber.setDescription('The number of gtmWideipAlias entries in the table.') gtm_wideip_alias_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 4, 2)) if mibBuilder.loadTexts: gtmWideipAliasTable.setStatus('current') if mibBuilder.loadTexts: gtmWideipAliasTable.setDescription('A table containing information of aliases of the specified wide IPs for GTM (Global Traffic Management).') gtm_wideip_alias_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 4, 2, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmWideipAliasWipName'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmWideipAliasName')) if mibBuilder.loadTexts: gtmWideipAliasEntry.setStatus('current') if mibBuilder.loadTexts: gtmWideipAliasEntry.setDescription('Columns in the gtmWideipAlias Table') gtm_wideip_alias_wip_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 4, 2, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipAliasWipName.setStatus('current') if mibBuilder.loadTexts: gtmWideipAliasWipName.setDescription('The name of the wide IP.') gtm_wideip_alias_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 4, 2, 1, 2), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipAliasName.setStatus('current') if mibBuilder.loadTexts: gtmWideipAliasName.setDescription('The alias name of the specified wide IP.') gtm_wideip_pool_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 5, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipPoolNumber.setStatus('current') if mibBuilder.loadTexts: gtmWideipPoolNumber.setDescription('The number of gtmWideipPool entries in the table.') gtm_wideip_pool_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 5, 2)) if mibBuilder.loadTexts: gtmWideipPoolTable.setStatus('current') if mibBuilder.loadTexts: gtmWideipPoolTable.setDescription('A table containing information of pools associated with the specified wide IPs for GTM (Global Traffic Management).') gtm_wideip_pool_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 5, 2, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmWideipPoolWipName'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmWideipPoolPoolName')) if mibBuilder.loadTexts: gtmWideipPoolEntry.setStatus('current') if mibBuilder.loadTexts: gtmWideipPoolEntry.setDescription('Columns in the gtmWideipPool Table') gtm_wideip_pool_wip_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 5, 2, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipPoolWipName.setStatus('current') if mibBuilder.loadTexts: gtmWideipPoolWipName.setDescription('The name of the wide IP.') gtm_wideip_pool_pool_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 5, 2, 1, 2), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipPoolPoolName.setStatus('current') if mibBuilder.loadTexts: gtmWideipPoolPoolName.setDescription('The name of the pool which associates with the specified wide IP.') gtm_wideip_pool_order = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 5, 2, 1, 3), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipPoolOrder.setStatus('current') if mibBuilder.loadTexts: gtmWideipPoolOrder.setDescription('This determines order of pools in wip. zero-based.') gtm_wideip_pool_ratio = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 5, 2, 1, 4), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipPoolRatio.setStatus('current') if mibBuilder.loadTexts: gtmWideipPoolRatio.setDescription('The load balancing ratio given to the specified pool.') gtm_wideip_rule_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 6, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipRuleNumber.setStatus('current') if mibBuilder.loadTexts: gtmWideipRuleNumber.setDescription('The number of gtmWideipRule entries in the table.') gtm_wideip_rule_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 6, 2)) if mibBuilder.loadTexts: gtmWideipRuleTable.setStatus('current') if mibBuilder.loadTexts: gtmWideipRuleTable.setDescription('A table containing information of rules associated with the specified wide IPs for GTM (Global Traffic Management).') gtm_wideip_rule_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 6, 2, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmWideipRuleWipName'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmWideipRuleRuleName')) if mibBuilder.loadTexts: gtmWideipRuleEntry.setStatus('current') if mibBuilder.loadTexts: gtmWideipRuleEntry.setDescription('Columns in the gtmWideipRule Table') gtm_wideip_rule_wip_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 6, 2, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipRuleWipName.setStatus('current') if mibBuilder.loadTexts: gtmWideipRuleWipName.setDescription('The name of the wide IP.') gtm_wideip_rule_rule_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 6, 2, 1, 2), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipRuleRuleName.setStatus('current') if mibBuilder.loadTexts: gtmWideipRuleRuleName.setDescription('The name of the rule which associates with the specified wide IP.') gtm_wideip_rule_priority = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 12, 6, 2, 1, 3), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmWideipRulePriority.setStatus('current') if mibBuilder.loadTexts: gtmWideipRulePriority.setDescription('The execution priority of the rule for the specified wide IP.') gtm_server_stat2_reset_stats = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 4, 1), integer32()).setMaxAccess('readwrite') if mibBuilder.loadTexts: gtmServerStat2ResetStats.setStatus('current') if mibBuilder.loadTexts: gtmServerStat2ResetStats.setDescription('The action to reset resetable statistics data in gtmServerStat2. Setting this value to 1 will reset statistics data. Note, some statistics data may not be reset including data that are incremental counters.') gtm_server_stat2_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 4, 2), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerStat2Number.setStatus('current') if mibBuilder.loadTexts: gtmServerStat2Number.setDescription('The number of gtmServerStat2 entries in the table.') gtm_server_stat2_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 4, 3)) if mibBuilder.loadTexts: gtmServerStat2Table.setStatus('current') if mibBuilder.loadTexts: gtmServerStat2Table.setDescription('A table containing statistics information of servers within associated data center for GTM (Global Traffic Management).') gtm_server_stat2_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 4, 3, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmServerStat2Name')) if mibBuilder.loadTexts: gtmServerStat2Entry.setStatus('current') if mibBuilder.loadTexts: gtmServerStat2Entry.setDescription('Columns in the gtmServerStat2 Table') gtm_server_stat2_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 4, 3, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerStat2Name.setStatus('current') if mibBuilder.loadTexts: gtmServerStat2Name.setDescription('The name of a server.') gtm_server_stat2_unit_id = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 4, 3, 1, 2), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerStat2UnitId.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerStat2UnitId.setDescription('Deprecated! This feature has been eliminated. The unit ID of the specified server.') gtm_server_stat2_vs_picks = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 4, 3, 1, 3), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerStat2VsPicks.setStatus('current') if mibBuilder.loadTexts: gtmServerStat2VsPicks.setDescription('How many times a virtual server of the specified server was picked during resolution of a domain name. I.E amazon.com got resolved to a particular virtual address X times.') gtm_server_stat2_cpu_usage = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 4, 3, 1, 4), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerStat2CpuUsage.setStatus('current') if mibBuilder.loadTexts: gtmServerStat2CpuUsage.setDescription('The CPU usage in percentage for the specified server.') gtm_server_stat2_mem_avail = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 4, 3, 1, 5), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerStat2MemAvail.setStatus('current') if mibBuilder.loadTexts: gtmServerStat2MemAvail.setDescription('The memory available in bytes for the specified server.') gtm_server_stat2_bits_per_sec_in = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 4, 3, 1, 6), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerStat2BitsPerSecIn.setStatus('current') if mibBuilder.loadTexts: gtmServerStat2BitsPerSecIn.setDescription('The number of bits per second received by the specified server.') gtm_server_stat2_bits_per_sec_out = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 4, 3, 1, 7), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerStat2BitsPerSecOut.setStatus('current') if mibBuilder.loadTexts: gtmServerStat2BitsPerSecOut.setDescription('The number of bits per second sent out from the specified server.') gtm_server_stat2_pkts_per_sec_in = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 4, 3, 1, 8), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerStat2PktsPerSecIn.setStatus('current') if mibBuilder.loadTexts: gtmServerStat2PktsPerSecIn.setDescription('The number of packets per second received by the specified server.') gtm_server_stat2_pkts_per_sec_out = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 4, 3, 1, 9), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerStat2PktsPerSecOut.setStatus('current') if mibBuilder.loadTexts: gtmServerStat2PktsPerSecOut.setDescription('The number of packets per second sent out from the specified server.') gtm_server_stat2_connections = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 4, 3, 1, 10), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerStat2Connections.setStatus('current') if mibBuilder.loadTexts: gtmServerStat2Connections.setDescription('The number of total connections to the specified server.') gtm_server_stat2_conn_rate = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 9, 4, 3, 1, 11), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmServerStat2ConnRate.setStatus('deprecated') if mibBuilder.loadTexts: gtmServerStat2ConnRate.setDescription('Deprecated! This feature has been eliminated. The connection rate (current connection rate/connection rate limit) in percentage for the specified server.') gtm_prober_pool_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmProberPoolNumber.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolNumber.setDescription('The number of gtmProberPool entries in the table.') gtm_prober_pool_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 1, 2)) if mibBuilder.loadTexts: gtmProberPoolTable.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolTable.setDescription('A table containing information for GTM prober pools.') gtm_prober_pool_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 1, 2, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolName')) if mibBuilder.loadTexts: gtmProberPoolEntry.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolEntry.setDescription('Columns in the gtmProberPool Table') gtm_prober_pool_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 1, 2, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmProberPoolName.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolName.setDescription('The name of a prober pool.') gtm_prober_pool_lb_mode = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 1, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(2, 6))).clone(namedValues=named_values(('roundrobin', 2), ('ga', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmProberPoolLbMode.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolLbMode.setDescription('The preferred load balancing method for the specified prober pool.') gtm_prober_pool_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 1, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmProberPoolEnabled.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolEnabled.setDescription('The state indicating whether the specified prober pool is enabled or not.') gtm_prober_pool_stat_reset_stats = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 2, 1), integer32()).setMaxAccess('readwrite') if mibBuilder.loadTexts: gtmProberPoolStatResetStats.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolStatResetStats.setDescription('The action to reset resetable statistics data in gtmProberPoolStat. Setting this value to 1 will reset statistics data. Note, some statistics data may not be reset including data that are incremental counters.') gtm_prober_pool_stat_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 2, 2), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmProberPoolStatNumber.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolStatNumber.setDescription('The number of gtmProberPoolStat entries in the table.') gtm_prober_pool_stat_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 2, 3)) if mibBuilder.loadTexts: gtmProberPoolStatTable.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolStatTable.setDescription('A table containing statistics information for GTM prober pools.') gtm_prober_pool_stat_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 2, 3, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolStatName')) if mibBuilder.loadTexts: gtmProberPoolStatEntry.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolStatEntry.setDescription('Columns in the gtmProberPoolStat Table') gtm_prober_pool_stat_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 2, 3, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmProberPoolStatName.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolStatName.setDescription('The name of a prober pool.') gtm_prober_pool_stat_total_probes = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 2, 3, 1, 2), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmProberPoolStatTotalProbes.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolStatTotalProbes.setDescription('The number of total probes.') gtm_prober_pool_stat_successful_probes = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 2, 3, 1, 3), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmProberPoolStatSuccessfulProbes.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolStatSuccessfulProbes.setDescription('The number of successful probes.') gtm_prober_pool_stat_failed_probes = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 2, 3, 1, 4), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmProberPoolStatFailedProbes.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolStatFailedProbes.setDescription('The number of failed probes.') gtm_prober_pool_status_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 3, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmProberPoolStatusNumber.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolStatusNumber.setDescription('The number of gtmProberPoolStatus entries in the table.') gtm_prober_pool_status_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 3, 2)) if mibBuilder.loadTexts: gtmProberPoolStatusTable.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolStatusTable.setDescription('A table containing status information for GTM prober pools.') gtm_prober_pool_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 3, 2, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolStatusName')) if mibBuilder.loadTexts: gtmProberPoolStatusEntry.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolStatusEntry.setDescription('Columns in the gtmProberPoolStatus Table') gtm_prober_pool_status_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 3, 2, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmProberPoolStatusName.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolStatusName.setDescription('The name of a prober pool.') gtm_prober_pool_status_avail_state = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 3, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5))).clone(namedValues=named_values(('none', 0), ('green', 1), ('yellow', 2), ('red', 3), ('blue', 4), ('gray', 5)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmProberPoolStatusAvailState.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolStatusAvailState.setDescription('The availability of the specified pool indicated by color. none - error; green - available; yellow - not currently available; red - not available; blue - availability is unknown; gray - unlicensed.') gtm_prober_pool_status_enabled_state = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 3, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('none', 0), ('enabled', 1), ('disabled', 2), ('disabledbyparent', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmProberPoolStatusEnabledState.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolStatusEnabledState.setDescription('The activity status of the specified pool, as specified by the user.') gtm_prober_pool_status_detail_reason = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 3, 2, 1, 4), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmProberPoolStatusDetailReason.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolStatusDetailReason.setDescription("The detail description of the specified pool's status.") gtm_prober_pool_mbr_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 4, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmProberPoolMbrNumber.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrNumber.setDescription('The number of gtmProberPoolMember entries in the table.') gtm_prober_pool_mbr_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 4, 2)) if mibBuilder.loadTexts: gtmProberPoolMbrTable.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrTable.setDescription('A table containing information for GTM prober pool members.') gtm_prober_pool_mbr_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 4, 2, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolMbrPoolName'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolMbrServerName')) if mibBuilder.loadTexts: gtmProberPoolMbrEntry.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrEntry.setDescription('Columns in the gtmProberPoolMbr Table') gtm_prober_pool_mbr_pool_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 4, 2, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmProberPoolMbrPoolName.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrPoolName.setDescription('The name of a prober pool.') gtm_prober_pool_mbr_server_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 4, 2, 1, 2), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmProberPoolMbrServerName.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrServerName.setDescription('The name of a server.') gtm_prober_pool_mbr_pmbr_order = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 4, 2, 1, 3), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmProberPoolMbrPmbrOrder.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrPmbrOrder.setDescription('The prober pool member order.') gtm_prober_pool_mbr_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 4, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmProberPoolMbrEnabled.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrEnabled.setDescription('The state indicating whether the specified prober pool member is enabled or not.') gtm_prober_pool_mbr_stat_reset_stats = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 5, 1), integer32()).setMaxAccess('readwrite') if mibBuilder.loadTexts: gtmProberPoolMbrStatResetStats.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatResetStats.setDescription('The action to reset resetable statistics data in gtmProberPoolMemberStat. Setting this value to 1 will reset statistics data. Note, some statistics data may not be reset including data that are incremental counters.') gtm_prober_pool_mbr_stat_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 5, 2), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmProberPoolMbrStatNumber.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatNumber.setDescription('The number of gtmProberPoolMemberStat entries in the table.') gtm_prober_pool_mbr_stat_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 5, 3)) if mibBuilder.loadTexts: gtmProberPoolMbrStatTable.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatTable.setDescription('A table containing statistics information for GTM prober pool members.') gtm_prober_pool_mbr_stat_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 5, 3, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolMbrStatPoolName'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolMbrStatServerName')) if mibBuilder.loadTexts: gtmProberPoolMbrStatEntry.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatEntry.setDescription('Columns in the gtmProberPoolMbrStat Table') gtm_prober_pool_mbr_stat_pool_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 5, 3, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmProberPoolMbrStatPoolName.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatPoolName.setDescription('The name of a prober pool.') gtm_prober_pool_mbr_stat_server_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 5, 3, 1, 2), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmProberPoolMbrStatServerName.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatServerName.setDescription('The name of a server.') gtm_prober_pool_mbr_stat_total_probes = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 5, 3, 1, 3), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmProberPoolMbrStatTotalProbes.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatTotalProbes.setDescription('The number of total probes issued by this pool member.') gtm_prober_pool_mbr_stat_successful_probes = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 5, 3, 1, 4), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmProberPoolMbrStatSuccessfulProbes.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatSuccessfulProbes.setDescription('The number of successful probes issued by this pool member.') gtm_prober_pool_mbr_stat_failed_probes = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 5, 3, 1, 5), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmProberPoolMbrStatFailedProbes.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatFailedProbes.setDescription('The number of failed probes issued by pool member.') gtm_prober_pool_mbr_status_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 6, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmProberPoolMbrStatusNumber.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatusNumber.setDescription('The number of gtmProberPoolMemberStatus entries in the table.') gtm_prober_pool_mbr_status_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 6, 2)) if mibBuilder.loadTexts: gtmProberPoolMbrStatusTable.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatusTable.setDescription('A table containing status information for GTM prober pool members.') gtm_prober_pool_mbr_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 6, 2, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolMbrStatusPoolName'), (0, 'F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolMbrStatusServerName')) if mibBuilder.loadTexts: gtmProberPoolMbrStatusEntry.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatusEntry.setDescription('Columns in the gtmProberPoolMbrStatus Table') gtm_prober_pool_mbr_status_pool_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 6, 2, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmProberPoolMbrStatusPoolName.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatusPoolName.setDescription('The name of a prober pool.') gtm_prober_pool_mbr_status_server_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 6, 2, 1, 2), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmProberPoolMbrStatusServerName.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatusServerName.setDescription('The name of a server.') gtm_prober_pool_mbr_status_avail_state = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 6, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5))).clone(namedValues=named_values(('none', 0), ('green', 1), ('yellow', 2), ('red', 3), ('blue', 4), ('gray', 5)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmProberPoolMbrStatusAvailState.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatusAvailState.setDescription('The availability of the specified pool member indicated by color. none - error; green - available; yellow - not currently available; red - not available; blue - availability is unknown; gray - unlicensed.') gtm_prober_pool_mbr_status_enabled_state = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 6, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('none', 0), ('enabled', 1), ('disabled', 2), ('disabledbyparent', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmProberPoolMbrStatusEnabledState.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatusEnabledState.setDescription('The activity status of the specified pool member, as specified by the user.') gtm_prober_pool_mbr_status_detail_reason = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 13, 6, 2, 1, 5), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmProberPoolMbrStatusDetailReason.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatusDetailReason.setDescription("The detail description of the specified pool member's status.") gtm_attr2_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2Number.setStatus('current') if mibBuilder.loadTexts: gtmAttr2Number.setDescription('The number of gtmGlobalAttr2 entries in the table.') gtm_attr2_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2)) if mibBuilder.loadTexts: gtmAttr2Table.setStatus('current') if mibBuilder.loadTexts: gtmAttr2Table.setDescription('The information of the global attributes for GTM (Global Traffic Management).') gtm_attr2_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmAttr2Name')) if mibBuilder.loadTexts: gtmAttr2Entry.setStatus('current') if mibBuilder.loadTexts: gtmAttr2Entry.setDescription('Columns in the gtmAttr2 Table') gtm_attr2_dump_topology = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2DumpTopology.setStatus('current') if mibBuilder.loadTexts: gtmAttr2DumpTopology.setDescription('The state indicating whether or not to dump the topology.') gtm_attr2_cache_ldns = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2CacheLdns.setStatus('current') if mibBuilder.loadTexts: gtmAttr2CacheLdns.setDescription('The state indicating whether or not to cache LDNSes.') gtm_attr2_aol_aware = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2AolAware.setStatus('current') if mibBuilder.loadTexts: gtmAttr2AolAware.setDescription('The state indicating whether or not local DNS servers that belong to AOL (America Online) are recognized.') gtm_attr2_check_static_depends = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2CheckStaticDepends.setStatus('current') if mibBuilder.loadTexts: gtmAttr2CheckStaticDepends.setDescription('The state indicating whether or not to check the availability of virtual servers.') gtm_attr2_check_dynamic_depends = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2CheckDynamicDepends.setStatus('current') if mibBuilder.loadTexts: gtmAttr2CheckDynamicDepends.setDescription('The state indicating whether or not to check availability of a path before it uses the path for load balancing.') gtm_attr2_drain_requests = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2DrainRequests.setStatus('current') if mibBuilder.loadTexts: gtmAttr2DrainRequests.setDescription('The state indicating whether or not persistent connections are allowed to remain connected, until TTL expires, when disabling a pool.') gtm_attr2_enable_resets_ripeness = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2EnableResetsRipeness.setStatus('current') if mibBuilder.loadTexts: gtmAttr2EnableResetsRipeness.setDescription('The state indicating whether or not ripeness value is allowed to be reset.') gtm_attr2_fb_respect_depends = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2FbRespectDepends.setStatus('current') if mibBuilder.loadTexts: gtmAttr2FbRespectDepends.setDescription('The state indicating whether or not to respect virtual server status when load balancing switches to the fallback mode.') gtm_attr2_fb_respect_acl = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2FbRespectAcl.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttr2FbRespectAcl.setDescription('Deprecated! The state indicating whether or not to respect ACL. This is part of an outdated mechanism for disabling virtual servers') gtm_attr2_default_alternate = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18))).clone(namedValues=named_values(('returntodns', 0), ('null', 1), ('roundrobin', 2), ('ratio', 3), ('topology', 4), ('statpersist', 5), ('ga', 6), ('vscapacity', 7), ('leastconn', 8), ('lowestrtt', 9), ('lowesthops', 10), ('packetrate', 11), ('cpu', 12), ('hitratio', 13), ('qos', 14), ('bps', 15), ('droppacket', 16), ('explicitip', 17), ('vssore', 18)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2DefaultAlternate.setStatus('current') if mibBuilder.loadTexts: gtmAttr2DefaultAlternate.setDescription('The default alternate LB method.') gtm_attr2_default_fallback = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18))).clone(namedValues=named_values(('returntodns', 0), ('null', 1), ('roundrobin', 2), ('ratio', 3), ('topology', 4), ('statpersit', 5), ('ga', 6), ('vscapacity', 7), ('leastconn', 8), ('lowestrtt', 9), ('lowesthops', 10), ('packetrate', 11), ('cpu', 12), ('hitratio', 13), ('qos', 14), ('bps', 15), ('droppacket', 16), ('explicitip', 17), ('vsscore', 18)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2DefaultFallback.setStatus('current') if mibBuilder.loadTexts: gtmAttr2DefaultFallback.setDescription('The default fallback LB method.') gtm_attr2_persist_mask = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 12), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2PersistMask.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttr2PersistMask.setDescription('Deprecated! Replaced by gtmAttrStaticPersistCidr and gtmAttrStaticPersistV6Cidr. The persistence mask which is used to determine the netmask applied for static persistance requests.') gtm_attr2_gtm_sets_recursion = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2GtmSetsRecursion.setStatus('current') if mibBuilder.loadTexts: gtmAttr2GtmSetsRecursion.setDescription('The state indicating whether set recursion by global traffic management object(GTM) is enable or not.') gtm_attr2_qos_factor_lcs = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 14), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2QosFactorLcs.setStatus('current') if mibBuilder.loadTexts: gtmAttr2QosFactorLcs.setDescription('The factor used to normalize link capacity values when the load balancing mode is set to LB_METHOD_QOS.') gtm_attr2_qos_factor_rtt = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 15), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2QosFactorRtt.setStatus('current') if mibBuilder.loadTexts: gtmAttr2QosFactorRtt.setDescription('The factor used to normalize round-trip time values when the load balancing mode is set to LB_METHOD_QOS.') gtm_attr2_qos_factor_hops = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 16), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2QosFactorHops.setStatus('current') if mibBuilder.loadTexts: gtmAttr2QosFactorHops.setDescription('The factor used to normalize hops when the load balancing mode is set to LB_METHOD_QOS.') gtm_attr2_qos_factor_hit_ratio = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 17), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2QosFactorHitRatio.setStatus('current') if mibBuilder.loadTexts: gtmAttr2QosFactorHitRatio.setDescription('The factor used to normalize ping packet completion rates when the load balancing mode is set to LB_METHOD_QOS.') gtm_attr2_qos_factor_packet_rate = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 18), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2QosFactorPacketRate.setStatus('current') if mibBuilder.loadTexts: gtmAttr2QosFactorPacketRate.setDescription('The factor used to normalize packet rates when the load balancing mode is set to LB_METHOD_QOS.') gtm_attr2_qos_factor_bps = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 19), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2QosFactorBps.setStatus('current') if mibBuilder.loadTexts: gtmAttr2QosFactorBps.setDescription('The factor used to normalize kilobytes per second when the load balancing mode is set to LB_METHOD_QOS.') gtm_attr2_qos_factor_vs_capacity = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 20), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2QosFactorVsCapacity.setStatus('current') if mibBuilder.loadTexts: gtmAttr2QosFactorVsCapacity.setDescription('The factor used to normalize virtual server capacity values when the load balancing mode is set to LB_METHOD_QOS.') gtm_attr2_qos_factor_topology = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 21), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2QosFactorTopology.setStatus('current') if mibBuilder.loadTexts: gtmAttr2QosFactorTopology.setDescription('The factor used to normalize topology values when the load balancing mode is set to LB_METHOD_QOS.') gtm_attr2_qos_factor_conn_rate = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 22), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2QosFactorConnRate.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttr2QosFactorConnRate.setDescription('Deprecated! Replaced by gtmAttrQosFactorVsScore. The factor used to normalize connection rates when the load balancing mode is set to LB_METHOD_QOS.') gtm_attr2_timer_retry_path_data = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 23), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2TimerRetryPathData.setStatus('current') if mibBuilder.loadTexts: gtmAttr2TimerRetryPathData.setDescription('The frequency at which to retrieve path data.') gtm_attr2_timer_get_autoconfig_data = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 24), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2TimerGetAutoconfigData.setStatus('current') if mibBuilder.loadTexts: gtmAttr2TimerGetAutoconfigData.setDescription('The frequency at which to retrieve auto-configuration data.') gtm_attr2_timer_persist_cache = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 25), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2TimerPersistCache.setStatus('current') if mibBuilder.loadTexts: gtmAttr2TimerPersistCache.setDescription('The frequency at which to retrieve path and metrics data from the system cache.') gtm_attr2_default_probe_limit = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 26), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2DefaultProbeLimit.setStatus('current') if mibBuilder.loadTexts: gtmAttr2DefaultProbeLimit.setDescription('The default probe limit, the number of times to probe a path.') gtm_attr2_down_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 27), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2DownThreshold.setStatus('current') if mibBuilder.loadTexts: gtmAttr2DownThreshold.setDescription('The down_threshold value. If a host server or a host virtual server has been marked down for the last down_threshold probing cycles (timer_get_host_data or timer_get_vs_data respectively), then perform service checks every down_multiple * timer period instead.') gtm_attr2_down_multiple = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 28), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2DownMultiple.setStatus('current') if mibBuilder.loadTexts: gtmAttr2DownMultiple.setDescription('The down_multiple value. If a host server or a host virtual server has been marked down for the last down_threshold probing cycles (timer_get_host_data or timer_get_vs_data respectively), then perform service checks every down_multiple * timer period instead.') gtm_attr2_path_ttl = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 29), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2PathTtl.setStatus('current') if mibBuilder.loadTexts: gtmAttr2PathTtl.setDescription('The TTL for the path information.') gtm_attr2_trace_ttl = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 30), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2TraceTtl.setStatus('current') if mibBuilder.loadTexts: gtmAttr2TraceTtl.setDescription('The TTL for the traceroute information.') gtm_attr2_ldns_duration = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 31), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2LdnsDuration.setStatus('current') if mibBuilder.loadTexts: gtmAttr2LdnsDuration.setDescription('The number of seconds that an inactive LDNS remains cached.') gtm_attr2_path_duration = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 32), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2PathDuration.setStatus('current') if mibBuilder.loadTexts: gtmAttr2PathDuration.setDescription('The number of seconds that a path remains cached after its last access.') gtm_attr2_rtt_sample_count = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 33), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2RttSampleCount.setStatus('current') if mibBuilder.loadTexts: gtmAttr2RttSampleCount.setDescription('The number of packets to send out in a probe request to determine path information.') gtm_attr2_rtt_packet_length = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 34), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2RttPacketLength.setStatus('current') if mibBuilder.loadTexts: gtmAttr2RttPacketLength.setDescription('The length of the packet sent out in a probe request to determine path information.') gtm_attr2_rtt_timeout = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 35), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2RttTimeout.setStatus('current') if mibBuilder.loadTexts: gtmAttr2RttTimeout.setDescription('The timeout for RTT, in seconds.') gtm_attr2_max_mon_reqs = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 36), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2MaxMonReqs.setStatus('current') if mibBuilder.loadTexts: gtmAttr2MaxMonReqs.setDescription('The maximum synchronous monitor request, which is used to control the maximum number of monitor requests being sent out at one time for a given probing interval. This will allow the user to smooth out monitor probe requests as much as they desire.') gtm_attr2_traceroute_port = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 37), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2TraceroutePort.setStatus('current') if mibBuilder.loadTexts: gtmAttr2TraceroutePort.setDescription('The port to use to collect traceroute (hops) data.') gtm_attr2_paths_never_die = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 38), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2PathsNeverDie.setStatus('current') if mibBuilder.loadTexts: gtmAttr2PathsNeverDie.setDescription('The state indicating whether the dynamic load balancing modes can use path data even after the TTL for the path data has expired.') gtm_attr2_probe_disabled_objects = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 39), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2ProbeDisabledObjects.setStatus('current') if mibBuilder.loadTexts: gtmAttr2ProbeDisabledObjects.setDescription('The state indicating whether probing disabled objects by global traffic management object(GTM) is enabled or not.') gtm_attr2_link_limit_factor = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 40), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2LinkLimitFactor.setStatus('current') if mibBuilder.loadTexts: gtmAttr2LinkLimitFactor.setDescription('The link limit factor, which is used to set a target percentage for traffic. For example, if it is set to 90, the ratio cost based load-balancing will set a ratio with a maximum value equal to 90% of the limit value for the link. Default is 95%.') gtm_attr2_over_limit_link_limit_factor = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 41), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2OverLimitLinkLimitFactor.setStatus('current') if mibBuilder.loadTexts: gtmAttr2OverLimitLinkLimitFactor.setDescription('The over-limit link limit factor. If traffic on a link exceeds the limit, this factor will be used instead of the link_limit_factor until the traffic is over limit for more than max_link_over_limit_count times. Once the limit has been exceeded too many times, all traffic is shut off for the link. The default for over_limit_link_limit_factor is 90%.') gtm_attr2_link_prepaid_factor = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 42), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2LinkPrepaidFactor.setStatus('current') if mibBuilder.loadTexts: gtmAttr2LinkPrepaidFactor.setDescription('The link prepaid factor. Maximum percentage of traffic allocated to link which has a traffic allotment which has been prepaid. Default is 95%.') gtm_attr2_link_compensate_inbound = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 43), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2LinkCompensateInbound.setStatus('current') if mibBuilder.loadTexts: gtmAttr2LinkCompensateInbound.setDescription('The link compensate inbound. If set, the link allotment calculation will take into account traffic which does not flow through the BIGIP, i.e. if more traffic is flowing through a link as measured by SNMP on the router than is flowing through the BIGIP. This applies to inbound traffic which the major volume will initiate from internal clients.') gtm_attr2_link_compensate_outbound = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 44), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2LinkCompensateOutbound.setStatus('current') if mibBuilder.loadTexts: gtmAttr2LinkCompensateOutbound.setDescription('The link compensate outbound. If set, the link allotment calculation will take into account traffic which does not flow through the BIGIP, i.e. if more traffic is flowing through a link as measured by SNMP on the router than is flowing through the BIGIP. This applies to outbound traffic which the major volume will initiate from internal clients.') gtm_attr2_link_compensation_history = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 45), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2LinkCompensationHistory.setStatus('current') if mibBuilder.loadTexts: gtmAttr2LinkCompensationHistory.setDescription('The link compensation history.') gtm_attr2_max_link_over_limit_count = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 46), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2MaxLinkOverLimitCount.setStatus('current') if mibBuilder.loadTexts: gtmAttr2MaxLinkOverLimitCount.setDescription('The maximum link over limit count. The count of how many times in a row traffic may be over the defined limit for the link before it is shut off entirely. Default is 1.') gtm_attr2_lower_bound_pct_row = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 47), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2LowerBoundPctRow.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttr2LowerBoundPctRow.setDescription('Deprecated! No longer useful. The lower bound percentage row option in Internet Weather Map.') gtm_attr2_lower_bound_pct_col = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 48), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2LowerBoundPctCol.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttr2LowerBoundPctCol.setDescription('Deprecated! No longer useful. The lower bound percentage column option in Internet Weather Map.') gtm_attr2_autoconf = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 49), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2Autoconf.setStatus('current') if mibBuilder.loadTexts: gtmAttr2Autoconf.setDescription('The state indicating whether to auto configure BIGIP/3DNS servers (automatic addition and deletion of self IPs and virtual servers).') gtm_attr2_autosync = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 50), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2Autosync.setStatus('current') if mibBuilder.loadTexts: gtmAttr2Autosync.setDescription('The state indicating whether or not to autosync. Allows automatic updates of wideip.conf to/from other 3-DNSes.') gtm_attr2_sync_named_conf = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 51), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2SyncNamedConf.setStatus('current') if mibBuilder.loadTexts: gtmAttr2SyncNamedConf.setDescription('The state indicating whether or not to auto-synchronize named configuration. Allows automatic updates of named.conf to/from other 3-DNSes.') gtm_attr2_sync_group = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 52), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2SyncGroup.setStatus('current') if mibBuilder.loadTexts: gtmAttr2SyncGroup.setDescription('The name of sync group.') gtm_attr2_sync_timeout = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 53), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2SyncTimeout.setStatus('current') if mibBuilder.loadTexts: gtmAttr2SyncTimeout.setDescription("The sync timeout. If synch'ing from a remote 3-DNS takes longer than this timeout, then abort the connection.") gtm_attr2_sync_zones_timeout = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 54), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2SyncZonesTimeout.setStatus('current') if mibBuilder.loadTexts: gtmAttr2SyncZonesTimeout.setDescription("The sync zones timeout. If synch'ing named and zone configuration takes this timeout, then abort the connection.") gtm_attr2_time_tolerance = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 55), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2TimeTolerance.setStatus('current') if mibBuilder.loadTexts: gtmAttr2TimeTolerance.setDescription('The allowable time difference for data to be out of sync between members of a sync group.') gtm_attr2_topology_longest_match = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 56), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2TopologyLongestMatch.setStatus('current') if mibBuilder.loadTexts: gtmAttr2TopologyLongestMatch.setDescription('The state indicating whether or not the 3-DNS Controller selects the topology record that is most specific and, thus, has the longest match, in cases where there are several IP/netmask items that match a particular IP address. If it is set to false, the 3-DNS Controller uses the first topology record that matches (according to the order of entry) in the topology statement.') gtm_attr2_topology_acl_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 57), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2TopologyAclThreshold.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttr2TopologyAclThreshold.setDescription('Deprecated! The threshold of the topology ACL. This is an outdated mechanism for disabling a node.') gtm_attr2_static_persist_cidr = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 58), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2StaticPersistCidr.setStatus('current') if mibBuilder.loadTexts: gtmAttr2StaticPersistCidr.setDescription('The variable used with the static persistence load balancing mode to allow users to specify what cidr should be used. This is used for IPv4.') gtm_attr2_static_persist_v6_cidr = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 59), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2StaticPersistV6Cidr.setStatus('current') if mibBuilder.loadTexts: gtmAttr2StaticPersistV6Cidr.setDescription('The variable used with the static persistence load balancing mode to allow users to specify what cidr should be used. This is used for IPv6.') gtm_attr2_qos_factor_vs_score = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 60), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2QosFactorVsScore.setStatus('current') if mibBuilder.loadTexts: gtmAttr2QosFactorVsScore.setDescription('The factor used to normalize virtual server (VS) score when the load balancing mode is set to LB_METHOD_QOS.') gtm_attr2_timer_send_keep_alive = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 61), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2TimerSendKeepAlive.setStatus('current') if mibBuilder.loadTexts: gtmAttr2TimerSendKeepAlive.setDescription('The frequency of GTM keep alive messages (strictly the config timestamps).') gtm_attr2_certificate_depth = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 62), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2CertificateDepth.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttr2CertificateDepth.setDescription('Deprecated! No longer updated. When non-zero, customers may use their own SSL certificates by setting the certificate depth.') gtm_attr2_max_memory_usage = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 63), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2MaxMemoryUsage.setStatus('deprecated') if mibBuilder.loadTexts: gtmAttr2MaxMemoryUsage.setDescription('Deprecated! The maximum amount of memory (in MB) allocated to GTM.') gtm_attr2_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 64), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2Name.setStatus('current') if mibBuilder.loadTexts: gtmAttr2Name.setDescription('name as a key.') gtm_attr2_forward_status = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 1, 3, 2, 1, 65), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmAttr2ForwardStatus.setStatus('current') if mibBuilder.loadTexts: gtmAttr2ForwardStatus.setDescription('The state indicating whether or not to forward object availability status change notifications.') gtm_dnssec_zone_stat_reset_stats = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 1), integer32()).setMaxAccess('readwrite') if mibBuilder.loadTexts: gtmDnssecZoneStatResetStats.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatResetStats.setDescription('The action to reset resetable statistics data in gtmDnssecZoneStat. Setting this value to 1 will reset statistics data. Note, some statistics data may not be reset including data that are incremental counters.') gtm_dnssec_zone_stat_number = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 2), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecZoneStatNumber.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatNumber.setDescription('The number of gtmDnssecZoneStat entries in the table.') gtm_dnssec_zone_stat_table = mib_table((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3)) if mibBuilder.loadTexts: gtmDnssecZoneStatTable.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatTable.setDescription('A table containing statistics information for GTM DNSSEC zones.') gtm_dnssec_zone_stat_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1)).setIndexNames((0, 'F5-BIGIP-GLOBAL-MIB', 'gtmDnssecZoneStatName')) if mibBuilder.loadTexts: gtmDnssecZoneStatEntry.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatEntry.setDescription('Columns in the gtmDnssecZoneStat Table') gtm_dnssec_zone_stat_name = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 1), long_display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecZoneStatName.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatName.setDescription('The name of a DNSSEC zone.') gtm_dnssec_zone_stat_nsec3s = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 2), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecZoneStatNsec3s.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatNsec3s.setDescription('Total number of NSEC3 RRs generated.') gtm_dnssec_zone_stat_nsec3_nodata = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 3), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecZoneStatNsec3Nodata.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatNsec3Nodata.setDescription('Total number of no data responses generated needing NSEC3 RR.') gtm_dnssec_zone_stat_nsec3_nxdomain = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 4), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecZoneStatNsec3Nxdomain.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatNsec3Nxdomain.setDescription('Total number of no domain responses generated needing NSEC3 RR.') gtm_dnssec_zone_stat_nsec3_referral = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 5), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecZoneStatNsec3Referral.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatNsec3Referral.setDescription('Total number of referral responses generated needing NSEC3 RR.') gtm_dnssec_zone_stat_nsec3_resalt = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 6), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecZoneStatNsec3Resalt.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatNsec3Resalt.setDescription('Total number of times that salt was changed for NSEC3.') gtm_dnssec_zone_stat_dnssec_responses = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 7), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecZoneStatDnssecResponses.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatDnssecResponses.setDescription('Total number of signed responses.') gtm_dnssec_zone_stat_dnssec_dnskey_queries = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 8), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecZoneStatDnssecDnskeyQueries.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatDnssecDnskeyQueries.setDescription('Total number of queries for DNSKEY type.') gtm_dnssec_zone_stat_dnssec_nsec3param_queries = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 9), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecZoneStatDnssecNsec3paramQueries.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatDnssecNsec3paramQueries.setDescription('Total number of queries for NSEC3PARAM type.') gtm_dnssec_zone_stat_dnssec_ds_queries = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 10), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecZoneStatDnssecDsQueries.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatDnssecDsQueries.setDescription('Total number of queries for DS type.') gtm_dnssec_zone_stat_sig_crypto_failed = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 11), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecZoneStatSigCryptoFailed.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatSigCryptoFailed.setDescription('Total number of signatures in which the cryptographic operation failed.') gtm_dnssec_zone_stat_sig_success = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 12), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecZoneStatSigSuccess.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatSigSuccess.setDescription('Total number of successfully generated signatures.') gtm_dnssec_zone_stat_sig_failed = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 13), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecZoneStatSigFailed.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatSigFailed.setDescription('Total number of general signature failures.') gtm_dnssec_zone_stat_sig_rrset_failed = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 14), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecZoneStatSigRrsetFailed.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatSigRrsetFailed.setDescription('Total number of failures due to an RRSET failing to be signed.') gtm_dnssec_zone_stat_connect_flow_failed = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 15), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecZoneStatConnectFlowFailed.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatConnectFlowFailed.setDescription('Total number of connection flow failures.') gtm_dnssec_zone_stat_towire_failed = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 16), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecZoneStatTowireFailed.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatTowireFailed.setDescription('Total number of failures when converting to a wire format packet.') gtm_dnssec_zone_stat_axfr_queries = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 17), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecZoneStatAxfrQueries.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatAxfrQueries.setDescription('Total number of axfr queries.') gtm_dnssec_zone_stat_ixfr_queries = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 18), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecZoneStatIxfrQueries.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatIxfrQueries.setDescription('Total number of ixfr queries.') gtm_dnssec_zone_stat_xfr_starts = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 19), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecZoneStatXfrStarts.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatXfrStarts.setDescription('Total number of zone transfers which were started.') gtm_dnssec_zone_stat_xfr_completes = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 20), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecZoneStatXfrCompletes.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatXfrCompletes.setDescription('Total number of zone transfers which were completed.') gtm_dnssec_zone_stat_xfr_msgs = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 21), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecZoneStatXfrMsgs.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatXfrMsgs.setDescription('Total number of zone transfer packets to clients.') gtm_dnssec_zone_stat_xfr_master_msgs = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 22), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecZoneStatXfrMasterMsgs.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatXfrMasterMsgs.setDescription('Total number of zone transfer packets from the primary server.') gtm_dnssec_zone_stat_xfr_response_average_size = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 23), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecZoneStatXfrResponseAverageSize.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatXfrResponseAverageSize.setDescription('Zone transfer average responses size in bytes.') gtm_dnssec_zone_stat_xfr_serial = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 24), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecZoneStatXfrSerial.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatXfrSerial.setDescription('The serial number advertised to all clients.') gtm_dnssec_zone_stat_xfr_master_serial = mib_table_column((1, 3, 6, 1, 4, 1, 3375, 2, 3, 14, 1, 3, 1, 25), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecZoneStatXfrMasterSerial.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatXfrMasterSerial.setDescription('The zone serial number of the primary server.') gtm_dnssec_stat_reset_stats = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 1), integer32()).setMaxAccess('readwrite') if mibBuilder.loadTexts: gtmDnssecStatResetStats.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatResetStats.setDescription('The action to reset resetable statistics data in gtmGlobalDnssecStat. Setting this value to 1 will reset statistics data. Note, some statistics data may not be reset including data that are incremental counters.') gtm_dnssec_stat_nsec3s = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 2), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecStatNsec3s.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatNsec3s.setDescription('The number of NSEC3 RRs generated.') gtm_dnssec_stat_nsec3_nodata = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 3), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecStatNsec3Nodata.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatNsec3Nodata.setDescription('The number of no data responses generated needing NSEC3 RR.') gtm_dnssec_stat_nsec3_nxdomain = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 4), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecStatNsec3Nxdomain.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatNsec3Nxdomain.setDescription('The number of no domain responses generated needing NSEC3 RR.') gtm_dnssec_stat_nsec3_referral = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 5), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecStatNsec3Referral.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatNsec3Referral.setDescription('The number of referral responses generated needing NSEC3 RR.') gtm_dnssec_stat_nsec3_resalt = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 6), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecStatNsec3Resalt.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatNsec3Resalt.setDescription('The number of times that salt was changed for NSEC3.') gtm_dnssec_stat_dnssec_responses = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 7), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecStatDnssecResponses.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatDnssecResponses.setDescription('The number of signed responses.') gtm_dnssec_stat_dnssec_dnskey_queries = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 8), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecStatDnssecDnskeyQueries.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatDnssecDnskeyQueries.setDescription('The number of queries for DNSKEY type.') gtm_dnssec_stat_dnssec_nsec3param_queries = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 9), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecStatDnssecNsec3paramQueries.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatDnssecNsec3paramQueries.setDescription('The number of queries for NSEC3PARAM type.') gtm_dnssec_stat_dnssec_ds_queries = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 10), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecStatDnssecDsQueries.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatDnssecDsQueries.setDescription('The number of queries for DS type.') gtm_dnssec_stat_sig_crypto_failed = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 11), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecStatSigCryptoFailed.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatSigCryptoFailed.setDescription('The number of signatures in which the cryptographic operation failed.') gtm_dnssec_stat_sig_success = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 12), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecStatSigSuccess.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatSigSuccess.setDescription('The number of successfully generated signatures.') gtm_dnssec_stat_sig_failed = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 13), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecStatSigFailed.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatSigFailed.setDescription('The number of general signature failures.') gtm_dnssec_stat_sig_rrset_failed = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 14), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecStatSigRrsetFailed.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatSigRrsetFailed.setDescription('The number of failures due to an RRSET failing to be signed.') gtm_dnssec_stat_connect_flow_failed = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 15), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecStatConnectFlowFailed.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatConnectFlowFailed.setDescription('The number of connection flow failures.') gtm_dnssec_stat_towire_failed = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 16), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecStatTowireFailed.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatTowireFailed.setDescription('The number of failures when converting to a wire format packet.') gtm_dnssec_stat_axfr_queries = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 17), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecStatAxfrQueries.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatAxfrQueries.setDescription('The number of axfr queries.') gtm_dnssec_stat_ixfr_queries = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 18), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecStatIxfrQueries.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatIxfrQueries.setDescription('The number of ixfr queries.') gtm_dnssec_stat_xfr_starts = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 19), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecStatXfrStarts.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatXfrStarts.setDescription('The number of zone transfers which were started.') gtm_dnssec_stat_xfr_completes = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 20), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecStatXfrCompletes.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatXfrCompletes.setDescription('The number of zone transfers which were completed.') gtm_dnssec_stat_xfr_msgs = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 21), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecStatXfrMsgs.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatXfrMsgs.setDescription('The number of zone transfer packets to clients.') gtm_dnssec_stat_xfr_master_msgs = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 22), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecStatXfrMasterMsgs.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatXfrMasterMsgs.setDescription('The number of zone transfer packets from the primary server.') gtm_dnssec_stat_xfr_response_average_size = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 23), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecStatXfrResponseAverageSize.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatXfrResponseAverageSize.setDescription('Zone transfer average responses size in bytes.') gtm_dnssec_stat_xfr_serial = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 24), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecStatXfrSerial.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatXfrSerial.setDescription('The serial number advertised to all clients.') gtm_dnssec_stat_xfr_master_serial = mib_scalar((1, 3, 6, 1, 4, 1, 3375, 2, 3, 1, 2, 2, 25), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: gtmDnssecStatXfrMasterSerial.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatXfrMasterSerial.setDescription('The zone serial number of the primary server.') bigip_global_tm_compliance = module_compliance((1, 3, 6, 1, 4, 1, 3375, 2, 5, 1, 3)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'bigipGlobalTMGroups')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): bigip_global_tm_compliance = bigipGlobalTMCompliance.setStatus('current') if mibBuilder.loadTexts: bigipGlobalTMCompliance.setDescription('This specifies the objects that are required to claim compliance to F5 Traffic Management System.') bigip_global_tm_groups = mib_identifier((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3)) gtm_attr_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 1)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmAttrDumpTopology'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrCacheLdns'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrAolAware'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrCheckStaticDepends'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrCheckDynamicDepends'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrDrainRequests'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrEnableResetsRipeness'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrFbRespectDepends'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrFbRespectAcl'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrDefaultAlternate'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrDefaultFallback'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrPersistMask'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrGtmSetsRecursion'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrQosFactorLcs'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrQosFactorRtt'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrQosFactorHops'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrQosFactorHitRatio'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrQosFactorPacketRate'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrQosFactorBps'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrQosFactorVsCapacity'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrQosFactorTopology'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrQosFactorConnRate'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrTimerRetryPathData'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrTimerGetAutoconfigData'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrTimerPersistCache'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrDefaultProbeLimit'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrDownThreshold'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrDownMultiple'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrPathTtl'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrTraceTtl'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrLdnsDuration'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrPathDuration'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrRttSampleCount'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrRttPacketLength'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrRttTimeout'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrMaxMonReqs'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrTraceroutePort'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrPathsNeverDie'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrProbeDisabledObjects'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrLinkLimitFactor'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrOverLimitLinkLimitFactor'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrLinkPrepaidFactor'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrLinkCompensateInbound'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrLinkCompensateOutbound'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrLinkCompensationHistory'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrMaxLinkOverLimitCount'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrLowerBoundPctRow'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrLowerBoundPctCol'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrAutoconf'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrAutosync'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrSyncNamedConf'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrSyncGroup'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrSyncTimeout'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrSyncZonesTimeout'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrTimeTolerance'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrTopologyLongestMatch'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrTopologyAclThreshold'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrStaticPersistCidr'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrStaticPersistV6Cidr'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrQosFactorVsScore'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrTimerSendKeepAlive'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrCertificateDepth'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttrMaxMemoryUsage')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_attr_group = gtmAttrGroup.setStatus('current') if mibBuilder.loadTexts: gtmAttrGroup.setDescription('A collection of objects of gtmGlobalAttr MIB.') gtm_global_ldns_probe_proto_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 2)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmGlobalLdnsProbeProtoNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmGlobalLdnsProbeProtoIndex'), ('F5-BIGIP-GLOBAL-MIB', 'gtmGlobalLdnsProbeProtoType'), ('F5-BIGIP-GLOBAL-MIB', 'gtmGlobalLdnsProbeProtoName')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_global_ldns_probe_proto_group = gtmGlobalLdnsProbeProtoGroup.setStatus('current') if mibBuilder.loadTexts: gtmGlobalLdnsProbeProtoGroup.setDescription('A collection of objects of gtmGlobalLdnsProbeProto MIB.') gtm_stat_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 3)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmStatResetStats'), ('F5-BIGIP-GLOBAL-MIB', 'gtmStatRequests'), ('F5-BIGIP-GLOBAL-MIB', 'gtmStatResolutions'), ('F5-BIGIP-GLOBAL-MIB', 'gtmStatPersisted'), ('F5-BIGIP-GLOBAL-MIB', 'gtmStatPreferred'), ('F5-BIGIP-GLOBAL-MIB', 'gtmStatAlternate'), ('F5-BIGIP-GLOBAL-MIB', 'gtmStatFallback'), ('F5-BIGIP-GLOBAL-MIB', 'gtmStatDropped'), ('F5-BIGIP-GLOBAL-MIB', 'gtmStatExplicitIp'), ('F5-BIGIP-GLOBAL-MIB', 'gtmStatReturnToDns'), ('F5-BIGIP-GLOBAL-MIB', 'gtmStatReconnects'), ('F5-BIGIP-GLOBAL-MIB', 'gtmStatBytesReceived'), ('F5-BIGIP-GLOBAL-MIB', 'gtmStatBytesSent'), ('F5-BIGIP-GLOBAL-MIB', 'gtmStatNumBacklogged'), ('F5-BIGIP-GLOBAL-MIB', 'gtmStatBytesDropped'), ('F5-BIGIP-GLOBAL-MIB', 'gtmStatLdnses'), ('F5-BIGIP-GLOBAL-MIB', 'gtmStatPaths'), ('F5-BIGIP-GLOBAL-MIB', 'gtmStatReturnFromDns'), ('F5-BIGIP-GLOBAL-MIB', 'gtmStatCnameResolutions'), ('F5-BIGIP-GLOBAL-MIB', 'gtmStatARequests'), ('F5-BIGIP-GLOBAL-MIB', 'gtmStatAaaaRequests')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_stat_group = gtmStatGroup.setStatus('current') if mibBuilder.loadTexts: gtmStatGroup.setDescription('A collection of objects of gtmGlobalStat MIB.') gtm_app_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 4)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmAppNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAppName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAppPersist'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAppTtlPersist'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAppAvailability')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_app_group = gtmAppGroup.setStatus('current') if mibBuilder.loadTexts: gtmAppGroup.setDescription('A collection of objects of gtmApplication MIB.') gtm_app_status_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 5)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmAppStatusNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAppStatusName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAppStatusAvailState'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAppStatusEnabledState'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAppStatusParentType'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAppStatusDetailReason')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_app_status_group = gtmAppStatusGroup.setStatus('current') if mibBuilder.loadTexts: gtmAppStatusGroup.setDescription('A collection of objects of gtmApplicationStatus MIB.') gtm_app_cont_stat_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 6)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmAppContStatNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAppContStatAppName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAppContStatType'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAppContStatName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAppContStatNumAvail'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAppContStatAvailState'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAppContStatEnabledState'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAppContStatParentType'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAppContStatDetailReason')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_app_cont_stat_group = gtmAppContStatGroup.setStatus('current') if mibBuilder.loadTexts: gtmAppContStatGroup.setDescription('A collection of objects of gtmAppContextStat MIB.') gtm_app_cont_dis_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 7)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmAppContDisNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAppContDisAppName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAppContDisType'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAppContDisName')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_app_cont_dis_group = gtmAppContDisGroup.setStatus('current') if mibBuilder.loadTexts: gtmAppContDisGroup.setDescription('A collection of objects of gtmAppContextDisable MIB.') gtm_dc_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 8)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmDcNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDcName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDcLocation'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDcContact'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDcEnabled')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_dc_group = gtmDcGroup.setStatus('current') if mibBuilder.loadTexts: gtmDcGroup.setDescription('A collection of objects of gtmDataCenter MIB.') gtm_dc_stat_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 9)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmDcStatResetStats'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDcStatNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDcStatName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDcStatCpuUsage'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDcStatMemAvail'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDcStatBitsPerSecIn'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDcStatBitsPerSecOut'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDcStatPktsPerSecIn'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDcStatPktsPerSecOut'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDcStatConnections'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDcStatConnRate')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_dc_stat_group = gtmDcStatGroup.setStatus('current') if mibBuilder.loadTexts: gtmDcStatGroup.setDescription('A collection of objects of gtmDataCenterStat MIB.') gtm_dc_status_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 10)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmDcStatusNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDcStatusName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDcStatusAvailState'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDcStatusEnabledState'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDcStatusParentType'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDcStatusDetailReason')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_dc_status_group = gtmDcStatusGroup.setStatus('current') if mibBuilder.loadTexts: gtmDcStatusGroup.setDescription('A collection of objects of gtmDataCenterStatus MIB.') gtm_ip_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 11)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmIpNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmIpIpType'), ('F5-BIGIP-GLOBAL-MIB', 'gtmIpIp'), ('F5-BIGIP-GLOBAL-MIB', 'gtmIpLinkName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmIpServerName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmIpUnitId'), ('F5-BIGIP-GLOBAL-MIB', 'gtmIpIpXlatedType'), ('F5-BIGIP-GLOBAL-MIB', 'gtmIpIpXlated'), ('F5-BIGIP-GLOBAL-MIB', 'gtmIpDeviceName')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_ip_group = gtmIpGroup.setStatus('current') if mibBuilder.loadTexts: gtmIpGroup.setDescription('A collection of objects of gtmIp MIB.') gtm_link_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 12)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmLinkNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkDcName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkIspName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkUplinkAddressType'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkUplinkAddress'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkLimitInCpuUsageEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkLimitInMemAvailEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkLimitInBitsPerSecEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkLimitInPktsPerSecEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkLimitInConnEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkLimitInConnPerSecEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkLimitInCpuUsage'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkLimitInMemAvail'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkLimitInBitsPerSec'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkLimitInPktsPerSec'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkLimitInConn'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkLimitInConnPerSec'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkLimitOutCpuUsageEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkLimitOutMemAvailEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkLimitOutBitsPerSecEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkLimitOutPktsPerSecEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkLimitOutConnEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkLimitOutConnPerSecEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkLimitOutCpuUsage'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkLimitOutMemAvail'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkLimitOutBitsPerSec'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkLimitOutPktsPerSec'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkLimitOutConn'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkLimitOutConnPerSec'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkLimitTotalCpuUsageEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkLimitTotalMemAvailEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkLimitTotalBitsPerSecEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkLimitTotalPktsPerSecEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkLimitTotalConnEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkLimitTotalConnPerSecEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkLimitTotalCpuUsage'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkLimitTotalMemAvail'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkLimitTotalBitsPerSec'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkLimitTotalPktsPerSec'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkLimitTotalConn'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkLimitTotalConnPerSec'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkMonitorRule'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkDuplex'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkRatio'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkPrepaid'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkPrepaidInDollars'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkWeightingType')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_link_group = gtmLinkGroup.setStatus('current') if mibBuilder.loadTexts: gtmLinkGroup.setDescription('A collection of objects of gtmLink MIB.') gtm_link_cost_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 13)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmLinkCostNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkCostName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkCostIndex'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkCostUptoBps'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkCostDollarsPerMbps')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_link_cost_group = gtmLinkCostGroup.setStatus('current') if mibBuilder.loadTexts: gtmLinkCostGroup.setDescription('A collection of objects of gtmLinkCost MIB.') gtm_link_stat_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 14)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmLinkStatResetStats'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkStatNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkStatName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkStatRate'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkStatRateIn'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkStatRateOut'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkStatRateNode'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkStatRateNodeIn'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkStatRateNodeOut'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkStatRateVses'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkStatRateVsesIn'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkStatRateVsesOut'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkStatLcsIn'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkStatLcsOut'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkStatPaths')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_link_stat_group = gtmLinkStatGroup.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatGroup.setDescription('A collection of objects of gtmLinkStat MIB.') gtm_link_status_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 15)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmLinkStatusNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkStatusName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkStatusAvailState'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkStatusEnabledState'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkStatusParentType'), ('F5-BIGIP-GLOBAL-MIB', 'gtmLinkStatusDetailReason')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_link_status_group = gtmLinkStatusGroup.setStatus('current') if mibBuilder.loadTexts: gtmLinkStatusGroup.setDescription('A collection of objects of gtmLinkStatus MIB.') gtm_pool_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 16)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmPoolNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolTtl'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolVerifyMember'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolDynamicRatio'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolAnswersToReturn'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolLbMode'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolAlternate'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolFallback'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolManualResume'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolQosCoeffRtt'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolQosCoeffHops'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolQosCoeffTopology'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolQosCoeffHitRatio'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolQosCoeffPacketRate'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolQosCoeffVsCapacity'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolQosCoeffBps'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolQosCoeffLcs'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolQosCoeffConnRate'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolFallbackIpType'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolFallbackIp'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolCname'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolLimitCpuUsageEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolLimitMemAvailEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolLimitBitsPerSecEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolLimitPktsPerSecEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolLimitConnEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolLimitConnPerSecEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolLimitCpuUsage'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolLimitMemAvail'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolLimitBitsPerSec'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolLimitPktsPerSec'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolLimitConn'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolLimitConnPerSec'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMonitorRule'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolQosCoeffVsScore'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolFallbackIpv6Type'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolFallbackIpv6')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_pool_group = gtmPoolGroup.setStatus('current') if mibBuilder.loadTexts: gtmPoolGroup.setDescription('A collection of objects of gtmPool MIB.') gtm_pool_stat_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 17)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmPoolStatResetStats'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolStatNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolStatName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolStatPreferred'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolStatAlternate'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolStatFallback'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolStatDropped'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolStatExplicitIp'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolStatReturnToDns'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolStatReturnFromDns'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolStatCnameResolutions')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_pool_stat_group = gtmPoolStatGroup.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatGroup.setDescription('A collection of objects of gtmPoolStat MIB.') gtm_pool_mbr_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 18)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrPoolName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrIpType'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrIp'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrPort'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrVsName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrOrder'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrLimitCpuUsageEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrLimitMemAvailEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrLimitBitsPerSecEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrLimitPktsPerSecEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrLimitConnEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrLimitConnPerSecEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrLimitCpuUsage'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrLimitMemAvail'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrLimitBitsPerSec'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrLimitPktsPerSec'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrLimitConn'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrLimitConnPerSec'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrMonitorRule'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrRatio'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrServerName')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_pool_mbr_group = gtmPoolMbrGroup.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrGroup.setDescription('A collection of objects of gtmPoolMember MIB.') gtm_pool_status_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 19)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmPoolStatusNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolStatusName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolStatusAvailState'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolStatusEnabledState'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolStatusParentType'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolStatusDetailReason')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_pool_status_group = gtmPoolStatusGroup.setStatus('current') if mibBuilder.loadTexts: gtmPoolStatusGroup.setDescription('A collection of objects of gtmPoolStatus MIB.') gtm_pool_mbr_deps_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 20)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrDepsNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrDepsIpType'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrDepsIp'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrDepsPort'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrDepsPoolName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrDepsVipType'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrDepsVip'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrDepsVport'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrDepsServerName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrDepsVsName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrDepsDependServerName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrDepsDependVsName')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_pool_mbr_deps_group = gtmPoolMbrDepsGroup.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrDepsGroup.setDescription('A collection of objects of gtmPoolMemberDepends MIB.') gtm_pool_mbr_stat_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 21)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrStatResetStats'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrStatNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrStatPoolName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrStatIpType'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrStatIp'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrStatPort'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrStatPreferred'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrStatAlternate'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrStatFallback'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrStatServerName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrStatVsName')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_pool_mbr_stat_group = gtmPoolMbrStatGroup.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatGroup.setDescription('A collection of objects of gtmPoolMemberStat MIB.') gtm_pool_mbr_status_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 22)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrStatusNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrStatusPoolName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrStatusIpType'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrStatusIp'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrStatusPort'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrStatusAvailState'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrStatusEnabledState'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrStatusParentType'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrStatusDetailReason'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrStatusVsName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmPoolMbrStatusServerName')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_pool_mbr_status_group = gtmPoolMbrStatusGroup.setStatus('current') if mibBuilder.loadTexts: gtmPoolMbrStatusGroup.setDescription('A collection of objects of gtmPoolMemberStatus MIB.') gtm_region_entry_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 23)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmRegionEntryNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmRegionEntryName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmRegionEntryRegionDbType')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_region_entry_group = gtmRegionEntryGroup.setStatus('current') if mibBuilder.loadTexts: gtmRegionEntryGroup.setDescription('A collection of objects of gtmRegionEntry MIB.') gtm_reg_item_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 24)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmRegItemNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmRegItemRegionDbType'), ('F5-BIGIP-GLOBAL-MIB', 'gtmRegItemRegionName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmRegItemType'), ('F5-BIGIP-GLOBAL-MIB', 'gtmRegItemNegate'), ('F5-BIGIP-GLOBAL-MIB', 'gtmRegItemRegEntry')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_reg_item_group = gtmRegItemGroup.setStatus('current') if mibBuilder.loadTexts: gtmRegItemGroup.setDescription('A collection of objects of gtmRegItem MIB.') gtm_rule_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 25)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmRuleNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmRuleName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmRuleDefinition'), ('F5-BIGIP-GLOBAL-MIB', 'gtmRuleConfigSource')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_rule_group = gtmRuleGroup.setStatus('current') if mibBuilder.loadTexts: gtmRuleGroup.setDescription('A collection of objects of gtmRule MIB.') gtm_rule_event_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 26)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmRuleEventNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmRuleEventName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmRuleEventEventType'), ('F5-BIGIP-GLOBAL-MIB', 'gtmRuleEventPriority'), ('F5-BIGIP-GLOBAL-MIB', 'gtmRuleEventScript')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_rule_event_group = gtmRuleEventGroup.setStatus('current') if mibBuilder.loadTexts: gtmRuleEventGroup.setDescription('A collection of objects of gtmRuleEvent MIB.') gtm_rule_event_stat_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 27)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmRuleEventStatResetStats'), ('F5-BIGIP-GLOBAL-MIB', 'gtmRuleEventStatNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmRuleEventStatName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmRuleEventStatEventType'), ('F5-BIGIP-GLOBAL-MIB', 'gtmRuleEventStatPriority'), ('F5-BIGIP-GLOBAL-MIB', 'gtmRuleEventStatFailures'), ('F5-BIGIP-GLOBAL-MIB', 'gtmRuleEventStatAborts'), ('F5-BIGIP-GLOBAL-MIB', 'gtmRuleEventStatTotalExecutions')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_rule_event_stat_group = gtmRuleEventStatGroup.setStatus('current') if mibBuilder.loadTexts: gtmRuleEventStatGroup.setDescription('A collection of objects of gtmRuleEventStat MIB.') gtm_server_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 28)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmServerNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerDcName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerType'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerLimitCpuUsageEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerLimitMemAvailEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerLimitBitsPerSecEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerLimitPktsPerSecEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerLimitConnEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerLimitConnPerSecEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerLimitCpuUsage'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerLimitMemAvail'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerLimitBitsPerSec'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerLimitPktsPerSec'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerLimitConn'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerLimitConnPerSec'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerProberType'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerProber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerMonitorRule'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerAllowSvcChk'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerAllowPath'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerAllowSnmp'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerAutoconfState'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerLinkAutoconfState')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_server_group = gtmServerGroup.setStatus('current') if mibBuilder.loadTexts: gtmServerGroup.setDescription('A collection of objects of gtmServer MIB.') gtm_server_stat_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 29)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmServerStatResetStats'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerStatNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerStatName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerStatUnitId'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerStatVsPicks'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerStatCpuUsage'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerStatMemAvail'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerStatBitsPerSecIn'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerStatBitsPerSecOut'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerStatPktsPerSecIn'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerStatPktsPerSecOut'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerStatConnections'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerStatConnRate')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_server_stat_group = gtmServerStatGroup.setStatus('current') if mibBuilder.loadTexts: gtmServerStatGroup.setDescription('A collection of objects of gtmServerStat MIB.') gtm_server_status_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 30)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmServerStatusNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerStatusName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerStatusAvailState'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerStatusEnabledState'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerStatusParentType'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerStatusDetailReason')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_server_status_group = gtmServerStatusGroup.setStatus('current') if mibBuilder.loadTexts: gtmServerStatusGroup.setDescription('A collection of objects of gtmServerStatus MIB.') gtm_top_item_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 31)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmTopItemNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmTopItemLdnsType'), ('F5-BIGIP-GLOBAL-MIB', 'gtmTopItemLdnsNegate'), ('F5-BIGIP-GLOBAL-MIB', 'gtmTopItemLdnsEntry'), ('F5-BIGIP-GLOBAL-MIB', 'gtmTopItemServerType'), ('F5-BIGIP-GLOBAL-MIB', 'gtmTopItemServerNegate'), ('F5-BIGIP-GLOBAL-MIB', 'gtmTopItemServerEntry'), ('F5-BIGIP-GLOBAL-MIB', 'gtmTopItemWeight'), ('F5-BIGIP-GLOBAL-MIB', 'gtmTopItemOrder')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_top_item_group = gtmTopItemGroup.setStatus('current') if mibBuilder.loadTexts: gtmTopItemGroup.setDescription('A collection of objects of gtmTopItem MIB.') gtm_vs_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 32)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmVsNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsIpType'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsIp'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsPort'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsServerName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsIpXlatedType'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsIpXlated'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsPortXlated'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsLimitCpuUsageEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsLimitMemAvailEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsLimitBitsPerSecEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsLimitPktsPerSecEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsLimitConnEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsLimitConnPerSecEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsLimitCpuUsage'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsLimitMemAvail'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsLimitBitsPerSec'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsLimitPktsPerSec'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsLimitConn'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsLimitConnPerSec'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsMonitorRule'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsLinkName')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_vs_group = gtmVsGroup.setStatus('current') if mibBuilder.loadTexts: gtmVsGroup.setDescription('A collection of objects of gtmVirtualServ MIB.') gtm_vs_deps_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 33)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmVsDepsNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsDepsIpType'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsDepsIp'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsDepsPort'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsDepsVipType'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsDepsVip'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsDepsVport'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsDepsServerName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsDepsVsName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsDepsDependServerName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsDepsDependVsName')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_vs_deps_group = gtmVsDepsGroup.setStatus('current') if mibBuilder.loadTexts: gtmVsDepsGroup.setDescription('A collection of objects of gtmVirtualServDepends MIB.') gtm_vs_stat_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 34)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmVsStatResetStats'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsStatNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsStatIpType'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsStatIp'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsStatPort'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsStatName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsStatCpuUsage'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsStatMemAvail'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsStatBitsPerSecIn'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsStatBitsPerSecOut'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsStatPktsPerSecIn'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsStatPktsPerSecOut'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsStatConnections'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsStatConnRate'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsStatVsScore'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsStatServerName')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_vs_stat_group = gtmVsStatGroup.setStatus('current') if mibBuilder.loadTexts: gtmVsStatGroup.setDescription('A collection of objects of gtmVirtualServStat MIB.') gtm_vs_status_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 35)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmVsStatusNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsStatusIpType'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsStatusIp'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsStatusPort'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsStatusAvailState'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsStatusEnabledState'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsStatusParentType'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsStatusDetailReason'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsStatusVsName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmVsStatusServerName')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_vs_status_group = gtmVsStatusGroup.setStatus('current') if mibBuilder.loadTexts: gtmVsStatusGroup.setDescription('A collection of objects of gtmVirtualServStatus MIB.') gtm_wideip_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 36)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmWideipNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmWideipName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmWideipPersist'), ('F5-BIGIP-GLOBAL-MIB', 'gtmWideipTtlPersist'), ('F5-BIGIP-GLOBAL-MIB', 'gtmWideipEnabled'), ('F5-BIGIP-GLOBAL-MIB', 'gtmWideipLbmodePool'), ('F5-BIGIP-GLOBAL-MIB', 'gtmWideipApplication'), ('F5-BIGIP-GLOBAL-MIB', 'gtmWideipLastResortPool'), ('F5-BIGIP-GLOBAL-MIB', 'gtmWideipIpv6Noerror'), ('F5-BIGIP-GLOBAL-MIB', 'gtmWideipLoadBalancingDecisionLogVerbosity')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_wideip_group = gtmWideipGroup.setStatus('current') if mibBuilder.loadTexts: gtmWideipGroup.setDescription('A collection of objects of gtmWideip MIB.') gtm_wideip_stat_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 37)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmWideipStatResetStats'), ('F5-BIGIP-GLOBAL-MIB', 'gtmWideipStatNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmWideipStatName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmWideipStatRequests'), ('F5-BIGIP-GLOBAL-MIB', 'gtmWideipStatResolutions'), ('F5-BIGIP-GLOBAL-MIB', 'gtmWideipStatPersisted'), ('F5-BIGIP-GLOBAL-MIB', 'gtmWideipStatPreferred'), ('F5-BIGIP-GLOBAL-MIB', 'gtmWideipStatFallback'), ('F5-BIGIP-GLOBAL-MIB', 'gtmWideipStatDropped'), ('F5-BIGIP-GLOBAL-MIB', 'gtmWideipStatExplicitIp'), ('F5-BIGIP-GLOBAL-MIB', 'gtmWideipStatReturnToDns'), ('F5-BIGIP-GLOBAL-MIB', 'gtmWideipStatReturnFromDns'), ('F5-BIGIP-GLOBAL-MIB', 'gtmWideipStatCnameResolutions'), ('F5-BIGIP-GLOBAL-MIB', 'gtmWideipStatARequests'), ('F5-BIGIP-GLOBAL-MIB', 'gtmWideipStatAaaaRequests')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_wideip_stat_group = gtmWideipStatGroup.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatGroup.setDescription('A collection of objects of gtmWideipStat MIB.') gtm_wideip_status_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 38)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmWideipStatusNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmWideipStatusName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmWideipStatusAvailState'), ('F5-BIGIP-GLOBAL-MIB', 'gtmWideipStatusEnabledState'), ('F5-BIGIP-GLOBAL-MIB', 'gtmWideipStatusParentType'), ('F5-BIGIP-GLOBAL-MIB', 'gtmWideipStatusDetailReason')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_wideip_status_group = gtmWideipStatusGroup.setStatus('current') if mibBuilder.loadTexts: gtmWideipStatusGroup.setDescription('A collection of objects of gtmWideipStatus MIB.') gtm_wideip_alias_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 39)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmWideipAliasNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmWideipAliasWipName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmWideipAliasName')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_wideip_alias_group = gtmWideipAliasGroup.setStatus('current') if mibBuilder.loadTexts: gtmWideipAliasGroup.setDescription('A collection of objects of gtmWideipAlias MIB.') gtm_wideip_pool_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 40)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmWideipPoolNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmWideipPoolWipName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmWideipPoolPoolName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmWideipPoolOrder'), ('F5-BIGIP-GLOBAL-MIB', 'gtmWideipPoolRatio')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_wideip_pool_group = gtmWideipPoolGroup.setStatus('current') if mibBuilder.loadTexts: gtmWideipPoolGroup.setDescription('A collection of objects of gtmWideipPool MIB.') gtm_wideip_rule_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 41)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmWideipRuleNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmWideipRuleWipName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmWideipRuleRuleName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmWideipRulePriority')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_wideip_rule_group = gtmWideipRuleGroup.setStatus('current') if mibBuilder.loadTexts: gtmWideipRuleGroup.setDescription('A collection of objects of gtmWideipRule MIB.') gtm_server_stat2_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 42)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmServerStat2Number'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerStat2Name'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerStat2UnitId'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerStat2VsPicks'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerStat2CpuUsage'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerStat2MemAvail'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerStat2BitsPerSecIn'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerStat2BitsPerSecOut'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerStat2PktsPerSecIn'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerStat2PktsPerSecOut'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerStat2Connections'), ('F5-BIGIP-GLOBAL-MIB', 'gtmServerStat2ConnRate')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_server_stat2_group = gtmServerStat2Group.setStatus('current') if mibBuilder.loadTexts: gtmServerStat2Group.setDescription('A collection of objects of gtmServerStat2 MIB.') gtm_prober_pool_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 43)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolLbMode'), ('F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolEnabled')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_prober_pool_group = gtmProberPoolGroup.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolGroup.setDescription('A collection of objects of gtmProberPool MIB.') gtm_prober_pool_stat_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 44)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolStatResetStats'), ('F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolStatNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolStatName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolStatTotalProbes'), ('F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolStatSuccessfulProbes'), ('F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolStatFailedProbes')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_prober_pool_stat_group = gtmProberPoolStatGroup.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolStatGroup.setDescription('A collection of objects of gtmProberPoolStat MIB.') gtm_prober_pool_status_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 45)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolStatusNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolStatusName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolStatusAvailState'), ('F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolStatusEnabledState'), ('F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolStatusDetailReason')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_prober_pool_status_group = gtmProberPoolStatusGroup.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolStatusGroup.setDescription('A collection of objects of gtmProberPoolStatus MIB.') gtm_prober_pool_mbr_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 46)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolMbrNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolMbrPoolName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolMbrServerName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolMbrPmbrOrder'), ('F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolMbrEnabled')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_prober_pool_mbr_group = gtmProberPoolMbrGroup.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrGroup.setDescription('A collection of objects of gtmProberPoolMember MIB.') gtm_prober_pool_mbr_stat_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 47)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolMbrStatResetStats'), ('F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolMbrStatNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolMbrStatPoolName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolMbrStatServerName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolMbrStatTotalProbes'), ('F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolMbrStatSuccessfulProbes'), ('F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolMbrStatFailedProbes')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_prober_pool_mbr_stat_group = gtmProberPoolMbrStatGroup.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatGroup.setDescription('A collection of objects of gtmProberPoolMemberStat MIB.') gtm_prober_pool_mbr_status_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 48)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolMbrStatusNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolMbrStatusPoolName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolMbrStatusServerName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolMbrStatusAvailState'), ('F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolMbrStatusEnabledState'), ('F5-BIGIP-GLOBAL-MIB', 'gtmProberPoolMbrStatusDetailReason')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_prober_pool_mbr_status_group = gtmProberPoolMbrStatusGroup.setStatus('current') if mibBuilder.loadTexts: gtmProberPoolMbrStatusGroup.setDescription('A collection of objects of gtmProberPoolMemberStatus MIB.') gtm_attr2_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 49)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2Number'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2DumpTopology'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2CacheLdns'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2AolAware'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2CheckStaticDepends'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2CheckDynamicDepends'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2DrainRequests'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2EnableResetsRipeness'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2FbRespectDepends'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2FbRespectAcl'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2DefaultAlternate'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2DefaultFallback'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2PersistMask'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2GtmSetsRecursion'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2QosFactorLcs'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2QosFactorRtt'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2QosFactorHops'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2QosFactorHitRatio'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2QosFactorPacketRate'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2QosFactorBps'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2QosFactorVsCapacity'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2QosFactorTopology'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2QosFactorConnRate'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2TimerRetryPathData'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2TimerGetAutoconfigData'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2TimerPersistCache'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2DefaultProbeLimit'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2DownThreshold'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2DownMultiple'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2PathTtl'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2TraceTtl'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2LdnsDuration'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2PathDuration'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2RttSampleCount'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2RttPacketLength'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2RttTimeout'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2MaxMonReqs'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2TraceroutePort'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2PathsNeverDie'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2ProbeDisabledObjects'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2LinkLimitFactor'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2OverLimitLinkLimitFactor'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2LinkPrepaidFactor'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2LinkCompensateInbound'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2LinkCompensateOutbound'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2LinkCompensationHistory'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2MaxLinkOverLimitCount'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2LowerBoundPctRow'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2LowerBoundPctCol'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2Autoconf'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2Autosync'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2SyncNamedConf'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2SyncGroup'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2SyncTimeout'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2SyncZonesTimeout'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2TimeTolerance'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2TopologyLongestMatch'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2TopologyAclThreshold'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2StaticPersistCidr'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2StaticPersistV6Cidr'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2QosFactorVsScore'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2TimerSendKeepAlive'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2CertificateDepth'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2MaxMemoryUsage'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2Name'), ('F5-BIGIP-GLOBAL-MIB', 'gtmAttr2ForwardStatus')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_attr2_group = gtmAttr2Group.setStatus('current') if mibBuilder.loadTexts: gtmAttr2Group.setDescription('A collection of objects of gtmGlobalAttr2 MIB.') gtm_dnssec_zone_stat_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 50)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecZoneStatResetStats'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecZoneStatNumber'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecZoneStatName'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecZoneStatNsec3s'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecZoneStatNsec3Nodata'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecZoneStatNsec3Nxdomain'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecZoneStatNsec3Referral'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecZoneStatNsec3Resalt'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecZoneStatDnssecResponses'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecZoneStatDnssecDnskeyQueries'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecZoneStatDnssecNsec3paramQueries'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecZoneStatDnssecDsQueries'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecZoneStatSigCryptoFailed'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecZoneStatSigSuccess'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecZoneStatSigFailed'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecZoneStatSigRrsetFailed'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecZoneStatConnectFlowFailed'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecZoneStatTowireFailed'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecZoneStatAxfrQueries'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecZoneStatIxfrQueries'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecZoneStatXfrStarts'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecZoneStatXfrCompletes'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecZoneStatXfrMsgs'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecZoneStatXfrMasterMsgs'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecZoneStatXfrResponseAverageSize'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecZoneStatXfrSerial'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecZoneStatXfrMasterSerial')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_dnssec_zone_stat_group = gtmDnssecZoneStatGroup.setStatus('current') if mibBuilder.loadTexts: gtmDnssecZoneStatGroup.setDescription('A collection of objects of gtmDnssecZoneStat MIB.') gtm_dnssec_stat_group = object_group((1, 3, 6, 1, 4, 1, 3375, 2, 5, 2, 3, 51)).setObjects(('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecStatResetStats'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecStatNsec3s'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecStatNsec3Nodata'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecStatNsec3Nxdomain'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecStatNsec3Referral'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecStatNsec3Resalt'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecStatDnssecResponses'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecStatDnssecDnskeyQueries'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecStatDnssecNsec3paramQueries'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecStatDnssecDsQueries'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecStatSigCryptoFailed'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecStatSigSuccess'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecStatSigFailed'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecStatSigRrsetFailed'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecStatConnectFlowFailed'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecStatTowireFailed'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecStatAxfrQueries'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecStatIxfrQueries'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecStatXfrStarts'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecStatXfrCompletes'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecStatXfrMsgs'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecStatXfrMasterMsgs'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecStatXfrResponseAverageSize'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecStatXfrSerial'), ('F5-BIGIP-GLOBAL-MIB', 'gtmDnssecStatXfrMasterSerial')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): gtm_dnssec_stat_group = gtmDnssecStatGroup.setStatus('current') if mibBuilder.loadTexts: gtmDnssecStatGroup.setDescription('A collection of objects of gtmGlobalDnssecStat MIB.') mibBuilder.exportSymbols('F5-BIGIP-GLOBAL-MIB', gtmProberPoolStatusGroup=gtmProberPoolStatusGroup, gtmLinkLimitTotalMemAvail=gtmLinkLimitTotalMemAvail, gtmPoolMbrLimitConnPerSecEnabled=gtmPoolMbrLimitConnPerSecEnabled, gtmPool=gtmPool, gtmPoolMember=gtmPoolMember, gtmDcStatPktsPerSecIn=gtmDcStatPktsPerSecIn, gtmDnssecZoneStatNsec3Referral=gtmDnssecZoneStatNsec3Referral, gtmAppContStatEntry=gtmAppContStatEntry, gtmServerStat2UnitId=gtmServerStat2UnitId, gtmLinkLimitInCpuUsageEnabled=gtmLinkLimitInCpuUsageEnabled, gtmWideipAliasGroup=gtmWideipAliasGroup, gtmDnssecStatConnectFlowFailed=gtmDnssecStatConnectFlowFailed, gtmDnssecZoneStatNumber=gtmDnssecZoneStatNumber, gtmAttrDefaultFallback=gtmAttrDefaultFallback, gtmPoolMemberStatus=gtmPoolMemberStatus, gtmPoolStat=gtmPoolStat, gtmLinkCostName=gtmLinkCostName, gtmPoolStatusDetailReason=gtmPoolStatusDetailReason, gtmServerStat2Group=gtmServerStat2Group, gtmLinkLimitInMemAvail=gtmLinkLimitInMemAvail, gtmPoolMbrStatPreferred=gtmPoolMbrStatPreferred, gtmProberPoolMbrStatServerName=gtmProberPoolMbrStatServerName, gtmApplication=gtmApplication, gtmDnssecZoneStatXfrMasterMsgs=gtmDnssecZoneStatXfrMasterMsgs, gtmDnssecStatSigFailed=gtmDnssecStatSigFailed, gtmAppStatusGroup=gtmAppStatusGroup, gtmProberPoolMember=gtmProberPoolMember, gtmPoolQosCoeffRtt=gtmPoolQosCoeffRtt, gtmAttrAutoconf=gtmAttrAutoconf, gtmPoolMbrStatusEnabledState=gtmPoolMbrStatusEnabledState, gtmRuleDefinition=gtmRuleDefinition, gtmAttrLinkCompensationHistory=gtmAttrLinkCompensationHistory, gtmAttr2StaticPersistV6Cidr=gtmAttr2StaticPersistV6Cidr, gtmAppStatusNumber=gtmAppStatusNumber, gtmAppContStatType=gtmAppContStatType, gtmVsIpXlatedType=gtmVsIpXlatedType, gtmPoolMbrLimitCpuUsageEnabled=gtmPoolMbrLimitCpuUsageEnabled, gtmAppContStatDetailReason=gtmAppContStatDetailReason, gtmTopItemTable=gtmTopItemTable, gtmPoolStatReturnFromDns=gtmPoolStatReturnFromDns, gtmPoolQosCoeffVsCapacity=gtmPoolQosCoeffVsCapacity, gtmDnssecZoneStatNsec3Nxdomain=gtmDnssecZoneStatNsec3Nxdomain, gtmProberPoolMbrStatusEnabledState=gtmProberPoolMbrStatusEnabledState, gtmVsStatusParentType=gtmVsStatusParentType, gtmLinkStatRateNode=gtmLinkStatRateNode, gtmRules=gtmRules, gtmWideipStatusAvailState=gtmWideipStatusAvailState, gtmLinkDuplex=gtmLinkDuplex, gtmVsEnabled=gtmVsEnabled, gtmAttr2QosFactorBps=gtmAttr2QosFactorBps, gtmStatAaaaRequests=gtmStatAaaaRequests, gtmVsTable=gtmVsTable, gtmRuleEventScript=gtmRuleEventScript, gtmRegionEntry=gtmRegionEntry, gtmVsLimitBitsPerSecEnabled=gtmVsLimitBitsPerSecEnabled, gtmPoolMbrOrder=gtmPoolMbrOrder, gtmWideipStatus=gtmWideipStatus, gtmServerStat2PktsPerSecIn=gtmServerStat2PktsPerSecIn, gtmLinkLimitTotalConnPerSecEnabled=gtmLinkLimitTotalConnPerSecEnabled, gtmDcStatPktsPerSecOut=gtmDcStatPktsPerSecOut, gtmTopItemServerNegate=gtmTopItemServerNegate, gtmPoolMbrIp=gtmPoolMbrIp, gtmApplications=gtmApplications, gtmDnssecZoneStatName=gtmDnssecZoneStatName, gtmPoolMbrTable=gtmPoolMbrTable, gtmVsLimitMemAvail=gtmVsLimitMemAvail, gtmLinkLimitOutPktsPerSecEnabled=gtmLinkLimitOutPktsPerSecEnabled, gtmPoolMbrDepsVipType=gtmPoolMbrDepsVipType, gtmAttr2LinkLimitFactor=gtmAttr2LinkLimitFactor, gtmDcStatusEntry=gtmDcStatusEntry, gtmDnssecZoneStatIxfrQueries=gtmDnssecZoneStatIxfrQueries, gtmAttrSyncGroup=gtmAttrSyncGroup, gtmAttr2Name=gtmAttr2Name, gtmAttrMaxLinkOverLimitCount=gtmAttrMaxLinkOverLimitCount, gtmServerStatUnitId=gtmServerStatUnitId, gtmAttrAutosync=gtmAttrAutosync, gtmPoolMbrStatTable=gtmPoolMbrStatTable, gtmServerStat2Entry=gtmServerStat2Entry, gtmAttr2QosFactorVsCapacity=gtmAttr2QosFactorVsCapacity, gtmWideipStatPersisted=gtmWideipStatPersisted, gtmVsDepsServerName=gtmVsDepsServerName, gtmAttr2ForwardStatus=gtmAttr2ForwardStatus, gtmStatReconnects=gtmStatReconnects, gtmVsStatBitsPerSecOut=gtmVsStatBitsPerSecOut, gtmPoolMbrStatusGroup=gtmPoolMbrStatusGroup, gtmAttrEnableResetsRipeness=gtmAttrEnableResetsRipeness, gtmPoolLimitBitsPerSecEnabled=gtmPoolLimitBitsPerSecEnabled, gtmAttr2DumpTopology=gtmAttr2DumpTopology, gtmServerStat2Connections=gtmServerStat2Connections, gtmDnssecStatXfrMsgs=gtmDnssecStatXfrMsgs, gtmDcContact=gtmDcContact, gtmWideipAliasEntry=gtmWideipAliasEntry, gtmAttrCheckStaticDepends=gtmAttrCheckStaticDepends, gtmDnssecZoneStatSigRrsetFailed=gtmDnssecZoneStatSigRrsetFailed, gtmVsStatResetStats=gtmVsStatResetStats, gtmPoolMbrDepsNumber=gtmPoolMbrDepsNumber, gtmPoolStatusEnabledState=gtmPoolStatusEnabledState, gtmTopItemOrder=gtmTopItemOrder, gtmGlobalAttrs=gtmGlobalAttrs, gtmPoolTtl=gtmPoolTtl, gtmPoolStatus=gtmPoolStatus, gtmRegItemRegEntry=gtmRegItemRegEntry, gtmWideipRuleWipName=gtmWideipRuleWipName, gtmAppContStatAppName=gtmAppContStatAppName, gtmAttrTopologyLongestMatch=gtmAttrTopologyLongestMatch, gtmVsStatusVsName=gtmVsStatusVsName, gtmWideipEnabled=gtmWideipEnabled, gtmPoolMbrDepsIp=gtmPoolMbrDepsIp, gtmServers=gtmServers, gtmPoolMbrStatusServerName=gtmPoolMbrStatusServerName, gtmProberPoolStatusDetailReason=gtmProberPoolStatusDetailReason, gtmPoolQosCoeffHops=gtmPoolQosCoeffHops, gtmAttr2TimerGetAutoconfigData=gtmAttr2TimerGetAutoconfigData, gtmLinkStatRateIn=gtmLinkStatRateIn, gtmAppName=gtmAppName, gtmRegionEntryRegionDbType=gtmRegionEntryRegionDbType, gtmProberPoolMbrStatNumber=gtmProberPoolMbrStatNumber, gtmWideipStatusDetailReason=gtmWideipStatusDetailReason, gtmGlobalLdnsProbeProtoGroup=gtmGlobalLdnsProbeProtoGroup, gtmDnssecStatDnssecDsQueries=gtmDnssecStatDnssecDsQueries, gtmLinkStatus=gtmLinkStatus, gtmAttr2TimerPersistCache=gtmAttr2TimerPersistCache, gtmAppAvailability=gtmAppAvailability, gtmPoolMbrNumber=gtmPoolMbrNumber, gtmWideipStatDropped=gtmWideipStatDropped, gtmAttrDefaultAlternate=gtmAttrDefaultAlternate, gtmAttr2SyncZonesTimeout=gtmAttr2SyncZonesTimeout, gtmAttr2DownMultiple=gtmAttr2DownMultiple, gtmDnssecZoneStatXfrMasterSerial=gtmDnssecZoneStatXfrMasterSerial, gtmVsLimitConnEnabled=gtmVsLimitConnEnabled, gtmPoolMbrStatusDetailReason=gtmPoolMbrStatusDetailReason, gtmTopItemServerEntry=gtmTopItemServerEntry, gtmPoolStatFallback=gtmPoolStatFallback, gtmPoolMbrStatusNumber=gtmPoolMbrStatusNumber, gtmIp=gtmIp, gtmAttrSyncZonesTimeout=gtmAttrSyncZonesTimeout, gtmProberPoolStatSuccessfulProbes=gtmProberPoolStatSuccessfulProbes, gtmProberPoolStat=gtmProberPoolStat, gtmProberPoolStatus=gtmProberPoolStatus, gtmIpLinkName=gtmIpLinkName, gtmWideipStat=gtmWideipStat, gtmGlobalLdnsProbeProtoNumber=gtmGlobalLdnsProbeProtoNumber, gtmAppStatusParentType=gtmAppStatusParentType, gtmPoolMbrDepsIpType=gtmPoolMbrDepsIpType, gtmAttrTimerGetAutoconfigData=gtmAttrTimerGetAutoconfigData, gtmAttr2TopologyLongestMatch=gtmAttr2TopologyLongestMatch, gtmStatAlternate=gtmStatAlternate, gtmServerStat2VsPicks=gtmServerStat2VsPicks, gtmVsDepsGroup=gtmVsDepsGroup, gtmLinkCostIndex=gtmLinkCostIndex, gtmAppContStatAvailState=gtmAppContStatAvailState, gtmAttrFbRespectAcl=gtmAttrFbRespectAcl, gtmAttrFbRespectDepends=gtmAttrFbRespectDepends, gtmLinkLimitTotalBitsPerSec=gtmLinkLimitTotalBitsPerSec, gtmLinkStatRateNodeOut=gtmLinkStatRateNodeOut, gtmProberPoolNumber=gtmProberPoolNumber, gtmDnssecZoneStat=gtmDnssecZoneStat, gtmLinkStatGroup=gtmLinkStatGroup, gtmLinkWeightingType=gtmLinkWeightingType, gtmWideipPoolGroup=gtmWideipPoolGroup, gtmWideipLastResortPool=gtmWideipLastResortPool, gtmWideipTable=gtmWideipTable, gtmProberPoolStatTable=gtmProberPoolStatTable, gtmRuleTable=gtmRuleTable, gtmVsDepsNumber=gtmVsDepsNumber, gtmLinkLimitOutConnPerSecEnabled=gtmLinkLimitOutConnPerSecEnabled, gtmPoolEnabled=gtmPoolEnabled, gtmDnssecZoneStatTowireFailed=gtmDnssecZoneStatTowireFailed, gtmPoolStatAlternate=gtmPoolStatAlternate, gtmDnssecZoneStatXfrCompletes=gtmDnssecZoneStatXfrCompletes, gtmAttrQosFactorVsScore=gtmAttrQosFactorVsScore, gtmPoolMbrStatFallback=gtmPoolMbrStatFallback, gtmPoolMbrStatServerName=gtmPoolMbrStatServerName, gtmPoolDynamicRatio=gtmPoolDynamicRatio, gtmPoolLbMode=gtmPoolLbMode, gtmAttr2PathsNeverDie=gtmAttr2PathsNeverDie, gtmRegionEntryNumber=gtmRegionEntryNumber, gtmStatPersisted=gtmStatPersisted, gtmVsDepsVport=gtmVsDepsVport, gtmLinkStatTable=gtmLinkStatTable, gtmProberPoolMbrStatusTable=gtmProberPoolMbrStatusTable, gtmLinkStatusEntry=gtmLinkStatusEntry, gtmIpTable=gtmIpTable, gtmPoolMbrStatResetStats=gtmPoolMbrStatResetStats, gtmProberPoolStatusNumber=gtmProberPoolStatusNumber, gtmVsStatusIpType=gtmVsStatusIpType, gtmWideipStatusNumber=gtmWideipStatusNumber, gtmAppContextStat=gtmAppContextStat, gtmDnssecZoneStatSigCryptoFailed=gtmDnssecZoneStatSigCryptoFailed, gtmAttr2PathDuration=gtmAttr2PathDuration, gtmAttrProbeDisabledObjects=gtmAttrProbeDisabledObjects, gtmAttr2PathTtl=gtmAttr2PathTtl, gtmServerStat2=gtmServerStat2, gtmPoolTable=gtmPoolTable, gtmIpIpXlated=gtmIpIpXlated, gtmLinkStatResetStats=gtmLinkStatResetStats, gtmWideipRuleEntry=gtmWideipRuleEntry, gtmStatARequests=gtmStatARequests, gtmAttrQosFactorTopology=gtmAttrQosFactorTopology, gtmProberPoolMbrStatTable=gtmProberPoolMbrStatTable, gtmLinkLimitTotalPktsPerSec=gtmLinkLimitTotalPktsPerSec, gtmServerMonitorRule=gtmServerMonitorRule, gtmRuleGroup=gtmRuleGroup, gtmPoolQosCoeffPacketRate=gtmPoolQosCoeffPacketRate, gtmProberPoolStatusAvailState=gtmProberPoolStatusAvailState, gtmProberPoolMbrStatusDetailReason=gtmProberPoolMbrStatusDetailReason, gtmRegItemType=gtmRegItemType, gtmTopItemGroup=gtmTopItemGroup, gtmGlobalStat=gtmGlobalStat, gtmLinkStatRateNodeIn=gtmLinkStatRateNodeIn, gtmPoolMbrLimitBitsPerSecEnabled=gtmPoolMbrLimitBitsPerSecEnabled, gtmServerStat2Number=gtmServerStat2Number, gtmDnssecStatXfrMasterSerial=gtmDnssecStatXfrMasterSerial, gtmPoolStatEntry=gtmPoolStatEntry, gtmProberPoolMbrStatResetStats=gtmProberPoolMbrStatResetStats, gtmAttr2TraceroutePort=gtmAttr2TraceroutePort, gtmWideipPoolOrder=gtmWideipPoolOrder, gtmPoolMbrStatIpType=gtmPoolMbrStatIpType, gtmServerStat2MemAvail=gtmServerStat2MemAvail, gtmDnssecZoneStatXfrMsgs=gtmDnssecZoneStatXfrMsgs, gtmProberPool=gtmProberPool, gtmVsStatEntry=gtmVsStatEntry, gtmVsStatServerName=gtmVsStatServerName, gtmWideipStatPreferred=gtmWideipStatPreferred, bigipGlobalTM=bigipGlobalTM, gtmProberPoolStatFailedProbes=gtmProberPoolStatFailedProbes, gtmLinkLimitTotalCpuUsage=gtmLinkLimitTotalCpuUsage, gtmAppContStatName=gtmAppContStatName, gtmPoolMbrStatusIpType=gtmPoolMbrStatusIpType, gtmLinkCost=gtmLinkCost, gtmAttrRttSampleCount=gtmAttrRttSampleCount, gtmAppStatusEntry=gtmAppStatusEntry, gtmLinkLimitOutConnEnabled=gtmLinkLimitOutConnEnabled, gtmWideips=gtmWideips, gtmPoolMbrLimitBitsPerSec=gtmPoolMbrLimitBitsPerSec, gtmLinkLimitInConnPerSecEnabled=gtmLinkLimitInConnPerSecEnabled, gtmPoolAnswersToReturn=gtmPoolAnswersToReturn, gtmVsStatName=gtmVsStatName, gtmDcTable=gtmDcTable, gtmAttr2DefaultProbeLimit=gtmAttr2DefaultProbeLimit, gtmWideipRuleGroup=gtmWideipRuleGroup, gtmVsMonitorRule=gtmVsMonitorRule, gtmServerStatNumber=gtmServerStatNumber, gtmRuleEventStatGroup=gtmRuleEventStatGroup, gtmLinkLimitTotalBitsPerSecEnabled=gtmLinkLimitTotalBitsPerSecEnabled, gtmDnssecStatSigRrsetFailed=gtmDnssecStatSigRrsetFailed, gtmLinkStatLcsIn=gtmLinkStatLcsIn, gtmStatRequests=gtmStatRequests, gtmProberPoolMbrStatFailedProbes=gtmProberPoolMbrStatFailedProbes, gtmPoolMbrStatusPoolName=gtmPoolMbrStatusPoolName, gtmStatBytesSent=gtmStatBytesSent, gtmServerStat2Name=gtmServerStat2Name, gtmPoolQosCoeffHitRatio=gtmPoolQosCoeffHitRatio, gtmRuleConfigSource=gtmRuleConfigSource) mibBuilder.exportSymbols('F5-BIGIP-GLOBAL-MIB', gtmDcStatTable=gtmDcStatTable, gtmLinkStatNumber=gtmLinkStatNumber, gtmPoolMbrPort=gtmPoolMbrPort, gtmDnssecStatXfrCompletes=gtmDnssecStatXfrCompletes, gtmRuleEventStatPriority=gtmRuleEventStatPriority, gtmServerStatName=gtmServerStatName, gtmServer=gtmServer, gtmStatNumBacklogged=gtmStatNumBacklogged, gtmPoolMbrLimitConnPerSec=gtmPoolMbrLimitConnPerSec, gtmDcStatusEnabledState=gtmDcStatusEnabledState, gtmProberPoolStatEntry=gtmProberPoolStatEntry, gtmPoolEntry=gtmPoolEntry, gtmServerStatBitsPerSecOut=gtmServerStatBitsPerSecOut, gtmProberPoolMbrStatEntry=gtmProberPoolMbrStatEntry, gtmDcLocation=gtmDcLocation, gtmAttrDownMultiple=gtmAttrDownMultiple, gtmRegionEntryEntry=gtmRegionEntryEntry, gtmAttr2DefaultAlternate=gtmAttr2DefaultAlternate, gtmStatResolutions=gtmStatResolutions, gtmDcStatEntry=gtmDcStatEntry, gtmProberPoolMbrStatusPoolName=gtmProberPoolMbrStatusPoolName, gtmAttr2GtmSetsRecursion=gtmAttr2GtmSetsRecursion, gtmPoolGroup=gtmPoolGroup, gtmLinkLimitTotalConnEnabled=gtmLinkLimitTotalConnEnabled, gtmVsStatIpType=gtmVsStatIpType, gtmVsIpXlated=gtmVsIpXlated, gtmVirtualServStatus=gtmVirtualServStatus, gtmVsStatTable=gtmVsStatTable, gtmProberPoolTable=gtmProberPoolTable, gtmPoolMbrLimitMemAvailEnabled=gtmPoolMbrLimitMemAvailEnabled, gtmAttr2PersistMask=gtmAttr2PersistMask, gtmVsStatMemAvail=gtmVsStatMemAvail, gtmStatGroup=gtmStatGroup, gtmLinkLimitOutConnPerSec=gtmLinkLimitOutConnPerSec, gtmGlobalStats=gtmGlobalStats, gtmAppContDisType=gtmAppContDisType, gtmAttrLowerBoundPctRow=gtmAttrLowerBoundPctRow, gtmPoolMbrLimitPktsPerSecEnabled=gtmPoolMbrLimitPktsPerSecEnabled, gtmServerStatResetStats=gtmServerStatResetStats, gtmLink=gtmLink, gtmAttrLinkCompensateOutbound=gtmAttrLinkCompensateOutbound, gtmTopItemServerType=gtmTopItemServerType, gtmVsDepsVipType=gtmVsDepsVipType, gtmDnssecZoneStatXfrResponseAverageSize=gtmDnssecZoneStatXfrResponseAverageSize, bigipGlobalTMCompliance=bigipGlobalTMCompliance, gtmServerAllowSvcChk=gtmServerAllowSvcChk, gtmLinkPrepaid=gtmLinkPrepaid, gtmProberPoolMbrGroup=gtmProberPoolMbrGroup, gtmRuleEventGroup=gtmRuleEventGroup, gtmLinkLimitInConn=gtmLinkLimitInConn, gtmAttr2MaxMemoryUsage=gtmAttr2MaxMemoryUsage, gtmDnssecZoneStatGroup=gtmDnssecZoneStatGroup, gtmDnssecStatXfrStarts=gtmDnssecStatXfrStarts, gtmAttrMaxMonReqs=gtmAttrMaxMonReqs, gtmAttrMaxMemoryUsage=gtmAttrMaxMemoryUsage, gtmVsStatGroup=gtmVsStatGroup, gtmProberPoolMbrEntry=gtmProberPoolMbrEntry, gtmDnssecZoneStatNsec3Nodata=gtmDnssecZoneStatNsec3Nodata, gtmLinkLimitInBitsPerSec=gtmLinkLimitInBitsPerSec, gtmDataCenterStat=gtmDataCenterStat, gtmAttr2SyncGroup=gtmAttr2SyncGroup, gtmServerLimitConnPerSecEnabled=gtmServerLimitConnPerSecEnabled, gtmWideipAliasNumber=gtmWideipAliasNumber, gtmRegItem=gtmRegItem, gtmAttrDrainRequests=gtmAttrDrainRequests, gtmIpIp=gtmIpIp, gtmProberPoolMbrStatTotalProbes=gtmProberPoolMbrStatTotalProbes, gtmAppContStatNumber=gtmAppContStatNumber, gtmServerProberType=gtmServerProberType, gtmVsStatusIp=gtmVsStatusIp, gtmAttrDumpTopology=gtmAttrDumpTopology, gtmAttrDownThreshold=gtmAttrDownThreshold, gtmAttrStaticPersistV6Cidr=gtmAttrStaticPersistV6Cidr, gtmLinkStatEntry=gtmLinkStatEntry, gtmServerStatConnRate=gtmServerStatConnRate, gtmPoolMbrLimitConnEnabled=gtmPoolMbrLimitConnEnabled, gtmServerAllowPath=gtmServerAllowPath, gtmPools=gtmPools, gtmAttrPersistMask=gtmAttrPersistMask, gtmServerStatEntry=gtmServerStatEntry, gtmWideipRulePriority=gtmWideipRulePriority, gtmPoolMbrStatNumber=gtmPoolMbrStatNumber, gtmVirtualServDepends=gtmVirtualServDepends, gtmAttr2Table=gtmAttr2Table, gtmPoolMbrIpType=gtmPoolMbrIpType, gtmDnssecZoneStatResetStats=gtmDnssecZoneStatResetStats, gtmStatPaths=gtmStatPaths, gtmAppStatusTable=gtmAppStatusTable, gtmDnssecZoneStatXfrSerial=gtmDnssecZoneStatXfrSerial, gtmDNSSEC=gtmDNSSEC, gtmAttrLdnsDuration=gtmAttrLdnsDuration, gtmDcStatusName=gtmDcStatusName, gtmProberPoolMbrStatusEntry=gtmProberPoolMbrStatusEntry, gtmWideipStatResetStats=gtmWideipStatResetStats, gtmAttrQosFactorVsCapacity=gtmAttrQosFactorVsCapacity, gtmPoolMbrRatio=gtmPoolMbrRatio, gtmPoolMbrStatVsName=gtmPoolMbrStatVsName, gtmAttr2CheckDynamicDepends=gtmAttr2CheckDynamicDepends, gtmDcNumber=gtmDcNumber, gtmPoolLimitPktsPerSec=gtmPoolLimitPktsPerSec, gtmProberPoolStatNumber=gtmProberPoolStatNumber, gtmVsStatConnections=gtmVsStatConnections, gtmDnssecStatAxfrQueries=gtmDnssecStatAxfrQueries, gtmDnssecZoneStatDnssecDsQueries=gtmDnssecZoneStatDnssecDsQueries, gtmWideipAliasTable=gtmWideipAliasTable, gtmVsDepsDependVsName=gtmVsDepsDependVsName, gtmProberPoolMbrStatusGroup=gtmProberPoolMbrStatusGroup, gtmVsStatConnRate=gtmVsStatConnRate, gtmProberPoolGroup=gtmProberPoolGroup, gtmAttrRttPacketLength=gtmAttrRttPacketLength, gtmAttr2MaxMonReqs=gtmAttr2MaxMonReqs, gtmDcStatusGroup=gtmDcStatusGroup, gtmWideipStatusGroup=gtmWideipStatusGroup, gtmWideipStatusName=gtmWideipStatusName, gtmAttr2QosFactorLcs=gtmAttr2QosFactorLcs, gtmAttr2StaticPersistCidr=gtmAttr2StaticPersistCidr, gtmLinkLimitTotalPktsPerSecEnabled=gtmLinkLimitTotalPktsPerSecEnabled, gtmVsStatPktsPerSecIn=gtmVsStatPktsPerSecIn, gtmServerProber=gtmServerProber, gtmPoolMbrDepsVport=gtmPoolMbrDepsVport, gtmServerStat2Table=gtmServerStat2Table, gtmPoolStatPreferred=gtmPoolStatPreferred, gtmGlobalAttr=gtmGlobalAttr, gtmTopologies=gtmTopologies, gtmAttrLowerBoundPctCol=gtmAttrLowerBoundPctCol, gtmLinkCostUptoBps=gtmLinkCostUptoBps, gtmVsPort=gtmVsPort, gtmProberPoolStatGroup=gtmProberPoolStatGroup, gtmAttr2DefaultFallback=gtmAttr2DefaultFallback, gtmPoolStatExplicitIp=gtmPoolStatExplicitIp, gtmAttr2LinkCompensateInbound=gtmAttr2LinkCompensateInbound, gtmLinkLimitInMemAvailEnabled=gtmLinkLimitInMemAvailEnabled, gtmPoolMemberDepends=gtmPoolMemberDepends, gtmGlobalLdnsProbeProtoName=gtmGlobalLdnsProbeProtoName, gtmAppStatusAvailState=gtmAppStatusAvailState, gtmAttrQosFactorLcs=gtmAttrQosFactorLcs, gtmWideipPoolPoolName=gtmWideipPoolPoolName, gtmAttr2Autoconf=gtmAttr2Autoconf, gtmServerType=gtmServerType, gtmAttr2ProbeDisabledObjects=gtmAttr2ProbeDisabledObjects, gtmAppStatusName=gtmAppStatusName, gtmGlobalLdnsProbeProtoEntry=gtmGlobalLdnsProbeProtoEntry, gtmVsStatusEnabledState=gtmVsStatusEnabledState, gtmLinkLimitOutCpuUsageEnabled=gtmLinkLimitOutCpuUsageEnabled, gtmStatFallback=gtmStatFallback, gtmDcStatusParentType=gtmDcStatusParentType, gtmAttr2TimerSendKeepAlive=gtmAttr2TimerSendKeepAlive, gtmVirtualServers=gtmVirtualServers, gtmRegItemGroup=gtmRegItemGroup, gtmGlobalLdnsProbeProtoIndex=gtmGlobalLdnsProbeProtoIndex, gtmRuleEventEntry=gtmRuleEventEntry, gtmDnssecStatXfrResponseAverageSize=gtmDnssecStatXfrResponseAverageSize, gtmPoolMbrStatusParentType=gtmPoolMbrStatusParentType, gtmDnssecZoneStatNsec3s=gtmDnssecZoneStatNsec3s, gtmRegItemNumber=gtmRegItemNumber, gtmAppTable=gtmAppTable, gtmIps=gtmIps, gtmAttr2TimerRetryPathData=gtmAttr2TimerRetryPathData, gtmLinkRatio=gtmLinkRatio, gtmVsStatusAvailState=gtmVsStatusAvailState, gtmTopItemWeight=gtmTopItemWeight, gtmStatBytesDropped=gtmStatBytesDropped, gtmDnssecZoneStatNsec3Resalt=gtmDnssecZoneStatNsec3Resalt, gtmProberPoolMbrStatSuccessfulProbes=gtmProberPoolMbrStatSuccessfulProbes, gtmTopItemLdnsType=gtmTopItemLdnsType, gtmWideip=gtmWideip, gtmPoolLimitConn=gtmPoolLimitConn, gtmAttrPathTtl=gtmAttrPathTtl, gtmPoolMbrStatAlternate=gtmPoolMbrStatAlternate, gtmLinkStat=gtmLinkStat, gtmWideipPoolEntry=gtmWideipPoolEntry, gtmPoolMbrServerName=gtmPoolMbrServerName, gtmServerStat2BitsPerSecIn=gtmServerStat2BitsPerSecIn, gtmAppContStatTable=gtmAppContStatTable, gtmLinks=gtmLinks, gtmDcStatMemAvail=gtmDcStatMemAvail, gtmRuleEventEventType=gtmRuleEventEventType, gtmServerStatPktsPerSecOut=gtmServerStatPktsPerSecOut, gtmVsLimitPktsPerSecEnabled=gtmVsLimitPktsPerSecEnabled, gtmAppContDisAppName=gtmAppContDisAppName, gtmLinkName=gtmLinkName, gtmIpIpType=gtmIpIpType, gtmAttr2QosFactorHops=gtmAttr2QosFactorHops, gtmAttrOverLimitLinkLimitFactor=gtmAttrOverLimitLinkLimitFactor, gtmVsLimitConnPerSecEnabled=gtmVsLimitConnPerSecEnabled, gtmStatBytesReceived=gtmStatBytesReceived, gtmTopItemEntry=gtmTopItemEntry, gtmWideipRuleTable=gtmWideipRuleTable, gtmDnssecStatGroup=gtmDnssecStatGroup, gtmPoolLimitCpuUsageEnabled=gtmPoolLimitCpuUsageEnabled, gtmAttr2QosFactorVsScore=gtmAttr2QosFactorVsScore, gtmLinkDcName=gtmLinkDcName, gtmWideipStatResolutions=gtmWideipStatResolutions, gtmServerStatusNumber=gtmServerStatusNumber, gtmPoolMbrStatPort=gtmPoolMbrStatPort, gtmVsStatVsScore=gtmVsStatVsScore, gtmTopItemLdnsEntry=gtmTopItemLdnsEntry, gtmPoolStatCnameResolutions=gtmPoolStatCnameResolutions, gtmVsPortXlated=gtmVsPortXlated, gtmProberPoolMbrPoolName=gtmProberPoolMbrPoolName, gtmPoolFallbackIpv6=gtmPoolFallbackIpv6, gtmAttrTraceroutePort=gtmAttrTraceroutePort, gtmDcStatName=gtmDcStatName, gtmDcEnabled=gtmDcEnabled, gtmWideipStatName=gtmWideipStatName, gtmVsDepsVip=gtmVsDepsVip, gtmDnssecZoneStatConnectFlowFailed=gtmDnssecZoneStatConnectFlowFailed, gtmLinkStatRateVses=gtmLinkStatRateVses, gtmAttrTimeTolerance=gtmAttrTimeTolerance, gtmVsIpType=gtmVsIpType, gtmDnssecZoneStatDnssecNsec3paramQueries=gtmDnssecZoneStatDnssecNsec3paramQueries, gtmPoolMbrDepsVip=gtmPoolMbrDepsVip, gtmStatReturnToDns=gtmStatReturnToDns, gtmAppStatusDetailReason=gtmAppStatusDetailReason, gtmIpDeviceName=gtmIpDeviceName, gtmWideipStatusEntry=gtmWideipStatusEntry, gtmPoolMbrDepsVsName=gtmPoolMbrDepsVsName, gtmIpIpXlatedType=gtmIpIpXlatedType, gtmPoolMemberStat=gtmPoolMemberStat, gtmVsStatusPort=gtmVsStatusPort, gtmAttrAolAware=gtmAttrAolAware, gtmWideipStatusEnabledState=gtmWideipStatusEnabledState, gtmServerLimitBitsPerSecEnabled=gtmServerLimitBitsPerSecEnabled, gtmWideipPoolNumber=gtmWideipPoolNumber, gtmDnssecStatSigCryptoFailed=gtmDnssecStatSigCryptoFailed, gtmRuleName=gtmRuleName, gtmDcStatResetStats=gtmDcStatResetStats, gtmAttrLinkCompensateInbound=gtmAttrLinkCompensateInbound, gtmPoolLimitCpuUsage=gtmPoolLimitCpuUsage, gtmRegionEntryTable=gtmRegionEntryTable, gtmLinkLimitOutMemAvailEnabled=gtmLinkLimitOutMemAvailEnabled, gtmLinkStatusName=gtmLinkStatusName, gtmServerTable=gtmServerTable, gtmAttr2SyncNamedConf=gtmAttr2SyncNamedConf, gtmServerStatBitsPerSecIn=gtmServerStatBitsPerSecIn, gtmWideipTtlPersist=gtmWideipTtlPersist, gtmWideipStatFallback=gtmWideipStatFallback, gtmAppContStatNumAvail=gtmAppContStatNumAvail, gtmDnssecZoneStatDnssecResponses=gtmDnssecZoneStatDnssecResponses, gtmPoolMbrStatusAvailState=gtmPoolMbrStatusAvailState, gtmWideipName=gtmWideipName, gtmAttrDefaultProbeLimit=gtmAttrDefaultProbeLimit, gtmServerStatus=gtmServerStatus, gtmWideipStatExplicitIp=gtmWideipStatExplicitIp, gtmWideipStatusParentType=gtmWideipStatusParentType, gtmProberPoolMbrTable=gtmProberPoolMbrTable, gtmStatReturnFromDns=gtmStatReturnFromDns, gtmDcStatCpuUsage=gtmDcStatCpuUsage, gtmWideipStatEntry=gtmWideipStatEntry, gtmPoolMbrDepsDependServerName=gtmPoolMbrDepsDependServerName, gtmAppContStatEnabledState=gtmAppContStatEnabledState, gtmRuleEventPriority=gtmRuleEventPriority, gtmLinkStatPaths=gtmLinkStatPaths, gtmRuleEventName=gtmRuleEventName) mibBuilder.exportSymbols('F5-BIGIP-GLOBAL-MIB', gtmAttrStaticPersistCidr=gtmAttrStaticPersistCidr, gtmWideipStatTable=gtmWideipStatTable, gtmDcStatGroup=gtmDcStatGroup, gtmPoolStatusNumber=gtmPoolStatusNumber, gtmProberPoolLbMode=gtmProberPoolLbMode, gtmServerLimitConnEnabled=gtmServerLimitConnEnabled, gtmAttr2LdnsDuration=gtmAttr2LdnsDuration, gtmStatResetStats=gtmStatResetStats, gtmAppGroup=gtmAppGroup, gtmAttr2QosFactorPacketRate=gtmAttr2QosFactorPacketRate, gtmRegItemEntry=gtmRegItemEntry, gtmWideipStatRequests=gtmWideipStatRequests, gtmDnssecStatXfrSerial=gtmDnssecStatXfrSerial, gtmServerAutoconfState=gtmServerAutoconfState, gtmPoolCname=gtmPoolCname, gtmVsIp=gtmVsIp, gtmVsServerName=gtmVsServerName, gtmVsStatPort=gtmVsStatPort, PYSNMP_MODULE_ID=bigipGlobalTM, gtmAppEntry=gtmAppEntry, gtmAttrLinkPrepaidFactor=gtmAttrLinkPrepaidFactor, gtmPoolMbrDepsPort=gtmPoolMbrDepsPort, gtmRegionEntryGroup=gtmRegionEntryGroup, gtmWideipRuleNumber=gtmWideipRuleNumber, gtmAttr2LinkCompensationHistory=gtmAttr2LinkCompensationHistory, gtmLinkMonitorRule=gtmLinkMonitorRule, gtmVsDepsIpType=gtmVsDepsIpType, gtmDcStatBitsPerSecIn=gtmDcStatBitsPerSecIn, gtmProberPoolStatusTable=gtmProberPoolStatusTable, gtmPoolMbrStatIp=gtmPoolMbrStatIp, gtmProberPoolMbrStatusAvailState=gtmProberPoolMbrStatusAvailState, gtmServerDcName=gtmServerDcName, gtmRegions=gtmRegions, gtmGlobalLdnsProbeProtoTable=gtmGlobalLdnsProbeProtoTable, gtmLinkStatusParentType=gtmLinkStatusParentType, gtmDnssecStatResetStats=gtmDnssecStatResetStats, gtmProberPoolMemberStat=gtmProberPoolMemberStat, gtmVsStatusDetailReason=gtmVsStatusDetailReason, gtmDcStatusNumber=gtmDcStatusNumber, gtmWideipIpv6Noerror=gtmWideipIpv6Noerror, gtmPoolStatNumber=gtmPoolStatNumber, gtmServerStat=gtmServerStat, gtmLinkTable=gtmLinkTable, gtmLinkStatusNumber=gtmLinkStatusNumber, gtmRuleEventStatAborts=gtmRuleEventStatAborts, gtmDnssecZoneStatEntry=gtmDnssecZoneStatEntry, gtmAppStatusEnabledState=gtmAppStatusEnabledState, gtmProberPools=gtmProberPools, gtmServerLimitMemAvailEnabled=gtmServerLimitMemAvailEnabled, gtmWideipRuleRuleName=gtmWideipRuleRuleName, gtmAttr2LinkPrepaidFactor=gtmAttr2LinkPrepaidFactor, gtmLinkLimitTotalMemAvailEnabled=gtmLinkLimitTotalMemAvailEnabled, gtmDnssecZoneStatSigSuccess=gtmDnssecZoneStatSigSuccess, gtmLinkStatusDetailReason=gtmLinkStatusDetailReason, gtmVsLimitCpuUsageEnabled=gtmVsLimitCpuUsageEnabled, gtmVsName=gtmVsName, gtmVirtualServ=gtmVirtualServ, gtmPoolLimitBitsPerSec=gtmPoolLimitBitsPerSec, gtmDataCenters=gtmDataCenters, gtmDnssecZoneStatSigFailed=gtmDnssecZoneStatSigFailed, gtmPoolFallbackIpType=gtmPoolFallbackIpType, gtmDnssecZoneStatTable=gtmDnssecZoneStatTable, gtmGlobalLdnsProbeProtoType=gtmGlobalLdnsProbeProtoType, gtmIpEntry=gtmIpEntry, gtmVsEntry=gtmVsEntry, gtmWideipEntry=gtmWideipEntry, gtmPoolStatGroup=gtmPoolStatGroup, gtmPoolStatusName=gtmPoolStatusName, gtmWideipStatARequests=gtmWideipStatARequests, gtmAppContDisNumber=gtmAppContDisNumber, gtmPoolStatusParentType=gtmPoolStatusParentType, gtmPoolQosCoeffBps=gtmPoolQosCoeffBps, gtmLinkStatusGroup=gtmLinkStatusGroup, gtmAppPersist=gtmAppPersist, gtmIpNumber=gtmIpNumber, gtmWideipStatCnameResolutions=gtmWideipStatCnameResolutions, gtmAttrQosFactorConnRate=gtmAttrQosFactorConnRate, gtmAttr2TraceTtl=gtmAttr2TraceTtl, gtmAttr2RttSampleCount=gtmAttr2RttSampleCount, gtmPoolLimitConnPerSecEnabled=gtmPoolLimitConnPerSecEnabled, gtmStatLdnses=gtmStatLdnses, gtmLinkLimitTotalCpuUsageEnabled=gtmLinkLimitTotalCpuUsageEnabled, gtmDcStatusAvailState=gtmDcStatusAvailState, gtmServerLimitCpuUsage=gtmServerLimitCpuUsage, gtmGlobals=gtmGlobals, gtmPoolStatusTable=gtmPoolStatusTable, gtmPoolStatReturnToDns=gtmPoolStatReturnToDns, gtmWideipAliasName=gtmWideipAliasName, gtmAttrCertificateDepth=gtmAttrCertificateDepth, gtmRuleEventNumber=gtmRuleEventNumber, gtmIpServerName=gtmIpServerName, gtmPoolLimitPktsPerSecEnabled=gtmPoolLimitPktsPerSecEnabled, gtmAppContDisEntry=gtmAppContDisEntry, gtmServerStatusGroup=gtmServerStatusGroup, gtmAttrQosFactorRtt=gtmAttrQosFactorRtt, gtmServerStat2ResetStats=gtmServerStat2ResetStats, gtmAttrPathsNeverDie=gtmAttrPathsNeverDie, gtmAppNumber=gtmAppNumber, gtmProberPoolStatusName=gtmProberPoolStatusName, gtmAttr2CacheLdns=gtmAttr2CacheLdns, gtmVsDepsVsName=gtmVsDepsVsName, gtmLinkLimitOutBitsPerSecEnabled=gtmLinkLimitOutBitsPerSecEnabled, gtmDnssecStatNsec3Referral=gtmDnssecStatNsec3Referral, gtmDcStatBitsPerSecOut=gtmDcStatBitsPerSecOut, gtmDnssecStatDnssecNsec3paramQueries=gtmDnssecStatDnssecNsec3paramQueries, gtmStatCnameResolutions=gtmStatCnameResolutions, gtmRuleEvent=gtmRuleEvent, gtmRuleEntry=gtmRuleEntry, gtmAppContDisTable=gtmAppContDisTable, gtmServerLimitPktsPerSec=gtmServerLimitPktsPerSec, gtmVsStatNumber=gtmVsStatNumber, gtmRegionEntryName=gtmRegionEntryName, gtmPoolMbrMonitorRule=gtmPoolMbrMonitorRule, gtmServerStatusParentType=gtmServerStatusParentType, gtmPoolMbrDepsEntry=gtmPoolMbrDepsEntry, gtmPoolMbrGroup=gtmPoolMbrGroup, gtmLinkCostEntry=gtmLinkCostEntry, gtmPoolStatName=gtmPoolStatName, gtmRuleEventTable=gtmRuleEventTable, gtmVsStatusNumber=gtmVsStatusNumber, gtmServerLinkAutoconfState=gtmServerLinkAutoconfState, gtmServerEnabled=gtmServerEnabled, gtmLinkLimitInConnPerSec=gtmLinkLimitInConnPerSec, gtmWideipAliasWipName=gtmWideipAliasWipName, gtmProberPoolStatusEntry=gtmProberPoolStatusEntry, gtmAttr2EnableResetsRipeness=gtmAttr2EnableResetsRipeness, gtmPoolStatusAvailState=gtmPoolStatusAvailState, gtmStatDropped=gtmStatDropped, gtmDnssecZoneStatDnssecDnskeyQueries=gtmDnssecZoneStatDnssecDnskeyQueries, gtmPoolMbrLimitPktsPerSec=gtmPoolMbrLimitPktsPerSec, gtmStatPreferred=gtmStatPreferred, gtmServerStat2ConnRate=gtmServerStat2ConnRate, gtmLinkStatusAvailState=gtmLinkStatusAvailState, gtmProberPoolName=gtmProberPoolName, gtmWideipPoolWipName=gtmWideipPoolWipName, gtmAttrQosFactorHops=gtmAttrQosFactorHops, gtmRuleEventStatNumber=gtmRuleEventStatNumber, gtmAttr2FbRespectAcl=gtmAttr2FbRespectAcl, gtmPoolMbrDepsGroup=gtmPoolMbrDepsGroup, gtmAppContStatParentType=gtmAppContStatParentType, gtmProberPoolMbrServerName=gtmProberPoolMbrServerName, gtmPoolMbrEntry=gtmPoolMbrEntry, gtmAttr2LowerBoundPctCol=gtmAttr2LowerBoundPctCol, gtmServerLimitMemAvail=gtmServerLimitMemAvail, gtmDcGroup=gtmDcGroup, gtmVsLimitMemAvailEnabled=gtmVsLimitMemAvailEnabled, gtmRegItemRegionDbType=gtmRegItemRegionDbType, gtmRegItemTable=gtmRegItemTable, gtmLinkUplinkAddress=gtmLinkUplinkAddress, gtmAppTtlPersist=gtmAppTtlPersist, gtmServerStatCpuUsage=gtmServerStatCpuUsage, gtmDcEntry=gtmDcEntry, gtmLinkUplinkAddressType=gtmLinkUplinkAddressType, gtmAttr2TopologyAclThreshold=gtmAttr2TopologyAclThreshold, gtmWideipRule=gtmWideipRule, gtmPoolLimitConnEnabled=gtmPoolLimitConnEnabled, gtmPoolMbrDepsDependVsName=gtmPoolMbrDepsDependVsName, gtmPoolLimitMemAvail=gtmPoolLimitMemAvail, gtmDnssecStatNsec3Nxdomain=gtmDnssecStatNsec3Nxdomain, gtmPoolStatTable=gtmPoolStatTable, gtmLinkLimitOutPktsPerSec=gtmLinkLimitOutPktsPerSec, gtmPoolMbrLimitConn=gtmPoolMbrLimitConn, gtmRuleEventStatTotalExecutions=gtmRuleEventStatTotalExecutions, gtmPoolFallbackIpv6Type=gtmPoolFallbackIpv6Type, gtmVsDepsIp=gtmVsDepsIp, gtmWideipLoadBalancingDecisionLogVerbosity=gtmWideipLoadBalancingDecisionLogVerbosity, gtmAttrQosFactorHitRatio=gtmAttrQosFactorHitRatio, gtmWideipPersist=gtmWideipPersist, gtmServerStatusTable=gtmServerStatusTable, gtmDnssecStatIxfrQueries=gtmDnssecStatIxfrQueries, gtmLinkEnabled=gtmLinkEnabled, gtmProberPoolStatName=gtmProberPoolStatName, gtmDcStatConnections=gtmDcStatConnections, gtmServerName=gtmServerName, gtmLinkLimitOutConn=gtmLinkLimitOutConn, gtmVsLimitBitsPerSec=gtmVsLimitBitsPerSec, bigipGlobalTMGroups=bigipGlobalTMGroups, gtmLinkGroup=gtmLinkGroup, gtmAttrPathDuration=gtmAttrPathDuration, gtmLinkLimitInConnEnabled=gtmLinkLimitInConnEnabled, gtmIpGroup=gtmIpGroup, gtmServerStat2BitsPerSecOut=gtmServerStat2BitsPerSecOut, gtmRuleEventStatEntry=gtmRuleEventStatEntry, gtmServerAllowSnmp=gtmServerAllowSnmp, gtmLinkLimitInCpuUsage=gtmLinkLimitInCpuUsage, gtmServerGroup=gtmServerGroup, gtmDcStatusDetailReason=gtmDcStatusDetailReason, gtmServerStatusDetailReason=gtmServerStatusDetailReason, gtmRuleEventStatResetStats=gtmRuleEventStatResetStats, gtmRegItemRegionName=gtmRegItemRegionName, gtmTopItemNumber=gtmTopItemNumber, gtmPoolMbrDepsTable=gtmPoolMbrDepsTable, gtmDnssecStatTowireFailed=gtmDnssecStatTowireFailed, gtmServerStatMemAvail=gtmServerStatMemAvail, gtmProberPoolEntry=gtmProberPoolEntry, gtmProberPoolMbrStatusServerName=gtmProberPoolMbrStatusServerName, gtmPoolMbrEnabled=gtmPoolMbrEnabled, gtmAttrGroup=gtmAttrGroup, gtmWideipStatReturnFromDns=gtmWideipStatReturnFromDns, gtmAttr2AolAware=gtmAttr2AolAware, gtmAttrGtmSetsRecursion=gtmAttrGtmSetsRecursion, gtmPoolStatResetStats=gtmPoolStatResetStats, gtmDnssecZoneStatAxfrQueries=gtmDnssecZoneStatAxfrQueries, gtmServerNumber=gtmServerNumber, gtmPoolMbrStatusPort=gtmPoolMbrStatusPort, gtmLinkLimitInPktsPerSec=gtmLinkLimitInPktsPerSec, gtmPoolMbrStatusEntry=gtmPoolMbrStatusEntry, gtmPoolAlternate=gtmPoolAlternate, gtmVsDepsDependServerName=gtmVsDepsDependServerName, gtmWideipPoolTable=gtmWideipPoolTable, gtmLinkLimitOutMemAvail=gtmLinkLimitOutMemAvail, gtmVsDepsTable=gtmVsDepsTable, gtmAttr2RttTimeout=gtmAttr2RttTimeout, gtmAttr2CheckStaticDepends=gtmAttr2CheckStaticDepends, gtmAttrTimerRetryPathData=gtmAttrTimerRetryPathData, gtmRuleNumber=gtmRuleNumber, gtmPoolMbrStatusVsName=gtmPoolMbrStatusVsName, gtmLinkLimitInBitsPerSecEnabled=gtmLinkLimitInBitsPerSecEnabled, gtmLinkNumber=gtmLinkNumber, gtmAttr2LinkCompensateOutbound=gtmAttr2LinkCompensateOutbound, gtmAttrTraceTtl=gtmAttrTraceTtl, gtmPoolFallbackIp=gtmPoolFallbackIp, gtmVsDepsEntry=gtmVsDepsEntry, gtmWideipStatusTable=gtmWideipStatusTable, gtmDnssecStatNsec3Resalt=gtmDnssecStatNsec3Resalt, gtmAttr2TimeTolerance=gtmAttr2TimeTolerance, gtmLinkLimitInPktsPerSecEnabled=gtmLinkLimitInPktsPerSecEnabled, gtmRuleEventStatEventType=gtmRuleEventStatEventType, gtmVsDepsPort=gtmVsDepsPort, gtmLinkCostDollarsPerMbps=gtmLinkCostDollarsPerMbps, gtmAttr2Autosync=gtmAttr2Autosync, gtmVsStatCpuUsage=gtmVsStatCpuUsage, gtmServerStatusEntry=gtmServerStatusEntry, gtmAttr2DrainRequests=gtmAttr2DrainRequests, gtmDnssecStatSigSuccess=gtmDnssecStatSigSuccess, gtmServerStatusName=gtmServerStatusName, gtmVsStatusGroup=gtmVsStatusGroup, gtmAttrQosFactorPacketRate=gtmAttrQosFactorPacketRate, gtmLinkLimitOutBitsPerSec=gtmLinkLimitOutBitsPerSec, gtmDcStatNumber=gtmDcStatNumber, gtmLinkStatRateVsesIn=gtmLinkStatRateVsesIn, gtmPoolMbrLimitMemAvail=gtmPoolMbrLimitMemAvail, gtmPoolManualResume=gtmPoolManualResume, gtmPoolMbrStatPoolName=gtmPoolMbrStatPoolName, gtmProberPoolMbrPmbrOrder=gtmProberPoolMbrPmbrOrder, gtmWideipAlias=gtmWideipAlias, gtmDnssecStatNsec3Nodata=gtmDnssecStatNsec3Nodata, gtmPoolQosCoeffTopology=gtmPoolQosCoeffTopology, gtmProberPoolMbrStatPoolName=gtmProberPoolMbrStatPoolName, gtmVsStatPktsPerSecOut=gtmVsStatPktsPerSecOut, gtmProberPoolEnabled=gtmProberPoolEnabled, gtmVsGroup=gtmVsGroup, gtmAttr2LowerBoundPctRow=gtmAttr2LowerBoundPctRow, gtmRuleEventStatTable=gtmRuleEventStatTable) mibBuilder.exportSymbols('F5-BIGIP-GLOBAL-MIB', gtmLinkCostTable=gtmLinkCostTable, gtmPoolMbrStatusTable=gtmPoolMbrStatusTable, gtmDataCenter=gtmDataCenter, gtmAttrTopologyAclThreshold=gtmAttrTopologyAclThreshold, gtmVsStatusTable=gtmVsStatusTable, gtmLinkStatRateVsesOut=gtmLinkStatRateVsesOut, gtmPoolMbrPoolName=gtmPoolMbrPoolName, gtmServerLimitConn=gtmServerLimitConn, gtmAttrCacheLdns=gtmAttrCacheLdns, gtmPoolQosCoeffConnRate=gtmPoolQosCoeffConnRate, gtmLinkPrepaidInDollars=gtmLinkPrepaidInDollars, gtmServerStatTable=gtmServerStatTable, gtmWideipStatGroup=gtmWideipStatGroup, gtmPoolFallback=gtmPoolFallback, gtmPoolMonitorRule=gtmPoolMonitorRule, gtmDcStatusTable=gtmDcStatusTable, gtmPoolName=gtmPoolName, gtmWideipGroup=gtmWideipGroup, gtmAttrSyncTimeout=gtmAttrSyncTimeout, gtmProberPoolMemberStatus=gtmProberPoolMemberStatus, gtmRuleEventStatFailures=gtmRuleEventStatFailures, gtmServerLimitConnPerSec=gtmServerLimitConnPerSec, gtmAttrQosFactorBps=gtmAttrQosFactorBps, gtmServerStatusEnabledState=gtmServerStatusEnabledState, gtmAttr2FbRespectDepends=gtmAttr2FbRespectDepends, gtmAttr2MaxLinkOverLimitCount=gtmAttr2MaxLinkOverLimitCount, gtmAppContDisName=gtmAppContDisName, gtmDnssecStatDnssecDnskeyQueries=gtmDnssecStatDnssecDnskeyQueries, gtmLinkLimitOutCpuUsage=gtmLinkLimitOutCpuUsage, gtmServerLimitCpuUsageEnabled=gtmServerLimitCpuUsageEnabled, gtmDcName=gtmDcName, gtmWideipPoolRatio=gtmWideipPoolRatio, gtmProberPoolStatTotalProbes=gtmProberPoolStatTotalProbes, gtmAppContStatGroup=gtmAppContStatGroup, gtmServerStat2CpuUsage=gtmServerStat2CpuUsage, gtmAppContDisGroup=gtmAppContDisGroup, gtmLinkStatRate=gtmLinkStatRate, gtmStatExplicitIp=gtmStatExplicitIp, gtmServerStatPktsPerSecIn=gtmServerStatPktsPerSecIn, gtmServerLimitPktsPerSecEnabled=gtmServerLimitPktsPerSecEnabled, gtmWideipNumber=gtmWideipNumber, gtmAttr2Number=gtmAttr2Number, gtmAttr2QosFactorTopology=gtmAttr2QosFactorTopology, gtmVsLinkName=gtmVsLinkName, gtmAttr2Entry=gtmAttr2Entry, gtmAttr2DownThreshold=gtmAttr2DownThreshold, gtmDataCenterStatus=gtmDataCenterStatus, gtmLinkEntry=gtmLinkEntry, gtmVsStatIp=gtmVsStatIp, gtmProberPoolMbrEnabled=gtmProberPoolMbrEnabled, gtmAttr2QosFactorHitRatio=gtmAttr2QosFactorHitRatio, gtmTopItem=gtmTopItem, gtmLinkStatRateOut=gtmLinkStatRateOut, gtmGlobalAttr2=gtmGlobalAttr2, gtmVsLimitConn=gtmVsLimitConn, gtmWideipLbmodePool=gtmWideipLbmodePool, gtmDnssecStatNsec3s=gtmDnssecStatNsec3s, gtmDnssecStatDnssecResponses=gtmDnssecStatDnssecResponses, gtmLinkLimitTotalConn=gtmLinkLimitTotalConn, gtmDcStatConnRate=gtmDcStatConnRate, gtmDnssecZoneStatXfrStarts=gtmDnssecZoneStatXfrStarts, gtmAttrTimerSendKeepAlive=gtmAttrTimerSendKeepAlive, gtmPoolLimitMemAvailEnabled=gtmPoolLimitMemAvailEnabled, gtmPoolMbrStatEntry=gtmPoolMbrStatEntry, gtmServerLimitBitsPerSec=gtmServerLimitBitsPerSec, gtmVirtualServStat=gtmVirtualServStat, gtmDnssecStatXfrMasterMsgs=gtmDnssecStatXfrMasterMsgs, gtmApplicationStatus=gtmApplicationStatus, gtmRule=gtmRule, gtmLinkStatusTable=gtmLinkStatusTable, gtmPoolMbrLimitCpuUsage=gtmPoolMbrLimitCpuUsage, gtmAttr2SyncTimeout=gtmAttr2SyncTimeout, gtmWideipStatReturnToDns=gtmWideipStatReturnToDns, gtmAttrRttTimeout=gtmAttrRttTimeout, gtmLinkStatName=gtmLinkStatName, gtmPoolVerifyMember=gtmPoolVerifyMember, gtmVsStatusEntry=gtmVsStatusEntry, gtmServerStat2PktsPerSecOut=gtmServerStat2PktsPerSecOut, gtmProberPoolMbrStatGroup=gtmProberPoolMbrStatGroup, gtmAppContextDisable=gtmAppContextDisable, gtmAttr2QosFactorConnRate=gtmAttr2QosFactorConnRate, gtmServerStatusAvailState=gtmServerStatusAvailState, gtmProberPoolStatusEnabledState=gtmProberPoolStatusEnabledState, gtmPoolMbrDepsServerName=gtmPoolMbrDepsServerName, gtmPoolLimitConnPerSec=gtmPoolLimitConnPerSec, gtmRegItemNegate=gtmRegItemNegate, gtmServerStatConnections=gtmServerStatConnections, gtmPoolNumber=gtmPoolNumber, gtmAttr2CertificateDepth=gtmAttr2CertificateDepth, gtmLinkCostGroup=gtmLinkCostGroup, gtmAttrSyncNamedConf=gtmAttrSyncNamedConf, gtmPoolStatDropped=gtmPoolStatDropped, gtmAttrTimerPersistCache=gtmAttrTimerPersistCache, gtmVsLimitPktsPerSec=gtmVsLimitPktsPerSec, gtmAttr2OverLimitLinkLimitFactor=gtmAttr2OverLimitLinkLimitFactor, gtmTopItemLdnsNegate=gtmTopItemLdnsNegate, gtmAttr2QosFactorRtt=gtmAttr2QosFactorRtt, gtmLinkLimitTotalConnPerSec=gtmLinkLimitTotalConnPerSec, gtmWideipApplication=gtmWideipApplication, gtmPoolMbrDepsPoolName=gtmPoolMbrDepsPoolName, gtmIpUnitId=gtmIpUnitId, gtmLinkCostNumber=gtmLinkCostNumber, gtmPoolMbrVsName=gtmPoolMbrVsName, gtmServerEntry=gtmServerEntry, gtmProberPoolMbrStatusNumber=gtmProberPoolMbrStatusNumber, gtmAttr2Group=gtmAttr2Group, gtmVsNumber=gtmVsNumber, gtmPoolMbrStatGroup=gtmPoolMbrStatGroup, gtmPoolQosCoeffLcs=gtmPoolQosCoeffLcs, gtmGlobalDnssecStat=gtmGlobalDnssecStat, gtmAttrLinkLimitFactor=gtmAttrLinkLimitFactor, gtmAttr2RttPacketLength=gtmAttr2RttPacketLength, gtmLinkIspName=gtmLinkIspName, gtmVsLimitCpuUsage=gtmVsLimitCpuUsage, gtmLinkStatusEnabledState=gtmLinkStatusEnabledState, gtmWideipStatNumber=gtmWideipStatNumber, gtmServerStatVsPicks=gtmServerStatVsPicks, gtmGlobalLdnsProbeProto=gtmGlobalLdnsProbeProto, gtmPoolQosCoeffVsScore=gtmPoolQosCoeffVsScore, gtmPoolMbrStatusIp=gtmPoolMbrStatusIp, gtmPoolStatusEntry=gtmPoolStatusEntry, gtmWideipStatAaaaRequests=gtmWideipStatAaaaRequests, gtmProberPoolStatResetStats=gtmProberPoolStatResetStats, gtmServerStatGroup=gtmServerStatGroup, gtmVsLimitConnPerSec=gtmVsLimitConnPerSec, gtmPoolStatusGroup=gtmPoolStatusGroup, gtmRuleEventStat=gtmRuleEventStat, gtmLinkStatLcsOut=gtmLinkStatLcsOut, gtmVsStatBitsPerSecIn=gtmVsStatBitsPerSecIn, gtmRuleEventStatName=gtmRuleEventStatName, gtmProberPoolMbrNumber=gtmProberPoolMbrNumber, gtmVsStatusServerName=gtmVsStatusServerName, gtmWideipPool=gtmWideipPool, gtmAttrCheckDynamicDepends=gtmAttrCheckDynamicDepends)
# The MIT License (MIT) # -Copyright (c) 2017 Radomir Dopieralski and Adafruit Industries # -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. """`TG-Modules.TG-RGB.rgb` a dictionary of bytes organised to create basic text, just the templates Author(s):Jonah Yolles-Murphy imspiration for base letter style from Ben Gelb""" __version__ = "1.0" text_dict = { 'Height' : 7, 'Width' : 5, "A" :(0b10111111, 0b11000100, 0b11000100, 0b11000100, 0b10111111), "B" :(0b11111111, 0b11000001, 0b11001001, 0b11001001, 0b10110110), "C" :(0b10111110, 0b11000001, 0b11000001, 0b11000001, 0b10100010), "D" :(0b11111111, 0b11000001, 0b11000001, 0b10100010, 0b10011100), "E" :(0b11111111, 0b11001001, 0b11001001, 0b11001001, 0b11000001), "F" :(0b11111111, 0b11001000, 0b11001000, 0b11000000, 0b11000000), "G" :(0b10111110, 0b11000001, 0b11001001, 0b11001001, 0b10101110), "H" :(0b11111111, 0b10001000, 0b10001000, 0b10001000, 0b11111111), "I" :(0b11000001, 0b11000001, 0b11111111, 0b11000001, 0b11000001), "J" :(0b11000110, 0b11000001, 0b11111110, 0b11000000, 0b11000000), "K" :(0b11111111, 0b10001000, 0b10001000, 0b11110100, 0b10000011), "L" :(0b11111111, 0b10000001, 0b10000001, 0b10000001, 0b10000001), "M" :(0b11111111, 0b10100000, 0b10010000, 0b10100000, 0b11111111), "N" :(0b11111111, 0b10100000, 0b10011100, 0b10000010, 0b11111111), "O" :(0b10111110, 0b11000001, 0b11000001, 0b11000001, 0b10111110), "P" :(0b11111111, 0b11001000, 0b11001000, 0b11001000, 0b10110000), "Q" :(0b10111110, 0b11000001, 0b11000101, 0b11000010, 0b10111101), "R" :(0b11111111, 0b11001000, 0b11001100, 0b11001010, 0b10110001), "S" :(0b10110010, 0b11001001, 0b11001001, 0b11001001, 0b10100110), "T" :(0b11000000, 0b11000000, 0b11111111, 0b11000000, 0b11000000), "U" :(0b11111110, 0b10000001, 0b10000001, 0b10000001, 0b11111110), "V" :(0b11110000, 0b10001110, 0b10000001, 0b10001110, 0b11110000), "W" :(0b11111100, 0b10000011, 0b10000100, 0b10000011, 0b11111100), "X" :(0b11100011, 0b10010100, 0b10001000, 0b10010100, 0b11100011), "Y" :(0b11100000, 0b10010000, 0b10001111, 0b10010000, 0b11100000), "Z" :(0b11000011, 0b11000101, 0b11001001, 0b11010001, 0b11100001), "0" :(0b10111110, 0b11000101, 0b11001001, 0b11010001, 0b10111110), "1" :(0b10010001, 0b10100001, 0b11111111, 0b10000001, 0b10000001), "2" :(0b10100001, 0b11000011, 0b11000101, 0b11001001, 0b10110001), "3" :(0b11000110, 0b11000001, 0b11010001, 0b11101001, 0b11000110), "4" :(0b11111000, 0b10001000, 0b10001000, 0b10001000, 0b11111111), "5" :(0b11110010, 0b11010001, 0b11010001, 0b11010001, 0b11001110), "6" :(0b10011110, 0b10101001, 0b11001001, 0b11001001, 0b10000110), "7" :(0b11000000, 0b11000111, 0b11001000, 0b11010000, 0b11100000), "8" :(0b10110110, 0b11001001, 0b11001001, 0b11001001, 0b10110110), "9" :(0b10110000, 0b11001001, 0b11001001, 0b11001010, 0b10111100), ")" :(0b10000000, 0b11000001, 0b10111110, 0b10000000, 0b10000000), "(" :(0b10000000, 0b10000000, 0b10111110, 0b11000001, 0b10000000), "." :(0b10000000, 0b10000011, 0b10000011, 0b10000000, 0b10000000), "'" :(0b10000000, 0b10000000, 0b10110000, 0b10000000, 0b10000000), ":" :(0b10000000, 0b10000000, 0b10110110, 0b10110110, 0b10000000), "__?__" :(0b11111111, 0b11011111, 0b11010010, 0b11000111, 0b11111111), "!" :(0b10000000, 0b11111011, 0b11111011, 0b10000000, 0b10000000), "?" :(0b10100000, 0b11000000, 0b11000101, 0b11001000, 0b10110000), "," :(0b10000000, 0b10000101, 0b10000110, 0b10000000, 0b10000000), ";" :(0b10000000, 0b10110101, 0b10110110, 0b10000000, 0b10000000), "/" :(0b10000001, 0b10000110, 0b10001000, 0b10110000, 0b11000000), "%" :(0b11100001, 0b11100110, 0b10001000, 0b10110011, 0b11000011), "@" :(0b10100110, 0b11001001, 0b11001111, 0b11000001, 0b10111110), "#" :(0b10010100, 0b11111111, 0b10010100, 0b11111111, 0b10010100), "$" :(0b10110010, 0b11001001, 0b11111111, 0b11001001, 0b10100110), "&" :(0b10110110, 0b11001001, 0b11010101, 0b10100010, 0b10000101), "*" :(0b10101000, 0b10010000, 0b11111100, 0b10010000, 0b10101000), "-" :(0b10000000, 0b10001000, 0b10001000, 0b10001000, 0b10000000), "_" :(0b10000001, 0b10000001, 0b10000001, 0b10000001, 0b10000001), "+" :(0b10001000, 0b10001000, 0b10111110, 0b10001000, 0b10001000), "=" :(0b10000000, 0b10010100, 0b10010100, 0b10010100, 0b10000000), '"' :(0b10000000, 0b11110000, 0b10000000, 0b11110000, 0b10000000), "`" :(0b10000000, 0b10000000, 0b10100000, 0b10010000, 0b10000000), "~" :(0b10001000, 0b10010000, 0b10001000, 0b10000100, 0b10001000), " " :(0b10000000, 0b10000000, 0b10000000, 0b10000000, 0b10000000), "^" :(0b10010000, 0b10100000, 0b11000000, 0b10100000, 0b10010000), "__NONE__" :(), "BLANK" :(0b10000000, 0b10000000, 0b10000000, 0b10000000, 0b10000000), "__BATA0__" :(0b11111111,#1 0b11000001, 0b11000001, 0b11000001, 0b11000001, 0b11000001, 0b11000001, 0b11000001, 0b11000001, 0b11111111, 0b10011100,),#11 "__BATA1__" :(0b11111111,#1 0b11000001, 0b11011101, 0b11000001, 0b11000001, 0b11000001, 0b11000001, 0b11000001, 0b11000001, 0b11111111, 0b10011100,),#11 "__BATA2__" :(0b11111111,#1 0b11000001, 0b11011101, 0b11011101, 0b11000001, 0b11000001, 0b11000001, 0b11000001, 0b11000001, 0b11111111, 0b10011100,),#11 "__BATA3__" :(0b11111111,#1 0b11000001, 0b11011101, 0b11011101, 0b11011101, 0b11000001, 0b11000001, 0b11000001, 0b11000001, 0b11111111, 0b10011100,),#11 "__BATA4__" :(0b11111111,#1 0b11000001, 0b11011101, 0b11011101, 0b11011101, 0b11011101, 0b11000001, 0b11000001, 0b11000001, 0b11111111, 0b10011100,),#11 "__BATA5__" :(0b11111111,#1 0b11000001, 0b11011101, 0b11011101, 0b11011101, 0b11011101, 0b11011101, 0b11000001, 0b11000001, 0b11111111, 0b10011100,),#11 "__BATA6__" :(0b11111111,#1 0b11000001, 0b11011101, 0b11011101, 0b11011101, 0b11011101, 0b11011101, 0b11011101, 0b11000001, 0b11111111, 0b10011100,),#11 "__BATACHRG__" :(0b11111111,#1 0b11000001, 0b11001001, 0b11011001, 0b11111001, 0b11001111, 0b11001101, 0b11001001, 0b11000001, 0b11111111, 0b10011100,),#11 "__BATB0__" :(0b11111111,#1 0b11000001, 0b11000001, 0b11000001, 0b11000001, 0b11000001, 0b11000001, 0b11000001, 0b11000001, 0b11111111, 0b10011100,),#11 "__FULL__" :(0b11111111, 0b11111111, 0b11111111, 0b11111111, 0b11111111), "BLANK" :(0b10000000, 0b10000000, 0b10000000, 0b10000000, 0b10000000), ''' ''' :(0b10000000, # this is the enter / paragraph character 0b10000000, 0b10000000, 0b10000000, 0b10000000), }
"""`TG-Modules.TG-RGB.rgb` a dictionary of bytes organised to create basic text, just the templates Author(s):Jonah Yolles-Murphy imspiration for base letter style from Ben Gelb""" __version__ = '1.0' text_dict = {'Height': 7, 'Width': 5, 'A': (191, 196, 196, 196, 191), 'B': (255, 193, 201, 201, 182), 'C': (190, 193, 193, 193, 162), 'D': (255, 193, 193, 162, 156), 'E': (255, 201, 201, 201, 193), 'F': (255, 200, 200, 192, 192), 'G': (190, 193, 201, 201, 174), 'H': (255, 136, 136, 136, 255), 'I': (193, 193, 255, 193, 193), 'J': (198, 193, 254, 192, 192), 'K': (255, 136, 136, 244, 131), 'L': (255, 129, 129, 129, 129), 'M': (255, 160, 144, 160, 255), 'N': (255, 160, 156, 130, 255), 'O': (190, 193, 193, 193, 190), 'P': (255, 200, 200, 200, 176), 'Q': (190, 193, 197, 194, 189), 'R': (255, 200, 204, 202, 177), 'S': (178, 201, 201, 201, 166), 'T': (192, 192, 255, 192, 192), 'U': (254, 129, 129, 129, 254), 'V': (240, 142, 129, 142, 240), 'W': (252, 131, 132, 131, 252), 'X': (227, 148, 136, 148, 227), 'Y': (224, 144, 143, 144, 224), 'Z': (195, 197, 201, 209, 225), '0': (190, 197, 201, 209, 190), '1': (145, 161, 255, 129, 129), '2': (161, 195, 197, 201, 177), '3': (198, 193, 209, 233, 198), '4': (248, 136, 136, 136, 255), '5': (242, 209, 209, 209, 206), '6': (158, 169, 201, 201, 134), '7': (192, 199, 200, 208, 224), '8': (182, 201, 201, 201, 182), '9': (176, 201, 201, 202, 188), ')': (128, 193, 190, 128, 128), '(': (128, 128, 190, 193, 128), '.': (128, 131, 131, 128, 128), "'": (128, 128, 176, 128, 128), ':': (128, 128, 182, 182, 128), '__?__': (255, 223, 210, 199, 255), '!': (128, 251, 251, 128, 128), '?': (160, 192, 197, 200, 176), ',': (128, 133, 134, 128, 128), ';': (128, 181, 182, 128, 128), '/': (129, 134, 136, 176, 192), '%': (225, 230, 136, 179, 195), '@': (166, 201, 207, 193, 190), '#': (148, 255, 148, 255, 148), '$': (178, 201, 255, 201, 166), '&': (182, 201, 213, 162, 133), '*': (168, 144, 252, 144, 168), '-': (128, 136, 136, 136, 128), '_': (129, 129, 129, 129, 129), '+': (136, 136, 190, 136, 136), '=': (128, 148, 148, 148, 128), '"': (128, 240, 128, 240, 128), '`': (128, 128, 160, 144, 128), '~': (136, 144, 136, 132, 136), ' ': (128, 128, 128, 128, 128), '^': (144, 160, 192, 160, 144), '__NONE__': (), 'BLANK': (128, 128, 128, 128, 128), '__BATA0__': (255, 193, 193, 193, 193, 193, 193, 193, 193, 255, 156), '__BATA1__': (255, 193, 221, 193, 193, 193, 193, 193, 193, 255, 156), '__BATA2__': (255, 193, 221, 221, 193, 193, 193, 193, 193, 255, 156), '__BATA3__': (255, 193, 221, 221, 221, 193, 193, 193, 193, 255, 156), '__BATA4__': (255, 193, 221, 221, 221, 221, 193, 193, 193, 255, 156), '__BATA5__': (255, 193, 221, 221, 221, 221, 221, 193, 193, 255, 156), '__BATA6__': (255, 193, 221, 221, 221, 221, 221, 221, 193, 255, 156), '__BATACHRG__': (255, 193, 201, 217, 249, 207, 205, 201, 193, 255, 156), '__BATB0__': (255, 193, 193, 193, 193, 193, 193, 193, 193, 255, 156), '__FULL__': (255, 255, 255, 255, 255), 'BLANK': (128, 128, 128, 128, 128), '\n': (128, 128, 128, 128, 128)}
# https://www.spoj.com/problems/AMR11E/ # # Author: Bedir Tapkan def sieve_of_eratosthenes_modified(n): """ Sieve of Eratosthenes implementation with a tweak: Instead of true-false calculate the number of prime numbers to generate the composites. """ primes = [0] * (n + 1) primes[0] = -1 primes[1] = -1 for i in range(2, n + 1): if not primes[i]: # 0 for prime for j in range(i + i, n + 1, i): primes[j] += 1 return [i for i in range(2, n + 1) if primes[i] >= 3] def solution(): res = sieve_of_eratosthenes_modified(2700) T = int(input()) for t in range(T): n = int(input()) print(res[n-1]) if __name__ == "__main__": solution()
def sieve_of_eratosthenes_modified(n): """ Sieve of Eratosthenes implementation with a tweak: Instead of true-false calculate the number of prime numbers to generate the composites. """ primes = [0] * (n + 1) primes[0] = -1 primes[1] = -1 for i in range(2, n + 1): if not primes[i]: for j in range(i + i, n + 1, i): primes[j] += 1 return [i for i in range(2, n + 1) if primes[i] >= 3] def solution(): res = sieve_of_eratosthenes_modified(2700) t = int(input()) for t in range(T): n = int(input()) print(res[n - 1]) if __name__ == '__main__': solution()
''' https://leetcode.com/problems/remove-nth-node-from-end-of-list/ 19. Remove Nth Node From End of List Medium 7287 370 Add to List Share Given the head of a linked list, remove the nth node from the end of the list and return its head. Example 1: Input: head = [1,2,3,4,5], n = 2 Output: [1,2,3,5] Example 2: Input: head = [1], n = 1 Output: [] Example 3: Input: head = [1,2], n = 1 Output: [1] Constraints: The number of nodes in the list is sz. 1 <= sz <= 30 0 <= Node.val <= 100 1 <= n <= sz''' # [19] Remove Nth Node From End of List # # Definition for singly-linked list. # class ListNode: # def __init__(self, x): # self.val = x # self.next = None class Solution: def removeNthFromEnd(self, head: ListNode, n: int) -> ListNode: if not head: return None fast, slow = head, head for _ in range(n): if not fast: return None fast = fast.next if not fast: return head.next while fast.next: fast = fast.next slow = slow.next slow.next = slow.next.next return head
""" https://leetcode.com/problems/remove-nth-node-from-end-of-list/ 19. Remove Nth Node From End of List Medium 7287 370 Add to List Share Given the head of a linked list, remove the nth node from the end of the list and return its head. Example 1: Input: head = [1,2,3,4,5], n = 2 Output: [1,2,3,5] Example 2: Input: head = [1], n = 1 Output: [] Example 3: Input: head = [1,2], n = 1 Output: [1] Constraints: The number of nodes in the list is sz. 1 <= sz <= 30 0 <= Node.val <= 100 1 <= n <= sz""" class Solution: def remove_nth_from_end(self, head: ListNode, n: int) -> ListNode: if not head: return None (fast, slow) = (head, head) for _ in range(n): if not fast: return None fast = fast.next if not fast: return head.next while fast.next: fast = fast.next slow = slow.next slow.next = slow.next.next return head
"""Top-level package for deepboard.""" __author__ = """Federico Domeniconi""" __email__ = 'federicodomeniconi@gmail.com' __version__ = '0.1.0'
"""Top-level package for deepboard.""" __author__ = 'Federico Domeniconi' __email__ = 'federicodomeniconi@gmail.com' __version__ = '0.1.0'
# -*- coding: utf-8 -*- table = [ { 'id': 500, 'posizione_lat': '45.467269', 'posizione_long': '9.214908', }, { 'id': 501, 'posizione_lat': '45.481383', 'posizione_long': '9.169981', } ]
table = [{'id': 500, 'posizione_lat': '45.467269', 'posizione_long': '9.214908'}, {'id': 501, 'posizione_lat': '45.481383', 'posizione_long': '9.169981'}]
A, B = input().split() a = sum(map(int, A)) b = sum(map(int, B)) print(a if a > b else b)
(a, b) = input().split() a = sum(map(int, A)) b = sum(map(int, B)) print(a if a > b else b)
''' MBEANN settings for solving the OpenAI Gym problem. ''' class SettingsEA: # --- Evolutionary algorithm settings. --- # popSize = 500 maxGeneration = 500 # 0 to (max_generation - 1) isMaximizingFit = True eliteSize = 0 tournamentSize = 20 tournamentBestN = 1 # Select best N individuals from each tournament. class SettingsMBEANN: # --- Neural network settings. --- # # Set 'inSize' and 'outSize' to None when loading from gym's observation_space and action_space. # You may set integers if you want custom settings. inSize = None outSize = None hidSize = 0 isReccurent = True # initialConnection: (0.0, 1.0] # 1.0 for initialization using the fully-connected topology. # Between 0.0 to 1.0 for partial connections. initialConnection = 1.0 # initialWeightType: 'uniform' or 'gaussian' # uniform - Uniform random numbers between minWeight to maxWeight. # gaussian - Sampled from Gaussian distribution with initialMean and initialGaussSTD. # Weights out of the range [minWeight, maxWeight] are clipped. initialWeightType = 'gaussian' initialWeighMean = 0.0 initialWeightScale = 0.5 maxWeight = 5.0 minWeight = -5.0 # Bias settings. initialBiasType = 'gaussian' initialBiasMean = 0.0 initialBiasScale = 0.5 maxBias = 5.0 minBias = -5.0 # --- Mutation settings. --- # # Probability of mutations. p_addNode = 0.03 p_addLink = 0.3 p_weight = 1.0 p_bias = 1.0 # Settings for wieght and bias mutations. # MutationType: 'uniform', 'gaussian', or 'cauchy' # uniform - Replace the weight or bias value with the value sampled from # the uniform random distribution between minWeight to maxWeight. # gaussian - Add the value sampled from Gaussian distribution with the mean of 0 # and the standard deviation of MutationScale. # cauchy - Add the value sampled from Cauchy distribution with the location parameter of 0 # and the scale parameter of MutationScale. # Values out of the range are clipped. weightMutationType = 'gaussian' weightMutationScale = 0.05 biasMutationType = 'gaussian' biasMutationScale = 0.025 # --- Activation function settings. --- # activationFunc = 'sigmoid' # 'sigmoid' or 'tanh' addNodeWeightValue = 1.0 # Recommended settings for 'sigmoid': actFunc_Alpha = 0.5 * addNodeWeightValue actFunc_Beta = 4.629740 / addNodeWeightValue # Recommended settings for 'tanh': # actFunc_Alpha = 0.0 # actFunc_Beta = 1.157435 / addNodeWeightValue
""" MBEANN settings for solving the OpenAI Gym problem. """ class Settingsea: pop_size = 500 max_generation = 500 is_maximizing_fit = True elite_size = 0 tournament_size = 20 tournament_best_n = 1 class Settingsmbeann: in_size = None out_size = None hid_size = 0 is_reccurent = True initial_connection = 1.0 initial_weight_type = 'gaussian' initial_weigh_mean = 0.0 initial_weight_scale = 0.5 max_weight = 5.0 min_weight = -5.0 initial_bias_type = 'gaussian' initial_bias_mean = 0.0 initial_bias_scale = 0.5 max_bias = 5.0 min_bias = -5.0 p_add_node = 0.03 p_add_link = 0.3 p_weight = 1.0 p_bias = 1.0 weight_mutation_type = 'gaussian' weight_mutation_scale = 0.05 bias_mutation_type = 'gaussian' bias_mutation_scale = 0.025 activation_func = 'sigmoid' add_node_weight_value = 1.0 act_func__alpha = 0.5 * addNodeWeightValue act_func__beta = 4.62974 / addNodeWeightValue
# # @lc app=leetcode id=57 lang=python3 # # [57] Insert Interval # # @lc code=start class Solution: def insert(self, intervals, newInterval): """ :type intervals: List[Interval] :type newInterval: Interval :rtype: List[Interval] """ start = newInterval[0] end = newInterval[1] left, right = [], [] for interval in intervals: if start > interval[1]: left.append(interval) elif end < interval[0]: right.append(interval) else: start = min(start, interval[0]) end = max(end, interval[1]) return left + [[start, end]] + right # @lc code=end
class Solution: def insert(self, intervals, newInterval): """ :type intervals: List[Interval] :type newInterval: Interval :rtype: List[Interval] """ start = newInterval[0] end = newInterval[1] (left, right) = ([], []) for interval in intervals: if start > interval[1]: left.append(interval) elif end < interval[0]: right.append(interval) else: start = min(start, interval[0]) end = max(end, interval[1]) return left + [[start, end]] + right
TAB = " " NEWLINE = "\n" def generate_converter(bits_precision, colors_list_hex, entity_name="sprite_converter"): l = [] # Entity declaration l += ["library IEEE;"] l += ["use IEEE.std_logic_1164.all;"] l += ["use IEEE.numeric_std.all;"] l += [""] l += ["entity " + entity_name + " is"] l += [TAB + "port ("] l += [TAB * 2 + 'in_color : in std_logic_vector(' + str(bits_precision - 1) + ' downto 0);'] l += [""] l += [TAB * 2 + 'out_color_R : out std_logic_vector(7 downto 0);'] l += [TAB * 2 + 'out_color_G : out std_logic_vector(7 downto 0);'] l += [TAB * 2 + 'out_color_B : out std_logic_vector(7 downto 0)'] l += [TAB + ");"] l += ["end " + entity_name + ";"] l += [""] # Architecture l += ["architecture behavioral of " + entity_name + " is"] l += [TAB + "signal in_color_n : integer range 0 to 2**" + str(bits_precision) + " - 1 := 0;"] l += ["begin"] l += [TAB + "in_color_n <= to_integer(unsigned(in_color));"] l += [""] l += [TAB + "process(in_color_n)"] l += [TAB + "begin"] l += [TAB * 2 + "case in_color_n is"] for i, elt in enumerate(colors_list_hex): l += [TAB * 3 + "when " + str(i) + " =>"] l += [TAB * 4 + "out_color_R <= x\"" + elt[:2] + "\";"] l += [TAB * 4 + "out_color_G <= x\"" + elt[2:4] + "\";"] l += [TAB * 4 + "out_color_B <= x\"" + elt[4::] + "\";"] l += [TAB * 3 + "when others => null;"] l += [TAB * 2 + "end case;"] l += [TAB + "end process;"] l += ["end behavioral;"] with open(entity_name + ".vhd", 'w', encoding='utf-8') as f: for line in l: f.write(line + NEWLINE) def generate_rom(bits_precision, colors_list, images_description, images_names, entity_name="sprite_rom"): l = [] images_names = list(map(lambda s : (s.split("."))[0], images_names)) assets_repartition = {} for i, name in enumerate(images_names): image_splitted_name = name.split("_") image_id = int(image_splitted_name[0]) if image_id not in assets_repartition.keys(): assets_repartition[image_id] = {} if len(image_splitted_name) >= 3: n_state = int(image_splitted_name[2]) if n_state not in list((assets_repartition[image_id]).keys()): assets_repartition[image_id][n_state] = {} if len(image_splitted_name) >= 4: orientation = int(image_splitted_name[3]) assets_repartition[image_id][n_state][orientation] = images_description[i] else: assets_repartition[image_id][n_state] = images_description[i] else: assets_repartition[image_id] = images_description[i] max_w = max(map(lambda x: len(x[0]), images_description)) max_h = max(map(len, images_description)) total_rows = sum(map(len, images_description)) # Entity declaration l += ["library IEEE;"] l += ["use IEEE.std_logic_1164.all;"] l += ["use IEEE.numeric_std.all;"] l += [""] l += ["use work.PROJECT_PARAMS_PKG.all;"] l += ["use work.PROJECT_TYPES_PKG.all;"] l += ["use work.PROJECT_DIRECTION_PKG.all;"] l += [""] l += ["entity " + entity_name + " is"] l += [TAB + "port ("] l += [TAB * 2 + 'clk : in std_logic;'] l += [""] l += [TAB * 2 + 'in_sprite_id : in block_category_type;'] l += [TAB * 2 + 'in_sprite_state : in state_type;'] l += [TAB * 2 + 'in_sprite_direction : in direction_type;'] l += [""] l += [TAB * 2 + 'in_sprite_row : in integer range 0 to ' + str(max_h - 1) + ';'] l += [TAB * 2 + 'in_sprite_col : in integer range 0 to ' + str(max_w - 1) + ';'] l += [""] l += [TAB * 2 + 'out_color : out std_logic_vector(' + str(bits_precision - 1) + ' downto 0) := (others => \'0\')'] l += [TAB + ");"] l += ["end " + entity_name + ";"] l += [""] # Architecture l += ["architecture behavioral of " + entity_name + " is"] l += [TAB + "subtype word_t is std_logic_vector(0 to " + str(max_w*bits_precision - 1) + ");"] l += [TAB + "type memory_t is array(0 to " + str(total_rows - 1) + ") of word_t;"] l += [""] l += [TAB + "function init_mem "] l += [TAB * 2 + "return memory_t is"] l += [TAB * 2 + "begin"] l += [TAB * 3 + "return ("] for k, descriptor in enumerate(images_description): l += [TAB * 4 + "-- " + str(images_names[k])] for i, line in enumerate(descriptor): line_bits = "" f_string = "{0:0" + str(bits_precision) + "b}" for j, pixel in enumerate(line): line_bits += f_string.format(pixel) if len(line_bits) % 4 == 0: decimal_line = int(line_bits, 2) h_f_string = "{0:0" + str(int(len(line_bits) / 4)) + "x}" line_bits = h_f_string.format(decimal_line) line_bits = "x\"" + line_bits + "\"" else: line_bits = "\"" + line_bits + "\"" line_str = "(" + line_bits + ")" if (k != len(images_description) - 1) or (i != len(descriptor) - 1): line_str += "," l += [TAB * 4 + line_str] if k != len(images_description) - 1: l += [""] l += [TAB * 3 + ");"] l += [TAB + "end init_mem;"] l += [""] l += [TAB + "constant rom : memory_t := init_mem;"] l += [TAB + 'signal real_row : integer range 0 to ' + str(total_rows - 1) + ' := 0;'] l += [TAB + "signal out_color_reg : std_logic_vector(0 to " + str(max_w*bits_precision - 1) + ") := (others => '0');"] l += ["begin"] l += [TAB + "process(in_sprite_id, in_sprite_row, in_sprite_col, in_sprite_state, in_sprite_direction)"] l += [TAB + "begin"] l+= [TAB * 2 + "real_row <= 0;"] cumulative_rows = 0 l += [TAB * 2 + "case in_sprite_id is"] for i in sorted(list(assets_repartition.keys())): assets = assets_repartition[i] l += [TAB * 3 + "when " + str(i) + " =>"] if isinstance(assets, dict): l += [TAB * 4 + "case in_sprite_state is"] for state in sorted(list(assets.keys())): l += [TAB * 5 + "when " + str(state) + " =>"] if isinstance(assets[state], dict): l += [TAB * 6 + "case in_sprite_direction is"] for direction in sorted(list(assets[state].keys())): direction = int(direction) direction_a = direction direction_a = "D_UP" if direction == 0 else direction_a direction_a = "D_RIGHT" if direction == 1 else direction_a direction_a = "D_DOWN" if direction == 2 else direction_a direction_a = "D_LEFT" if direction == 3 else direction_a l += [TAB * 7 + "when " + str(direction_a) + " =>"] if cumulative_rows != 0: l[-1] += " real_row <= " + str(cumulative_rows) + " + in_sprite_row;" else: l[-1] += " real_row <= in_sprite_row;" cumulative_rows += len(assets[state][direction]) l += [TAB * 7 + "when others => null;"] l += [TAB * 6 + "end case;"] else: if cumulative_rows != 0: l[-1] += " real_row <= " + str(cumulative_rows) + " + in_sprite_row;" else: l[-1] += " real_row <= in_sprite_row;" cumulative_rows += len(assets[state]) l += [TAB * 5 + "when others => null;"] l += [TAB * 4 + "end case;"] else: if cumulative_rows != 0: l[-1] += " real_row <= " + str(cumulative_rows) + " + in_sprite_row;" else: l[-1] += " real_row <= in_sprite_row;" cumulative_rows += len(assets) l += [TAB * 3 + "when others => null;"] l += [TAB * 2 + "end case;"] l += [TAB + "end process;"] l += [""] l += [TAB + "process(clk)"] l += [TAB + "begin"] l += [TAB * 2 + "if rising_edge(clk) then"] l += [TAB * 3 + "out_color_reg <= rom(real_row);"] l += [TAB * 2 + "end if;"] l += [TAB + "end process;"] l+= [TAB + "out_color <= out_color_reg((in_sprite_col * " + str(bits_precision) + ") to ((in_sprite_col + 1) * " + str(bits_precision) + ") - 1);"] l += ["end behavioral;"] with open(entity_name + ".vhd", 'w', encoding='utf-8') as f: for line in l: f.write(line + NEWLINE)
tab = ' ' newline = '\n' def generate_converter(bits_precision, colors_list_hex, entity_name='sprite_converter'): l = [] l += ['library IEEE;'] l += ['use IEEE.std_logic_1164.all;'] l += ['use IEEE.numeric_std.all;'] l += [''] l += ['entity ' + entity_name + ' is'] l += [TAB + 'port ('] l += [TAB * 2 + 'in_color : in std_logic_vector(' + str(bits_precision - 1) + ' downto 0);'] l += [''] l += [TAB * 2 + 'out_color_R : out std_logic_vector(7 downto 0);'] l += [TAB * 2 + 'out_color_G : out std_logic_vector(7 downto 0);'] l += [TAB * 2 + 'out_color_B : out std_logic_vector(7 downto 0)'] l += [TAB + ');'] l += ['end ' + entity_name + ';'] l += [''] l += ['architecture behavioral of ' + entity_name + ' is'] l += [TAB + 'signal in_color_n : integer range 0 to 2**' + str(bits_precision) + ' - 1 := 0;'] l += ['begin'] l += [TAB + 'in_color_n <= to_integer(unsigned(in_color));'] l += [''] l += [TAB + 'process(in_color_n)'] l += [TAB + 'begin'] l += [TAB * 2 + 'case in_color_n is'] for (i, elt) in enumerate(colors_list_hex): l += [TAB * 3 + 'when ' + str(i) + ' =>'] l += [TAB * 4 + 'out_color_R <= x"' + elt[:2] + '";'] l += [TAB * 4 + 'out_color_G <= x"' + elt[2:4] + '";'] l += [TAB * 4 + 'out_color_B <= x"' + elt[4:] + '";'] l += [TAB * 3 + 'when others => null;'] l += [TAB * 2 + 'end case;'] l += [TAB + 'end process;'] l += ['end behavioral;'] with open(entity_name + '.vhd', 'w', encoding='utf-8') as f: for line in l: f.write(line + NEWLINE) def generate_rom(bits_precision, colors_list, images_description, images_names, entity_name='sprite_rom'): l = [] images_names = list(map(lambda s: s.split('.')[0], images_names)) assets_repartition = {} for (i, name) in enumerate(images_names): image_splitted_name = name.split('_') image_id = int(image_splitted_name[0]) if image_id not in assets_repartition.keys(): assets_repartition[image_id] = {} if len(image_splitted_name) >= 3: n_state = int(image_splitted_name[2]) if n_state not in list(assets_repartition[image_id].keys()): assets_repartition[image_id][n_state] = {} if len(image_splitted_name) >= 4: orientation = int(image_splitted_name[3]) assets_repartition[image_id][n_state][orientation] = images_description[i] else: assets_repartition[image_id][n_state] = images_description[i] else: assets_repartition[image_id] = images_description[i] max_w = max(map(lambda x: len(x[0]), images_description)) max_h = max(map(len, images_description)) total_rows = sum(map(len, images_description)) l += ['library IEEE;'] l += ['use IEEE.std_logic_1164.all;'] l += ['use IEEE.numeric_std.all;'] l += [''] l += ['use work.PROJECT_PARAMS_PKG.all;'] l += ['use work.PROJECT_TYPES_PKG.all;'] l += ['use work.PROJECT_DIRECTION_PKG.all;'] l += [''] l += ['entity ' + entity_name + ' is'] l += [TAB + 'port ('] l += [TAB * 2 + 'clk : in std_logic;'] l += [''] l += [TAB * 2 + 'in_sprite_id : in block_category_type;'] l += [TAB * 2 + 'in_sprite_state : in state_type;'] l += [TAB * 2 + 'in_sprite_direction : in direction_type;'] l += [''] l += [TAB * 2 + 'in_sprite_row : in integer range 0 to ' + str(max_h - 1) + ';'] l += [TAB * 2 + 'in_sprite_col : in integer range 0 to ' + str(max_w - 1) + ';'] l += [''] l += [TAB * 2 + 'out_color : out std_logic_vector(' + str(bits_precision - 1) + " downto 0) := (others => '0')"] l += [TAB + ');'] l += ['end ' + entity_name + ';'] l += [''] l += ['architecture behavioral of ' + entity_name + ' is'] l += [TAB + 'subtype word_t is std_logic_vector(0 to ' + str(max_w * bits_precision - 1) + ');'] l += [TAB + 'type memory_t is array(0 to ' + str(total_rows - 1) + ') of word_t;'] l += [''] l += [TAB + 'function init_mem '] l += [TAB * 2 + 'return memory_t is'] l += [TAB * 2 + 'begin'] l += [TAB * 3 + 'return ('] for (k, descriptor) in enumerate(images_description): l += [TAB * 4 + '-- ' + str(images_names[k])] for (i, line) in enumerate(descriptor): line_bits = '' f_string = '{0:0' + str(bits_precision) + 'b}' for (j, pixel) in enumerate(line): line_bits += f_string.format(pixel) if len(line_bits) % 4 == 0: decimal_line = int(line_bits, 2) h_f_string = '{0:0' + str(int(len(line_bits) / 4)) + 'x}' line_bits = h_f_string.format(decimal_line) line_bits = 'x"' + line_bits + '"' else: line_bits = '"' + line_bits + '"' line_str = '(' + line_bits + ')' if k != len(images_description) - 1 or i != len(descriptor) - 1: line_str += ',' l += [TAB * 4 + line_str] if k != len(images_description) - 1: l += [''] l += [TAB * 3 + ');'] l += [TAB + 'end init_mem;'] l += [''] l += [TAB + 'constant rom : memory_t := init_mem;'] l += [TAB + 'signal real_row : integer range 0 to ' + str(total_rows - 1) + ' := 0;'] l += [TAB + 'signal out_color_reg : std_logic_vector(0 to ' + str(max_w * bits_precision - 1) + ") := (others => '0');"] l += ['begin'] l += [TAB + 'process(in_sprite_id, in_sprite_row, in_sprite_col, in_sprite_state, in_sprite_direction)'] l += [TAB + 'begin'] l += [TAB * 2 + 'real_row <= 0;'] cumulative_rows = 0 l += [TAB * 2 + 'case in_sprite_id is'] for i in sorted(list(assets_repartition.keys())): assets = assets_repartition[i] l += [TAB * 3 + 'when ' + str(i) + ' =>'] if isinstance(assets, dict): l += [TAB * 4 + 'case in_sprite_state is'] for state in sorted(list(assets.keys())): l += [TAB * 5 + 'when ' + str(state) + ' =>'] if isinstance(assets[state], dict): l += [TAB * 6 + 'case in_sprite_direction is'] for direction in sorted(list(assets[state].keys())): direction = int(direction) direction_a = direction direction_a = 'D_UP' if direction == 0 else direction_a direction_a = 'D_RIGHT' if direction == 1 else direction_a direction_a = 'D_DOWN' if direction == 2 else direction_a direction_a = 'D_LEFT' if direction == 3 else direction_a l += [TAB * 7 + 'when ' + str(direction_a) + ' =>'] if cumulative_rows != 0: l[-1] += ' real_row <= ' + str(cumulative_rows) + ' + in_sprite_row;' else: l[-1] += ' real_row <= in_sprite_row;' cumulative_rows += len(assets[state][direction]) l += [TAB * 7 + 'when others => null;'] l += [TAB * 6 + 'end case;'] else: if cumulative_rows != 0: l[-1] += ' real_row <= ' + str(cumulative_rows) + ' + in_sprite_row;' else: l[-1] += ' real_row <= in_sprite_row;' cumulative_rows += len(assets[state]) l += [TAB * 5 + 'when others => null;'] l += [TAB * 4 + 'end case;'] else: if cumulative_rows != 0: l[-1] += ' real_row <= ' + str(cumulative_rows) + ' + in_sprite_row;' else: l[-1] += ' real_row <= in_sprite_row;' cumulative_rows += len(assets) l += [TAB * 3 + 'when others => null;'] l += [TAB * 2 + 'end case;'] l += [TAB + 'end process;'] l += [''] l += [TAB + 'process(clk)'] l += [TAB + 'begin'] l += [TAB * 2 + 'if rising_edge(clk) then'] l += [TAB * 3 + 'out_color_reg <= rom(real_row);'] l += [TAB * 2 + 'end if;'] l += [TAB + 'end process;'] l += [TAB + 'out_color <= out_color_reg((in_sprite_col * ' + str(bits_precision) + ') to ((in_sprite_col + 1) * ' + str(bits_precision) + ') - 1);'] l += ['end behavioral;'] with open(entity_name + '.vhd', 'w', encoding='utf-8') as f: for line in l: f.write(line + NEWLINE)
# Default logging settings for DeepRank. DEFAULT_LOGGING = { 'version': 1, 'disable_existing_loggers': False, 'formatters': { 'brief': { 'format': '%(message)s', }, 'precise': { 'format': '%(levelname)s: %(message)s', }, }, 'filters': { 'require_debug': { '()': 'deeprank.utils.logger_helper.requireDebugFilter', }, 'use_only_info_level': { '()': 'deeprank.utils.logger_helper.useLevelsFilter', 'levels': 'INFO', # function parameter }, 'use_only_debug_level': { '()': 'deeprank.utils.logger_helper.useLevelsFilter', 'levels': 'DEBUG', }, }, 'handlers': { 'stdout': { 'level': 'INFO', 'formatter': 'brief', 'filters': ['use_only_info_level', ], 'class': 'logging.StreamHandler', 'stream': 'ext://sys.stdout', }, 'stderr': { 'level': 'WARNING', 'formatter': 'precise', 'class': 'logging.StreamHandler', 'stream': 'ext://sys.stderr', }, 'debug': { 'level': 'DEBUG', 'formatter': 'precise', 'filters': ['require_debug', 'use_only_debug_level'], 'class': 'logging.StreamHandler', 'stream': 'ext://sys.stderr', }, }, 'loggers': { 'deeprank': { 'handlers': ['stdout', 'stderr', 'debug'], 'level': 'DEBUG', }, } }
default_logging = {'version': 1, 'disable_existing_loggers': False, 'formatters': {'brief': {'format': '%(message)s'}, 'precise': {'format': '%(levelname)s: %(message)s'}}, 'filters': {'require_debug': {'()': 'deeprank.utils.logger_helper.requireDebugFilter'}, 'use_only_info_level': {'()': 'deeprank.utils.logger_helper.useLevelsFilter', 'levels': 'INFO'}, 'use_only_debug_level': {'()': 'deeprank.utils.logger_helper.useLevelsFilter', 'levels': 'DEBUG'}}, 'handlers': {'stdout': {'level': 'INFO', 'formatter': 'brief', 'filters': ['use_only_info_level'], 'class': 'logging.StreamHandler', 'stream': 'ext://sys.stdout'}, 'stderr': {'level': 'WARNING', 'formatter': 'precise', 'class': 'logging.StreamHandler', 'stream': 'ext://sys.stderr'}, 'debug': {'level': 'DEBUG', 'formatter': 'precise', 'filters': ['require_debug', 'use_only_debug_level'], 'class': 'logging.StreamHandler', 'stream': 'ext://sys.stderr'}}, 'loggers': {'deeprank': {'handlers': ['stdout', 'stderr', 'debug'], 'level': 'DEBUG'}}}
class Solution: def longestConsecutive(self, nums: List[int]) -> int: longest_streak = 0 num_set = set(nums) for num in num_set: if num - 1 not in num_set: current_num = num current_streak = 1 while current_num + 1 in num_set: current_num += 1 current_streak += 1 longest_streak = max(longest_streak, current_streak) return longest_streak
class Solution: def longest_consecutive(self, nums: List[int]) -> int: longest_streak = 0 num_set = set(nums) for num in num_set: if num - 1 not in num_set: current_num = num current_streak = 1 while current_num + 1 in num_set: current_num += 1 current_streak += 1 longest_streak = max(longest_streak, current_streak) return longest_streak
# Databricks notebook source print("hello world") # COMMAND ---------- print("hello world2")
print('hello world') print('hello world2')
# Problem Statement # The previous version of Quicksort was easy to understand, but it was not optimal. It required copying the numbers into other arrays, which takes up space and time. To make things faster, one can create an "in-place" version of Quicksort, where the numbers are all sorted within the array itself. def quick(A, p, r): if p < r: q = partition(A, p, r) quick(A, p, q - 1) quick(A, q + 1, r) def partition(A, p, r): x = A[r] i = p - 1 for j in range(p, r): if A[j] <= x: i += 1 A[i], A[j] = A[j], A[i] A[i + 1], A[r] = A[r], A[i + 1] print (' '.join(map(str, A))) return i + 1 x = int(raw_input()) a = [int(i) for i in raw_input().strip().split()] quick(a, 0, x - 1)
def quick(A, p, r): if p < r: q = partition(A, p, r) quick(A, p, q - 1) quick(A, q + 1, r) def partition(A, p, r): x = A[r] i = p - 1 for j in range(p, r): if A[j] <= x: i += 1 (A[i], A[j]) = (A[j], A[i]) (A[i + 1], A[r]) = (A[r], A[i + 1]) print(' '.join(map(str, A))) return i + 1 x = int(raw_input()) a = [int(i) for i in raw_input().strip().split()] quick(a, 0, x - 1)
# WARNING: Changing line numbers of code in this file will break collection tests that use tracing to check paths and line numbers. # Also, do not import division from __future__ as this will break detection of __future__ inheritance on Python 2. def question(): return 3 / 2
def question(): return 3 / 2
CYBERCRIME_RESPONSE_MOCK = { 'success': True, 'message': 'Malicious: Keitaro' } CYBERCRIME_ERROR_RESPONSE_MOCK = { 'error': 'Server unavailable' } EXPECTED_DELIBERATE_RESPONSE = { 'data': { 'verdicts': { 'count': 1, 'docs': [ { 'disposition': 2, 'observable': { 'type': 'ip', 'value': '104.24.123.62' }, 'type': 'verdict' } ] } } } EXPECTED_OBSERVE_RESPONSE = { 'data': { 'judgements': { 'count': 1, 'docs': [ { 'confidence': 'Low', 'disposition': 2, 'disposition_name': 'Malicious', 'observable': { 'type': 'ip', 'value': '104.24.123.62' }, 'priority': 90, 'schema_version': '1.0.16', 'severity': 'Medium', 'source': 'CyberCrime Tracker', 'source_uri': 'http://cybercrime-tracker.net/' 'index.php?search=104.24.123.62', 'type': 'judgement' } ] }, 'verdicts': { 'count': 1, 'docs': [ { 'disposition': 2, 'observable': { 'type': 'ip', 'value': '104.24.123.62' }, 'type': 'verdict' } ] } } } EXPECTED_RESPONSE_500_ERROR = { 'errors': [ { 'code': 'service unavailable', 'message': 'The CyberCrime is unavailable. Please, try again ' 'later.', 'type': 'fatal' } ] } EXPECTED_RESPONSE_404_ERROR = { 'errors': [ { 'code': 'not found', 'message': 'The CyberCrime not found', 'type': 'fatal' } ] } EXPECTED_RESPONSE_SSL_ERROR = { 'errors': [ { 'code': 'unknown', 'message': 'Unable to verify SSL certificate: Self signed ' 'certificate', 'type': 'fatal' } ] } EXPECTED_WATCHDOG_ERROR = { 'errors': [ { 'code': 'health check failed', 'message': 'Invalid Health Check', 'type': 'fatal' } ] }
cybercrime_response_mock = {'success': True, 'message': 'Malicious: Keitaro'} cybercrime_error_response_mock = {'error': 'Server unavailable'} expected_deliberate_response = {'data': {'verdicts': {'count': 1, 'docs': [{'disposition': 2, 'observable': {'type': 'ip', 'value': '104.24.123.62'}, 'type': 'verdict'}]}}} expected_observe_response = {'data': {'judgements': {'count': 1, 'docs': [{'confidence': 'Low', 'disposition': 2, 'disposition_name': 'Malicious', 'observable': {'type': 'ip', 'value': '104.24.123.62'}, 'priority': 90, 'schema_version': '1.0.16', 'severity': 'Medium', 'source': 'CyberCrime Tracker', 'source_uri': 'http://cybercrime-tracker.net/index.php?search=104.24.123.62', 'type': 'judgement'}]}, 'verdicts': {'count': 1, 'docs': [{'disposition': 2, 'observable': {'type': 'ip', 'value': '104.24.123.62'}, 'type': 'verdict'}]}}} expected_response_500_error = {'errors': [{'code': 'service unavailable', 'message': 'The CyberCrime is unavailable. Please, try again later.', 'type': 'fatal'}]} expected_response_404_error = {'errors': [{'code': 'not found', 'message': 'The CyberCrime not found', 'type': 'fatal'}]} expected_response_ssl_error = {'errors': [{'code': 'unknown', 'message': 'Unable to verify SSL certificate: Self signed certificate', 'type': 'fatal'}]} expected_watchdog_error = {'errors': [{'code': 'health check failed', 'message': 'Invalid Health Check', 'type': 'fatal'}]}
# -*- coding: utf-8 -*- # # Copyright (C) 2019-2020 CERN. # # CDS-ILS is free software; you can redistribute it and/or modify it under # the terms of the MIT License; see LICENSE file for more details. """Circulation configuration callbacks.""" def circulation_cds_extension_max_count(loan): """Return a default extensions max count.""" unlimited = loan.get("extension_count", 0) + 1 return unlimited
"""Circulation configuration callbacks.""" def circulation_cds_extension_max_count(loan): """Return a default extensions max count.""" unlimited = loan.get('extension_count', 0) + 1 return unlimited
num = input() prime = 0 non_prime = 0 is_prime = True while num != "stop": num = int(num) if num < 0: print(f"Number is negative.") num = input() continue for i in range(2, (num+1)//2): if num % i == 0: non_prime += num is_prime = False break if is_prime: prime += num is_prime = True num = input() print(f"Sum of all prime numbers is: {prime}") print(f"Sum of all non prime numbers is: {non_prime}")
num = input() prime = 0 non_prime = 0 is_prime = True while num != 'stop': num = int(num) if num < 0: print(f'Number is negative.') num = input() continue for i in range(2, (num + 1) // 2): if num % i == 0: non_prime += num is_prime = False break if is_prime: prime += num is_prime = True num = input() print(f'Sum of all prime numbers is: {prime}') print(f'Sum of all non prime numbers is: {non_prime}')
class Convert: """ Conversion utility functions """ @staticmethod def to_boolean(value: object) -> bool: """ Convert the given value into a Boolean, if given a convertible representation Valid representations include: - boolean value - string representation like "true" or "false" - integer binary representation 1 (True) or 0 (False) inputs: value: the value to convert """ if value is None: raise ValueError("Can't convert NoneType to boolean") if isinstance(value, bool): return value if isinstance(value, int): if value == 1: return True if value == 0: return False if isinstance(value, str): str_val = value.lower().strip() if str_val == "true": return True if str_val == "false": return False raise ValueError(f"Can't convert value {repr(value)} to boolean. Bad object type or representation.")
class Convert: """ Conversion utility functions """ @staticmethod def to_boolean(value: object) -> bool: """ Convert the given value into a Boolean, if given a convertible representation Valid representations include: - boolean value - string representation like "true" or "false" - integer binary representation 1 (True) or 0 (False) inputs: value: the value to convert """ if value is None: raise value_error("Can't convert NoneType to boolean") if isinstance(value, bool): return value if isinstance(value, int): if value == 1: return True if value == 0: return False if isinstance(value, str): str_val = value.lower().strip() if str_val == 'true': return True if str_val == 'false': return False raise value_error(f"Can't convert value {repr(value)} to boolean. Bad object type or representation.")
def mujoco(): return dict( nsteps=2048, nminibatches=32, lam=0.95, gamma=0.99, noptepochs=10, log_interval=1, ent_coef=0.0, lr=lambda f: 3e-4 * f, cliprange=0.2, value_network='copy' ) # Daniel: more accurately matches the PPO paper. # nsteps must be horizon T, noptepochs is 3 in the paper but whatever. # lr annealed with a factor, but clipping parameter doesn't have alpha factor here? def atari(): return dict( nsteps=128, nminibatches=4, lam=0.95, gamma=0.99, noptepochs=4, log_interval=1, ent_coef=.01, lr=lambda f : f * 2.5e-4, cliprange=0.1, ) # Daniel: for cloth. Using nsteps=20 to match DDPG. def cloth(): return dict( num_hidden=200, save_interval=1, nsteps=20, nminibatches=4, lam=0.95, gamma=0.99, noptepochs=10, log_interval=1, ent_coef=0.01, lr=lambda f : f * 2.5e-4, cliprange=0.1, ) def retro(): return atari()
def mujoco(): return dict(nsteps=2048, nminibatches=32, lam=0.95, gamma=0.99, noptepochs=10, log_interval=1, ent_coef=0.0, lr=lambda f: 0.0003 * f, cliprange=0.2, value_network='copy') def atari(): return dict(nsteps=128, nminibatches=4, lam=0.95, gamma=0.99, noptepochs=4, log_interval=1, ent_coef=0.01, lr=lambda f: f * 0.00025, cliprange=0.1) def cloth(): return dict(num_hidden=200, save_interval=1, nsteps=20, nminibatches=4, lam=0.95, gamma=0.99, noptepochs=10, log_interval=1, ent_coef=0.01, lr=lambda f: f * 0.00025, cliprange=0.1) def retro(): return atari()
#Q6. Given a string "I love Python programming language", extract the word "programming" (use slicing) string= "I love Python programming language" print(string[14:25])
string = 'I love Python programming language' print(string[14:25])
# Copyright 2022 Google LLC # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. def test_types(plan_runner): _disks = '''[{ name = "data1" size = "10" source_type = "image" source = "image-1" options = null }, { name = "data2" size = "20" source_type = "snapshot" source = "snapshot-2" options = null }, { name = "data3" size = null source_type = "attach" source = "disk-3" options = null }] ''' _, resources = plan_runner(attached_disks=_disks) assert len(resources) == 3 disks = {r['values']['name']: r['values'] for r in resources if r['type'] == 'google_compute_disk'} assert disks['test-data1']['size'] == 10 assert disks['test-data2']['size'] == 20 assert disks['test-data1']['image'] == 'image-1' assert disks['test-data1']['snapshot'] is None assert disks['test-data2']['snapshot'] == 'snapshot-2' assert disks['test-data2']['image'] is None instance = [r['values'] for r in resources if r['type'] == 'google_compute_instance'][0] instance_disks = {d['source']: d['device_name'] for d in instance['attached_disk']} assert instance_disks == {'test-data1': 'data1', 'test-data2': 'data2', 'disk-3': 'data3'} def test_options(plan_runner): _disks = '''[{ name = "data1" size = "10" source_type = "image" source = "image-1" options = { mode = null, replica_zone = null, type = "pd-standard" } }, { name = "data2" size = "20" source_type = null source = null options = { mode = null, replica_zone = "europe-west1-c", type = "pd-ssd" } }] ''' _, resources = plan_runner(attached_disks=_disks) assert len(resources) == 3 disks_z = [r['values'] for r in resources if r['type'] == 'google_compute_disk'] disks_r = [r['values'] for r in resources if r['type'] == 'google_compute_region_disk'] assert len(disks_z) == len(disks_r) == 1 instance = [r['values'] for r in resources if r['type'] == 'google_compute_instance'][0] instance_disks = [d['device_name'] for d in instance['attached_disk']] assert instance_disks == ['data1', 'data2'] def test_template(plan_runner): _disks = '''[{ name = "data1" size = "10" source_type = "image" source = "image-1" options = { mode = null, replica_zone = null, type = "pd-standard" } }, { name = "data2" size = "20" source_type = null source = null options = { mode = null, replica_zone = "europe-west1-c", type = "pd-ssd" } }] ''' _, resources = plan_runner(attached_disks=_disks, create_template="true") assert len(resources) == 1 template = [r['values'] for r in resources if r['type'] == 'google_compute_instance_template'][0] assert len(template['disk']) == 3
def test_types(plan_runner): _disks = '[{\n name = "data1"\n size = "10"\n source_type = "image"\n source = "image-1"\n options = null\n }, {\n name = "data2"\n size = "20"\n source_type = "snapshot"\n source = "snapshot-2"\n options = null\n }, {\n name = "data3"\n size = null\n source_type = "attach"\n source = "disk-3"\n options = null\n }]\n ' (_, resources) = plan_runner(attached_disks=_disks) assert len(resources) == 3 disks = {r['values']['name']: r['values'] for r in resources if r['type'] == 'google_compute_disk'} assert disks['test-data1']['size'] == 10 assert disks['test-data2']['size'] == 20 assert disks['test-data1']['image'] == 'image-1' assert disks['test-data1']['snapshot'] is None assert disks['test-data2']['snapshot'] == 'snapshot-2' assert disks['test-data2']['image'] is None instance = [r['values'] for r in resources if r['type'] == 'google_compute_instance'][0] instance_disks = {d['source']: d['device_name'] for d in instance['attached_disk']} assert instance_disks == {'test-data1': 'data1', 'test-data2': 'data2', 'disk-3': 'data3'} def test_options(plan_runner): _disks = '[{\n name = "data1"\n size = "10"\n source_type = "image"\n source = "image-1"\n options = {\n mode = null, replica_zone = null, type = "pd-standard"\n }\n }, {\n name = "data2"\n size = "20"\n source_type = null\n source = null\n options = {\n mode = null, replica_zone = "europe-west1-c", type = "pd-ssd"\n }\n }]\n ' (_, resources) = plan_runner(attached_disks=_disks) assert len(resources) == 3 disks_z = [r['values'] for r in resources if r['type'] == 'google_compute_disk'] disks_r = [r['values'] for r in resources if r['type'] == 'google_compute_region_disk'] assert len(disks_z) == len(disks_r) == 1 instance = [r['values'] for r in resources if r['type'] == 'google_compute_instance'][0] instance_disks = [d['device_name'] for d in instance['attached_disk']] assert instance_disks == ['data1', 'data2'] def test_template(plan_runner): _disks = '[{\n name = "data1"\n size = "10"\n source_type = "image"\n source = "image-1"\n options = {\n mode = null, replica_zone = null, type = "pd-standard"\n }\n }, {\n name = "data2"\n size = "20"\n source_type = null\n source = null\n options = {\n mode = null, replica_zone = "europe-west1-c", type = "pd-ssd"\n }\n }]\n ' (_, resources) = plan_runner(attached_disks=_disks, create_template='true') assert len(resources) == 1 template = [r['values'] for r in resources if r['type'] == 'google_compute_instance_template'][0] assert len(template['disk']) == 3
# # PySNMP MIB module ASCEND-MIBT1NET-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/ASCEND-MIBT1NET-MIB # Produced by pysmi-0.3.4 at Mon Apr 29 17:12:36 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) # configuration, = mibBuilder.importSymbols("ASCEND-MIB", "configuration") Integer, ObjectIdentifier, OctetString = mibBuilder.importSymbols("ASN1", "Integer", "ObjectIdentifier", "OctetString") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") SingleValueConstraint, ValueRangeConstraint, ValueSizeConstraint, ConstraintsIntersection, ConstraintsUnion = mibBuilder.importSymbols("ASN1-REFINEMENT", "SingleValueConstraint", "ValueRangeConstraint", "ValueSizeConstraint", "ConstraintsIntersection", "ConstraintsUnion") ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup") Counter32, IpAddress, Bits, iso, Counter64, MibIdentifier, TimeTicks, MibScalar, MibTable, MibTableRow, MibTableColumn, Integer32, ModuleIdentity, ObjectIdentity, Unsigned32, NotificationType, Gauge32 = mibBuilder.importSymbols("SNMPv2-SMI", "Counter32", "IpAddress", "Bits", "iso", "Counter64", "MibIdentifier", "TimeTicks", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Integer32", "ModuleIdentity", "ObjectIdentity", "Unsigned32", "NotificationType", "Gauge32") TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString") class DisplayString(OctetString): pass mibt1NetworkProfile = MibIdentifier((1, 3, 6, 1, 4, 1, 529, 23, 127)) mibt1NetworkProfileV1 = MibIdentifier((1, 3, 6, 1, 4, 1, 529, 23, 126)) mibt1NetworkProfileTable = MibTable((1, 3, 6, 1, 4, 1, 529, 23, 127, 1), ) if mibBuilder.loadTexts: mibt1NetworkProfileTable.setStatus('mandatory') mibt1NetworkProfileEntry = MibTableRow((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1), ).setIndexNames((0, "ASCEND-MIBT1NET-MIB", "t1NetworkProfile-Shelf-o"), (0, "ASCEND-MIBT1NET-MIB", "t1NetworkProfile-Slot-o"), (0, "ASCEND-MIBT1NET-MIB", "t1NetworkProfile-Item-o")) if mibBuilder.loadTexts: mibt1NetworkProfileEntry.setStatus('mandatory') t1NetworkProfile_Shelf_o = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 1), Integer32()).setLabel("t1NetworkProfile-Shelf-o").setMaxAccess("readonly") if mibBuilder.loadTexts: t1NetworkProfile_Shelf_o.setStatus('mandatory') t1NetworkProfile_Slot_o = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 2), Integer32()).setLabel("t1NetworkProfile-Slot-o").setMaxAccess("readonly") if mibBuilder.loadTexts: t1NetworkProfile_Slot_o.setStatus('mandatory') t1NetworkProfile_Item_o = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 3), Integer32()).setLabel("t1NetworkProfile-Item-o").setMaxAccess("readonly") if mibBuilder.loadTexts: t1NetworkProfile_Item_o.setStatus('mandatory') t1NetworkProfile_Name = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 4), DisplayString()).setLabel("t1NetworkProfile-Name").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_Name.setStatus('mandatory') t1NetworkProfile_PhysicalAddress_Shelf = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=NamedValues(("anyShelf", 1), ("shelf1", 2), ("shelf2", 3), ("shelf3", 4), ("shelf4", 5), ("shelf5", 6), ("shelf6", 7), ("shelf7", 8), ("shelf8", 9), ("shelf9", 10)))).setLabel("t1NetworkProfile-PhysicalAddress-Shelf").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_PhysicalAddress_Shelf.setStatus('mandatory') t1NetworkProfile_PhysicalAddress_Slot = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 55, 56, 57, 58, 49, 50, 42, 53, 54, 45, 46, 51, 59))).clone(namedValues=NamedValues(("anySlot", 1), ("slot1", 2), ("slot2", 3), ("slot3", 4), ("slot4", 5), ("slot5", 6), ("slot6", 7), ("slot7", 8), ("slot8", 9), ("slot9", 10), ("slot10", 11), ("slot11", 12), ("slot12", 13), ("slot13", 14), ("slot14", 15), ("slot15", 16), ("slot16", 17), ("slot17", 18), ("slot18", 19), ("slot19", 20), ("slot20", 21), ("slot21", 22), ("slot22", 23), ("slot23", 24), ("slot24", 25), ("slot25", 26), ("slot26", 27), ("slot27", 28), ("slot28", 29), ("slot29", 30), ("slot30", 31), ("slot31", 32), ("slot32", 33), ("slot33", 34), ("slot34", 35), ("slot35", 36), ("slot36", 37), ("slot37", 38), ("slot38", 39), ("slot39", 40), ("slot40", 41), ("aLim", 55), ("bLim", 56), ("cLim", 57), ("dLim", 58), ("leftController", 49), ("rightController", 50), ("controller", 42), ("firstControlModule", 53), ("secondControlModule", 54), ("trunkModule1", 45), ("trunkModule2", 46), ("controlModule", 51), ("slotPrimary", 59)))).setLabel("t1NetworkProfile-PhysicalAddress-Slot").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_PhysicalAddress_Slot.setStatus('mandatory') t1NetworkProfile_PhysicalAddress_ItemNumber = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 7), Integer32()).setLabel("t1NetworkProfile-PhysicalAddress-ItemNumber").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_PhysicalAddress_ItemNumber.setStatus('mandatory') t1NetworkProfile_LineInterface_Enabled = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("t1NetworkProfile-LineInterface-Enabled").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_Enabled.setStatus('mandatory') t1NetworkProfile_LineInterface_TOnlineType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("none", 1), ("nt", 2), ("te", 3), ("numberOfTonline", 4)))).setLabel("t1NetworkProfile-LineInterface-TOnlineType").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_TOnlineType.setStatus('mandatory') t1NetworkProfile_LineInterface_FrameType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("d4", 1), ("esf", 2), ("g703", 3), ("n-2ds", 4)))).setLabel("t1NetworkProfile-LineInterface-FrameType").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_FrameType.setStatus('mandatory') t1NetworkProfile_LineInterface_Encoding = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("ami", 1), ("b8zs", 2), ("hdb3", 3), ("none", 4)))).setLabel("t1NetworkProfile-LineInterface-Encoding").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_Encoding.setStatus('mandatory') t1NetworkProfile_LineInterface_ClockSource = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("eligible", 1), ("notEligible", 2)))).setLabel("t1NetworkProfile-LineInterface-ClockSource").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_ClockSource.setStatus('mandatory') t1NetworkProfile_LineInterface_ClockPriority = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(2, 3, 4))).clone(namedValues=NamedValues(("highPriority", 2), ("middlePriority", 3), ("lowPriority", 4)))).setLabel("t1NetworkProfile-LineInterface-ClockPriority").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_ClockPriority.setStatus('mandatory') t1NetworkProfile_LineInterface_SignalingMode = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 5, 6, 7, 8, 9, 10, 11, 13, 14, 15, 16, 17, 19, 20, 21, 22, 23, 24, 25, 27, 28, 29, 30, 31, 32, 33, 34))).clone(namedValues=NamedValues(("inband", 1), ("isdn", 2), ("isdnNfas", 3), ("e1R2Signaling", 5), ("e1KoreanSignaling", 6), ("e1P7Signaling", 7), ("e1ChineseSignaling", 8), ("e1MeteredSignaling", 9), ("e1NoSignaling", 10), ("e1DpnssSignaling", 11), ("e1ArgentinaSignaling", 13), ("e1BrazilSignaling", 14), ("e1PhilippineSignaling", 15), ("e1IndianSignaling", 16), ("e1CzechSignaling", 17), ("e1MalaysiaSignaling", 19), ("e1NewZealandSignaling", 20), ("e1IsraelSignaling", 21), ("e1ThailandSignaling", 22), ("e1KuwaitSignaling", 23), ("e1MexicoSignaling", 24), ("dtmfR2Signaling", 25), ("tunneledPriSignaling", 27), ("inbandFgdInFgdOut", 28), ("inbandFgdInFgcOut", 29), ("inbandFgcInFgcOut", 30), ("inbandFgcInFgdOut", 31), ("e1VietnamSignaling", 32), ("ss7SigTrunk", 33), ("h248DataTrunk", 34)))).setLabel("t1NetworkProfile-LineInterface-SignalingMode").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_SignalingMode.setStatus('mandatory') t1NetworkProfile_LineInterface_IsdnEmulationSide = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("te", 1), ("nt", 2)))).setLabel("t1NetworkProfile-LineInterface-IsdnEmulationSide").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_IsdnEmulationSide.setStatus('mandatory') t1NetworkProfile_LineInterface_RobbedBitMode = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("winkStart", 1), ("idleStart", 2), ("incW200", 3), ("incW400", 4), ("loopStart", 5), ("groundStart", 6)))).setLabel("t1NetworkProfile-LineInterface-RobbedBitMode").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_RobbedBitMode.setStatus('mandatory') t1NetworkProfile_LineInterface_DefaultCallType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("digital", 1), ("voice", 2), ("dnisOrVoice", 3), ("dnisOrDigital", 4), ("voip", 5), ("dnisOrVoip", 6)))).setLabel("t1NetworkProfile-LineInterface-DefaultCallType").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_DefaultCallType.setStatus('mandatory') t1NetworkProfile_LineInterface_SwitchType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 31, 11, 12, 13, 14, 32, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30))).clone(namedValues=NamedValues(("attPri", 1), ("ntiPri", 2), ("globandPri", 3), ("japanPri", 4), ("vn3Pri", 5), ("onetr6Pri", 6), ("net5Pri", 7), ("danishPri", 8), ("australPri", 9), ("natIsdn2Pri", 10), ("taiwanPri", 31), ("isdxDpnss", 11), ("islxDpnss", 12), ("mercuryDpnss", 13), ("dass2", 14), ("btSs7", 32), ("unknownBri", 15), ("att5essBri", 16), ("dms100Nt1Bri", 17), ("nisdn1Bri", 18), ("vn2Bri", 19), ("btnr191Bri", 20), ("net3Bri", 21), ("ptpNet3Bri", 22), ("kddBri", 23), ("belgianBri", 24), ("australBri", 25), ("swissBri", 26), ("german1tr6Bri", 27), ("dutch1tr6Bri", 28), ("switchCas", 29), ("idslPtpBri", 30)))).setLabel("t1NetworkProfile-LineInterface-SwitchType").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_SwitchType.setStatus('mandatory') t1NetworkProfile_LineInterface_NfasGroupId = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 19), Integer32()).setLabel("t1NetworkProfile-LineInterface-NfasGroupId").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_NfasGroupId.setStatus('mandatory') t1NetworkProfile_LineInterface_NfasId = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 20), Integer32()).setLabel("t1NetworkProfile-LineInterface-NfasId").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_NfasId.setStatus('mandatory') t1NetworkProfile_LineInterface_IncomingCallHandling = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("rejectAll", 1), ("internalProcessing", 2), ("ss7GatewayProcessing", 3)))).setLabel("t1NetworkProfile-LineInterface-IncomingCallHandling").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_IncomingCallHandling.setStatus('mandatory') t1NetworkProfile_LineInterface_DeleteDigits = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 22), Integer32()).setLabel("t1NetworkProfile-LineInterface-DeleteDigits").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_DeleteDigits.setStatus('mandatory') t1NetworkProfile_LineInterface_AddDigitString = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 23), DisplayString()).setLabel("t1NetworkProfile-LineInterface-AddDigitString").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_AddDigitString.setStatus('mandatory') t1NetworkProfile_LineInterface_CallByCall = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 24), Integer32()).setLabel("t1NetworkProfile-LineInterface-CallByCall").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_CallByCall.setStatus('mandatory') t1NetworkProfile_LineInterface_NetworkSpecificFacilities = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 87), Integer32()).setLabel("t1NetworkProfile-LineInterface-NetworkSpecificFacilities").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_NetworkSpecificFacilities.setStatus('mandatory') t1NetworkProfile_LineInterface_PbxAnswerNumber = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 25), DisplayString()).setLabel("t1NetworkProfile-LineInterface-PbxAnswerNumber").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_PbxAnswerNumber.setStatus('mandatory') t1NetworkProfile_LineInterface_AnswerService = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 26), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 39, 40, 41, 42, 43, 44, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 61, 62, 63, 64, 65, 66, 67, 68, 70, 71, 72, 73, 74, 75, 76, 77, 78, 79, 80, 81, 82, 83, 255, 263))).clone(namedValues=NamedValues(("voice", 1), ("n-56kRestricted", 2), ("n-64kClear", 3), ("n-64kRestricted", 4), ("n-56kClear", 5), ("n-384kRestricted", 6), ("n-384kClear", 7), ("n-1536kClear", 8), ("n-1536kRestricted", 9), ("n-128kClear", 10), ("n-192kClear", 11), ("n-256kClear", 12), ("n-320kClear", 13), ("dws384Clear", 14), ("n-448Clear", 15), ("n-512Clear", 16), ("n-576Clear", 17), ("n-640Clear", 18), ("n-704Clear", 19), ("n-768Clear", 20), ("n-832Clear", 21), ("n-896Clear", 22), ("n-960Clear", 23), ("n-1024Clear", 24), ("n-1088Clear", 25), ("n-1152Clear", 26), ("n-1216Clear", 27), ("n-1280Clear", 28), ("n-1344Clear", 29), ("n-1408Clear", 30), ("n-1472Clear", 31), ("n-1600Clear", 32), ("n-1664Clear", 33), ("n-1728Clear", 34), ("n-1792Clear", 35), ("n-1856Clear", 36), ("n-1920Clear", 37), ("x30RestrictedBearer", 39), ("v110ClearBearer", 40), ("n-64kX30Restricted", 41), ("n-56kV110Clear", 42), ("modem", 43), ("atmodem", 44), ("n-2456kV110", 46), ("n-4856kV110", 47), ("n-9656kV110", 48), ("n-19256kV110", 49), ("n-38456kV110", 50), ("n-2456krV110", 51), ("n-4856krV110", 52), ("n-9656krV110", 53), ("n-19256krV110", 54), ("n-38456krV110", 55), ("n-2464kV110", 56), ("n-4864kV110", 57), ("n-9664kV110", 58), ("n-19264kV110", 59), ("n-38464kV110", 60), ("n-2464krV110", 61), ("n-4864krV110", 62), ("n-9664krV110", 63), ("n-19264krV110", 64), ("n-38464krV110", 65), ("v32", 66), ("phs64k", 67), ("voiceOverIp", 68), ("atmSvc", 70), ("frameRelaySvc", 71), ("vpnTunnel", 72), ("wormarq", 73), ("n-14456kV110", 74), ("n-28856kV110", 75), ("n-14456krV110", 76), ("n-28856krV110", 77), ("n-14464kV110", 78), ("n-28864kV110", 79), ("n-14464krV110", 80), ("n-28864krV110", 81), ("modem31khzAudio", 82), ("x25Svc", 83), ("n-144kClear", 255), ("iptoip", 263)))).setLabel("t1NetworkProfile-LineInterface-AnswerService").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_AnswerService.setStatus('mandatory') t1NetworkProfile_LineInterface_oPBXType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 27), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("hostPbxVoice", 1), ("hostPbxData", 2), ("hostPbxLeasedData", 3), ("hostPbxLeased11", 4)))).setLabel("t1NetworkProfile-LineInterface-oPBXType").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_oPBXType.setStatus('mandatory') t1NetworkProfile_LineInterface_DataSense = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 28), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("normal", 1), ("inv", 2)))).setLabel("t1NetworkProfile-LineInterface-DataSense").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_DataSense.setStatus('mandatory') t1NetworkProfile_LineInterface_IdleMode = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 29), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("markIdle", 1), ("flagIdle", 2)))).setLabel("t1NetworkProfile-LineInterface-IdleMode").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_IdleMode.setStatus('mandatory') t1NetworkProfile_LineInterface_oFDL = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 30), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("none", 1), ("atNT", 2), ("ansi", 3), ("sprint", 4)))).setLabel("t1NetworkProfile-LineInterface-oFDL").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_oFDL.setStatus('mandatory') t1NetworkProfile_LineInterface_FrontEndType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 31), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("csu", 1), ("dsx", 2)))).setLabel("t1NetworkProfile-LineInterface-FrontEndType").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_FrontEndType.setStatus('mandatory') t1NetworkProfile_LineInterface_oDSXLineLength = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 32), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("n-1133", 1), ("n-134266", 2), ("n-267399", 3), ("n-400533", 4), ("n-534655", 5)))).setLabel("t1NetworkProfile-LineInterface-oDSXLineLength").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_oDSXLineLength.setStatus('mandatory') t1NetworkProfile_LineInterface_oCSUBuildOut = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 33), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("n-0Db", 1), ("n-75Db", 2), ("n-15Db", 3), ("n-2255Db", 4)))).setLabel("t1NetworkProfile-LineInterface-oCSUBuildOut").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_oCSUBuildOut.setStatus('mandatory') t1NetworkProfile_LineInterface_OverlapReceiving = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 34), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("t1NetworkProfile-LineInterface-OverlapReceiving").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_OverlapReceiving.setStatus('mandatory') t1NetworkProfile_LineInterface_PriPrefixNumber = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 35), DisplayString()).setLabel("t1NetworkProfile-LineInterface-PriPrefixNumber").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_PriPrefixNumber.setStatus('mandatory') t1NetworkProfile_LineInterface_TrailingDigits = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 36), Integer32()).setLabel("t1NetworkProfile-LineInterface-TrailingDigits").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_TrailingDigits.setStatus('mandatory') t1NetworkProfile_LineInterface_T302Timer = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 37), Integer32()).setLabel("t1NetworkProfile-LineInterface-T302Timer").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_T302Timer.setStatus('mandatory') t1NetworkProfile_LineInterface_Layer3End = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 38), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("false", 1), ("true", 2)))).setLabel("t1NetworkProfile-LineInterface-Layer3End").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_Layer3End.setStatus('mandatory') t1NetworkProfile_LineInterface_Layer2End = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 39), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("false", 1), ("true", 2)))).setLabel("t1NetworkProfile-LineInterface-Layer2End").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_Layer2End.setStatus('mandatory') t1NetworkProfile_LineInterface_NlValue = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 40), Integer32()).setLabel("t1NetworkProfile-LineInterface-NlValue").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_NlValue.setStatus('mandatory') t1NetworkProfile_LineInterface_LoopAvoidance = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 41), Integer32()).setLabel("t1NetworkProfile-LineInterface-LoopAvoidance").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_LoopAvoidance.setStatus('mandatory') t1NetworkProfile_LineInterface_MaintenanceState = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 42), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("t1NetworkProfile-LineInterface-MaintenanceState").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_MaintenanceState.setStatus('mandatory') t1NetworkProfile_LineInterface_NumberComplete = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 43), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18))).clone(namedValues=NamedValues(("n-1Digits", 1), ("n-2Digits", 2), ("n-3Digits", 3), ("n-4Digits", 4), ("n-5Digits", 5), ("n-6Digits", 6), ("n-7Digits", 7), ("n-8Digits", 8), ("n-9Digits", 9), ("n-10Digits", 10), ("endOfPulsing", 11), ("n-0Digits", 12), ("n-11Digits", 13), ("n-12Digits", 14), ("n-13Digits", 15), ("n-14Digits", 16), ("n-15Digits", 17), ("timeOut", 18)))).setLabel("t1NetworkProfile-LineInterface-NumberComplete").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_NumberComplete.setStatus('mandatory') t1NetworkProfile_LineInterface_GroupBAnswerSignal = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 44), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15))).clone(namedValues=NamedValues(("signalB1", 1), ("signalB2", 2), ("signalB3", 3), ("signalB4", 4), ("signalB5", 5), ("signalB6", 6), ("signalB7", 7), ("signalB8", 8), ("signalB9", 9), ("signalB10", 10), ("signalB11", 11), ("signalB12", 12), ("signalB13", 13), ("signalB14", 14), ("signalB15", 15)))).setLabel("t1NetworkProfile-LineInterface-GroupBAnswerSignal").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_GroupBAnswerSignal.setStatus('mandatory') t1NetworkProfile_LineInterface_GroupBBusySignal = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 45), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15))).clone(namedValues=NamedValues(("signalB1", 1), ("signalB2", 2), ("signalB3", 3), ("signalB4", 4), ("signalB5", 5), ("signalB6", 6), ("signalB7", 7), ("signalB8", 8), ("signalB9", 9), ("signalB10", 10), ("signalB11", 11), ("signalB12", 12), ("signalB13", 13), ("signalB14", 14), ("signalB15", 15)))).setLabel("t1NetworkProfile-LineInterface-GroupBBusySignal").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_GroupBBusySignal.setStatus('mandatory') t1NetworkProfile_LineInterface_GroupBNoMatchSignal = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 46), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15))).clone(namedValues=NamedValues(("signalB1", 1), ("signalB2", 2), ("signalB3", 3), ("signalB4", 4), ("signalB5", 5), ("signalB6", 6), ("signalB7", 7), ("signalB8", 8), ("signalB9", 9), ("signalB10", 10), ("signalB11", 11), ("signalB12", 12), ("signalB13", 13), ("signalB14", 14), ("signalB15", 15)))).setLabel("t1NetworkProfile-LineInterface-GroupBNoMatchSignal").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_GroupBNoMatchSignal.setStatus('mandatory') t1NetworkProfile_LineInterface_GroupBCollectSignal = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 47), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15))).clone(namedValues=NamedValues(("signalB1", 1), ("signalB2", 2), ("signalB3", 3), ("signalB4", 4), ("signalB5", 5), ("signalB6", 6), ("signalB7", 7), ("signalB8", 8), ("signalB9", 9), ("signalB10", 10), ("signalB11", 11), ("signalB12", 12), ("signalB13", 13), ("signalB14", 14), ("signalB15", 15)))).setLabel("t1NetworkProfile-LineInterface-GroupBCollectSignal").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_GroupBCollectSignal.setStatus('mandatory') t1NetworkProfile_LineInterface_GroupBNoChargeSignal = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 82), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15))).clone(namedValues=NamedValues(("signalB1", 1), ("signalB2", 2), ("signalB3", 3), ("signalB4", 4), ("signalB5", 5), ("signalB6", 6), ("signalB7", 7), ("signalB8", 8), ("signalB9", 9), ("signalB10", 10), ("signalB11", 11), ("signalB12", 12), ("signalB13", 13), ("signalB14", 14), ("signalB15", 15)))).setLabel("t1NetworkProfile-LineInterface-GroupBNoChargeSignal").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_GroupBNoChargeSignal.setStatus('mandatory') t1NetworkProfile_LineInterface_GroupIiSignal = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 48), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15))).clone(namedValues=NamedValues(("signalIi1", 1), ("signalIi2", 2), ("signalIi3", 3), ("signalIi4", 4), ("signalIi5", 5), ("signalIi6", 6), ("signalIi7", 7), ("signalIi8", 8), ("signalIi9", 9), ("signalIi10", 10), ("signalIi11", 11), ("signalIi12", 12), ("signalIi13", 13), ("signalIi14", 14), ("signalIi15", 15)))).setLabel("t1NetworkProfile-LineInterface-GroupIiSignal").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_GroupIiSignal.setStatus('mandatory') t1NetworkProfile_LineInterface_InputSampleCount = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 49), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("oneSample", 1), ("twoSamples", 2)))).setLabel("t1NetworkProfile-LineInterface-InputSampleCount").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_InputSampleCount.setStatus('mandatory') t1NetworkProfile_LineInterface_AnswerDelay = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 50), Integer32()).setLabel("t1NetworkProfile-LineInterface-AnswerDelay").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_AnswerDelay.setStatus('mandatory') t1NetworkProfile_LineInterface_CallerId = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 51), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("noCallerId", 1), ("getCallerId", 2)))).setLabel("t1NetworkProfile-LineInterface-CallerId").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_CallerId.setStatus('mandatory') t1NetworkProfile_LineInterface_LineSignaling = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 52), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("abBitsLineSignaling", 1), ("aBitOnly0EqualBBit", 2), ("aBitOnly1EqualBBit", 3)))).setLabel("t1NetworkProfile-LineInterface-LineSignaling").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_LineSignaling.setStatus('mandatory') t1NetworkProfile_LineInterface_Timer1CollectCall = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 53), Integer32()).setLabel("t1NetworkProfile-LineInterface-Timer1CollectCall").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_Timer1CollectCall.setStatus('mandatory') t1NetworkProfile_LineInterface_Timer2CollectCall = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 54), Integer32()).setLabel("t1NetworkProfile-LineInterface-Timer2CollectCall").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_Timer2CollectCall.setStatus('mandatory') t1NetworkProfile_LineInterface_SendDiscVal = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 55), Integer32()).setLabel("t1NetworkProfile-LineInterface-SendDiscVal").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_SendDiscVal.setStatus('mandatory') t1NetworkProfile_LineInterface_HuntGrpPhoneNumber1 = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 56), DisplayString()).setLabel("t1NetworkProfile-LineInterface-HuntGrpPhoneNumber1").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_HuntGrpPhoneNumber1.setStatus('mandatory') t1NetworkProfile_LineInterface_HuntGrpPhoneNumber2 = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 57), DisplayString()).setLabel("t1NetworkProfile-LineInterface-HuntGrpPhoneNumber2").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_HuntGrpPhoneNumber2.setStatus('mandatory') t1NetworkProfile_LineInterface_HuntGrpPhoneNumber3 = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 58), DisplayString()).setLabel("t1NetworkProfile-LineInterface-HuntGrpPhoneNumber3").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_HuntGrpPhoneNumber3.setStatus('mandatory') t1NetworkProfile_LineInterface_PriTypeOfNumber = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 59), Integer32()).setLabel("t1NetworkProfile-LineInterface-PriTypeOfNumber").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_PriTypeOfNumber.setStatus('mandatory') t1NetworkProfile_LineInterface_PriNumberingPlanId = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 60), Integer32()).setLabel("t1NetworkProfile-LineInterface-PriNumberingPlanId").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_PriNumberingPlanId.setStatus('mandatory') t1NetworkProfile_LineInterface_SuperFrameSrcLineNumber = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 61), Integer32()).setLabel("t1NetworkProfile-LineInterface-SuperFrameSrcLineNumber").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_SuperFrameSrcLineNumber.setStatus('mandatory') t1NetworkProfile_LineInterface_CollectIncomingDigits = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 62), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("t1NetworkProfile-LineInterface-CollectIncomingDigits").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_CollectIncomingDigits.setStatus('mandatory') t1NetworkProfile_LineInterface_T1InterDigitTimeout = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 63), Integer32()).setLabel("t1NetworkProfile-LineInterface-T1InterDigitTimeout").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_T1InterDigitTimeout.setStatus('mandatory') t1NetworkProfile_LineInterface_R1UseAnir = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 64), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("t1NetworkProfile-LineInterface-R1UseAnir").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_R1UseAnir.setStatus('mandatory') t1NetworkProfile_LineInterface_R1FirstDigitTimer = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 65), Integer32()).setLabel("t1NetworkProfile-LineInterface-R1FirstDigitTimer").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_R1FirstDigitTimer.setStatus('mandatory') t1NetworkProfile_LineInterface_R1AnirDelay = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 66), Integer32()).setLabel("t1NetworkProfile-LineInterface-R1AnirDelay").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_R1AnirDelay.setStatus('mandatory') t1NetworkProfile_LineInterface_R1AnirTimer = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 67), Integer32()).setLabel("t1NetworkProfile-LineInterface-R1AnirTimer").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_R1AnirTimer.setStatus('mandatory') t1NetworkProfile_LineInterface_R1Modified = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 68), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("t1NetworkProfile-LineInterface-R1Modified").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_R1Modified.setStatus('mandatory') t1NetworkProfile_LineInterface_FirstDs0 = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 69), Integer32()).setLabel("t1NetworkProfile-LineInterface-FirstDs0").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_FirstDs0.setStatus('mandatory') t1NetworkProfile_LineInterface_LastDs0 = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 70), Integer32()).setLabel("t1NetworkProfile-LineInterface-LastDs0").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_LastDs0.setStatus('mandatory') t1NetworkProfile_LineInterface_NailedGroup = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 71), Integer32()).setLabel("t1NetworkProfile-LineInterface-NailedGroup").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_NailedGroup.setStatus('mandatory') t1NetworkProfile_LineInterface_Ss7Continuity_IncomingProcedure = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 72), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(2, 3))).clone(namedValues=NamedValues(("loopback", 2), ("transponder", 3)))).setLabel("t1NetworkProfile-LineInterface-Ss7Continuity-IncomingProcedure").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_Ss7Continuity_IncomingProcedure.setStatus('mandatory') t1NetworkProfile_LineInterface_Ss7Continuity_OutgoingProcedure = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 73), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("singleTone2010", 2), ("send2010Expect1780", 3), ("send1780Expect2010", 4), ("singleTone2000", 5), ("send2000Expect1780", 6), ("send1780Expect2000", 7)))).setLabel("t1NetworkProfile-LineInterface-Ss7Continuity-OutgoingProcedure").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_Ss7Continuity_OutgoingProcedure.setStatus('mandatory') t1NetworkProfile_LineInterface_LineProvision = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 74), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("lineProvisionNone", 1), ("lineProvisionH0", 2), ("lineProvisionH11", 3), ("lineProvisionH0H11", 4), ("lineProvisionH12", 5), ("lineProvisionH0H12", 6), ("lineProvisionH11H12", 7), ("lineProvisionH0H11H12", 8)))).setLabel("t1NetworkProfile-LineInterface-LineProvision").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_LineProvision.setStatus('mandatory') t1NetworkProfile_LineInterface_Gr303Mode = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 75), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("gr303Disabled", 1), ("gr3035essPri", 2), ("gr303DmsPri", 3), ("gr303Secondary", 4), ("gr303Normal", 5)))).setLabel("t1NetworkProfile-LineInterface-Gr303Mode").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_Gr303Mode.setStatus('mandatory') t1NetworkProfile_LineInterface_Gr303GroupId = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 76), Integer32()).setLabel("t1NetworkProfile-LineInterface-Gr303GroupId").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_Gr303GroupId.setStatus('mandatory') t1NetworkProfile_LineInterface_Gr303Ds1Id = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 77), Integer32()).setLabel("t1NetworkProfile-LineInterface-Gr303Ds1Id").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_Gr303Ds1Id.setStatus('mandatory') t1NetworkProfile_LineInterface_SwitchVersion = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 78), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("switchVersionGeneric", 1), ("switchVersionDefinityG3v4", 2)))).setLabel("t1NetworkProfile-LineInterface-SwitchVersion").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_SwitchVersion.setStatus('mandatory') t1NetworkProfile_LineInterface_DownTransDelay = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 84), Integer32()).setLabel("t1NetworkProfile-LineInterface-DownTransDelay").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_DownTransDelay.setStatus('mandatory') t1NetworkProfile_LineInterface_UpTransDelay = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 85), Integer32()).setLabel("t1NetworkProfile-LineInterface-UpTransDelay").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_UpTransDelay.setStatus('mandatory') t1NetworkProfile_LineInterface_StatusChangeTrapEnable = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 83), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("t1NetworkProfile-LineInterface-StatusChangeTrapEnable").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_StatusChangeTrapEnable.setStatus('mandatory') t1NetworkProfile_LineInterface_CauseCodeVerificationEnable = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 88), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("t1NetworkProfile-LineInterface-CauseCodeVerificationEnable").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_CauseCodeVerificationEnable.setStatus('mandatory') t1NetworkProfile_BackToBack = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 79), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("false", 1), ("true", 2)))).setLabel("t1NetworkProfile-BackToBack").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_BackToBack.setStatus('mandatory') t1NetworkProfile_ChannelUsage = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 80), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("lineUnavailable", 1), ("lineDisable", 2), ("t1LineQuiesce", 3), ("dropAndInsert", 4), ("dualNetworkInterface", 5), ("tOnlineUsrInterface", 6), ("tOnlineZgrInterface", 7)))).setLabel("t1NetworkProfile-ChannelUsage").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_ChannelUsage.setStatus('mandatory') t1NetworkProfile_Action_o = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 81), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("noAction", 1), ("createProfile", 2), ("deleteProfile", 3)))).setLabel("t1NetworkProfile-Action-o").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_Action_o.setStatus('mandatory') mibt1NetworkProfile_LineInterface_ChannelConfigTable = MibTable((1, 3, 6, 1, 4, 1, 529, 23, 127, 2), ).setLabel("mibt1NetworkProfile-LineInterface-ChannelConfigTable") if mibBuilder.loadTexts: mibt1NetworkProfile_LineInterface_ChannelConfigTable.setStatus('mandatory') mibt1NetworkProfile_LineInterface_ChannelConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 529, 23, 127, 2, 1), ).setLabel("mibt1NetworkProfile-LineInterface-ChannelConfigEntry").setIndexNames((0, "ASCEND-MIBT1NET-MIB", "t1NetworkProfile-LineInterface-ChannelConfig-Shelf-o"), (0, "ASCEND-MIBT1NET-MIB", "t1NetworkProfile-LineInterface-ChannelConfig-Slot-o"), (0, "ASCEND-MIBT1NET-MIB", "t1NetworkProfile-LineInterface-ChannelConfig-Item-o"), (0, "ASCEND-MIBT1NET-MIB", "t1NetworkProfile-LineInterface-ChannelConfig-Index-o")) if mibBuilder.loadTexts: mibt1NetworkProfile_LineInterface_ChannelConfigEntry.setStatus('mandatory') t1NetworkProfile_LineInterface_ChannelConfig_Shelf_o = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 2, 1, 1), Integer32()).setLabel("t1NetworkProfile-LineInterface-ChannelConfig-Shelf-o").setMaxAccess("readonly") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_ChannelConfig_Shelf_o.setStatus('mandatory') t1NetworkProfile_LineInterface_ChannelConfig_Slot_o = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 2, 1, 2), Integer32()).setLabel("t1NetworkProfile-LineInterface-ChannelConfig-Slot-o").setMaxAccess("readonly") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_ChannelConfig_Slot_o.setStatus('mandatory') t1NetworkProfile_LineInterface_ChannelConfig_Item_o = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 2, 1, 3), Integer32()).setLabel("t1NetworkProfile-LineInterface-ChannelConfig-Item-o").setMaxAccess("readonly") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_ChannelConfig_Item_o.setStatus('mandatory') t1NetworkProfile_LineInterface_ChannelConfig_Index_o = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 2, 1, 4), Integer32()).setLabel("t1NetworkProfile-LineInterface-ChannelConfig-Index-o").setMaxAccess("readonly") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_ChannelConfig_Index_o.setStatus('mandatory') t1NetworkProfile_LineInterface_ChannelConfig_ChannelUsage = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 2, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("unusedChannel", 1), ("switchedChannel", 2), ("nailed64Channel", 3), ("dChannel", 4), ("nfasPrimaryDChannel", 5), ("nfasSecondaryDChannel", 6), ("semiPermChannel", 7), ("ss7SignalingChannel", 8)))).setLabel("t1NetworkProfile-LineInterface-ChannelConfig-ChannelUsage").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_ChannelConfig_ChannelUsage.setStatus('mandatory') t1NetworkProfile_LineInterface_ChannelConfig_TrunkGroup = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 2, 1, 6), Integer32()).setLabel("t1NetworkProfile-LineInterface-ChannelConfig-TrunkGroup").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_ChannelConfig_TrunkGroup.setStatus('mandatory') t1NetworkProfile_LineInterface_ChannelConfig_PhoneNumber = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 2, 1, 7), DisplayString()).setLabel("t1NetworkProfile-LineInterface-ChannelConfig-PhoneNumber").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_ChannelConfig_PhoneNumber.setStatus('mandatory') t1NetworkProfile_LineInterface_ChannelConfig_RoutePort_SlotNumber_SlotNumber = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 2, 1, 8), Integer32()).setLabel("t1NetworkProfile-LineInterface-ChannelConfig-RoutePort-SlotNumber-SlotNumber").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_ChannelConfig_RoutePort_SlotNumber_SlotNumber.setStatus('mandatory') t1NetworkProfile_LineInterface_ChannelConfig_RoutePort_SlotNumber_ShelfNumber = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 2, 1, 9), Integer32()).setLabel("t1NetworkProfile-LineInterface-ChannelConfig-RoutePort-SlotNumber-ShelfNumber").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_ChannelConfig_RoutePort_SlotNumber_ShelfNumber.setStatus('mandatory') t1NetworkProfile_LineInterface_ChannelConfig_RoutePort_RelativePortNumber_RelativePortNumber = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 2, 1, 10), Integer32()).setLabel("t1NetworkProfile-LineInterface-ChannelConfig-RoutePort-RelativePortNumber-RelativePortNumber").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_ChannelConfig_RoutePort_RelativePortNumber_RelativePortNumber.setStatus('mandatory') t1NetworkProfile_LineInterface_ChannelConfig_NailedGroup = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 2, 1, 14), Integer32()).setLabel("t1NetworkProfile-LineInterface-ChannelConfig-NailedGroup").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_ChannelConfig_NailedGroup.setStatus('mandatory') t1NetworkProfile_LineInterface_ChannelConfig_ChanGroup = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 2, 1, 15), Integer32()).setLabel("t1NetworkProfile-LineInterface-ChannelConfig-ChanGroup").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_ChannelConfig_ChanGroup.setStatus('mandatory') t1NetworkProfile_LineInterface_ChannelConfig_DestChanGroup = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 2, 1, 16), Integer32()).setLabel("t1NetworkProfile-LineInterface-ChannelConfig-DestChanGroup").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_ChannelConfig_DestChanGroup.setStatus('mandatory') t1NetworkProfile_LineInterface_ChannelConfig_DialPlanNumber = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 2, 1, 17), Integer32()).setLabel("t1NetworkProfile-LineInterface-ChannelConfig-DialPlanNumber").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_ChannelConfig_DialPlanNumber.setStatus('mandatory') t1NetworkProfile_LineInterface_ChannelConfig_NumberOfDialPlanSelectDigits = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 2, 1, 18), Integer32()).setLabel("t1NetworkProfile-LineInterface-ChannelConfig-NumberOfDialPlanSelectDigits").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_ChannelConfig_NumberOfDialPlanSelectDigits.setStatus('mandatory') t1NetworkProfile_LineInterface_ChannelConfig_IdlePattern = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 2, 1, 19), Integer32()).setLabel("t1NetworkProfile-LineInterface-ChannelConfig-IdlePattern").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_ChannelConfig_IdlePattern.setStatus('mandatory') mibt1NetworkProfileV1Table = MibTable((1, 3, 6, 1, 4, 1, 529, 23, 126, 1), ) if mibBuilder.loadTexts: mibt1NetworkProfileV1Table.setStatus('mandatory') mibt1NetworkProfileV1Entry = MibTableRow((1, 3, 6, 1, 4, 1, 529, 23, 126, 1, 1), ).setIndexNames((0, "ASCEND-MIBT1NET-MIB", "t1NetworkProfileV1-Name")) if mibBuilder.loadTexts: mibt1NetworkProfileV1Entry.setStatus('mandatory') t1NetworkProfileV1_ProfileNumber = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 1, 1, 1), Integer32()).setLabel("t1NetworkProfileV1-ProfileNumber").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_ProfileNumber.setStatus('mandatory') t1NetworkProfileV1_Name = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 1, 1, 2), DisplayString()).setLabel("t1NetworkProfileV1-Name").setMaxAccess("readonly") if mibBuilder.loadTexts: t1NetworkProfileV1_Name.setStatus('mandatory') t1NetworkProfileV1_PhysicalAddress_Shelf = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=NamedValues(("anyShelf", 1), ("shelf1", 2), ("shelf2", 3), ("shelf3", 4), ("shelf4", 5), ("shelf5", 6), ("shelf6", 7), ("shelf7", 8), ("shelf8", 9), ("shelf9", 10)))).setLabel("t1NetworkProfileV1-PhysicalAddress-Shelf").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_PhysicalAddress_Shelf.setStatus('mandatory') t1NetworkProfileV1_PhysicalAddress_Slot = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 55, 56, 57, 58, 49, 50, 42, 53, 54, 45, 46, 51, 59))).clone(namedValues=NamedValues(("anySlot", 1), ("slot1", 2), ("slot2", 3), ("slot3", 4), ("slot4", 5), ("slot5", 6), ("slot6", 7), ("slot7", 8), ("slot8", 9), ("slot9", 10), ("slot10", 11), ("slot11", 12), ("slot12", 13), ("slot13", 14), ("slot14", 15), ("slot15", 16), ("slot16", 17), ("slot17", 18), ("slot18", 19), ("slot19", 20), ("slot20", 21), ("slot21", 22), ("slot22", 23), ("slot23", 24), ("slot24", 25), ("slot25", 26), ("slot26", 27), ("slot27", 28), ("slot28", 29), ("slot29", 30), ("slot30", 31), ("slot31", 32), ("slot32", 33), ("slot33", 34), ("slot34", 35), ("slot35", 36), ("slot36", 37), ("slot37", 38), ("slot38", 39), ("slot39", 40), ("slot40", 41), ("aLim", 55), ("bLim", 56), ("cLim", 57), ("dLim", 58), ("leftController", 49), ("rightController", 50), ("controller", 42), ("firstControlModule", 53), ("secondControlModule", 54), ("trunkModule1", 45), ("trunkModule2", 46), ("controlModule", 51), ("slotPrimary", 59)))).setLabel("t1NetworkProfileV1-PhysicalAddress-Slot").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_PhysicalAddress_Slot.setStatus('mandatory') t1NetworkProfileV1_PhysicalAddress_ItemNumber = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 1, 1, 5), Integer32()).setLabel("t1NetworkProfileV1-PhysicalAddress-ItemNumber").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_PhysicalAddress_ItemNumber.setStatus('mandatory') t1NetworkProfileV1_BackToBack = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 1, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("false", 1), ("true", 2)))).setLabel("t1NetworkProfileV1-BackToBack").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_BackToBack.setStatus('mandatory') t1NetworkProfileV1_PrimaryChannelUsage = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 1, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("lineUnavailable", 1), ("lineDisable", 2), ("t1LineQuiesce", 3), ("dropAndInsert", 4), ("dualNetworkInterface", 5), ("tOnlineUsrInterface", 6), ("tOnlineZgrInterface", 7)))).setLabel("t1NetworkProfileV1-PrimaryChannelUsage").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_PrimaryChannelUsage.setStatus('mandatory') t1NetworkProfileV1_SecondaryChannelUsage = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 1, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("lineUnavailable", 1), ("lineDisable", 2), ("t1LineQuiesce", 3), ("dropAndInsert", 4), ("dualNetworkInterface", 5), ("tOnlineUsrInterface", 6), ("tOnlineZgrInterface", 7)))).setLabel("t1NetworkProfileV1-SecondaryChannelUsage").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_SecondaryChannelUsage.setStatus('mandatory') t1NetworkProfileV1_TertiaryChannelUsage = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 1, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("lineUnavailable", 1), ("lineDisable", 2), ("t1LineQuiesce", 3), ("dropAndInsert", 4), ("dualNetworkInterface", 5), ("tOnlineUsrInterface", 6), ("tOnlineZgrInterface", 7)))).setLabel("t1NetworkProfileV1-TertiaryChannelUsage").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_TertiaryChannelUsage.setStatus('mandatory') t1NetworkProfileV1_Action_o = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 1, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("noAction", 1), ("createProfile", 2), ("deleteProfile", 3)))).setLabel("t1NetworkProfileV1-Action-o").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_Action_o.setStatus('mandatory') mibt1NetworkProfileV1_LineInterfaceTable = MibTable((1, 3, 6, 1, 4, 1, 529, 23, 126, 2), ).setLabel("mibt1NetworkProfileV1-LineInterfaceTable") if mibBuilder.loadTexts: mibt1NetworkProfileV1_LineInterfaceTable.setStatus('mandatory') mibt1NetworkProfileV1_LineInterfaceEntry = MibTableRow((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1), ).setLabel("mibt1NetworkProfileV1-LineInterfaceEntry").setIndexNames((0, "ASCEND-MIBT1NET-MIB", "t1NetworkProfileV1-LineInterface-Name"), (0, "ASCEND-MIBT1NET-MIB", "t1NetworkProfileV1-LineInterface-Index-o")) if mibBuilder.loadTexts: mibt1NetworkProfileV1_LineInterfaceEntry.setStatus('mandatory') t1NetworkProfileV1_LineInterface_Name = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 1), DisplayString()).setLabel("t1NetworkProfileV1-LineInterface-Name").setMaxAccess("readonly") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_Name.setStatus('mandatory') t1NetworkProfileV1_LineInterface_Index_o = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 2), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-Index-o").setMaxAccess("readonly") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_Index_o.setStatus('mandatory') t1NetworkProfileV1_LineInterface_Enabled = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("t1NetworkProfileV1-LineInterface-Enabled").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_Enabled.setStatus('mandatory') t1NetworkProfileV1_LineInterface_TOnlineType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("none", 1), ("nt", 2), ("te", 3), ("numberOfTonline", 4)))).setLabel("t1NetworkProfileV1-LineInterface-TOnlineType").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_TOnlineType.setStatus('mandatory') t1NetworkProfileV1_LineInterface_FrameType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("d4", 1), ("esf", 2), ("g703", 3), ("n-2ds", 4)))).setLabel("t1NetworkProfileV1-LineInterface-FrameType").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_FrameType.setStatus('mandatory') t1NetworkProfileV1_LineInterface_Encoding = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("ami", 1), ("b8zs", 2), ("hdb3", 3), ("none", 4)))).setLabel("t1NetworkProfileV1-LineInterface-Encoding").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_Encoding.setStatus('mandatory') t1NetworkProfileV1_LineInterface_ClockSource = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("eligible", 1), ("notEligible", 2)))).setLabel("t1NetworkProfileV1-LineInterface-ClockSource").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_ClockSource.setStatus('mandatory') t1NetworkProfileV1_LineInterface_ClockPriority = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(2, 3, 4))).clone(namedValues=NamedValues(("highPriority", 2), ("middlePriority", 3), ("lowPriority", 4)))).setLabel("t1NetworkProfileV1-LineInterface-ClockPriority").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_ClockPriority.setStatus('mandatory') t1NetworkProfileV1_LineInterface_SignalingMode = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 5, 6, 7, 8, 9, 10, 11, 13, 14, 15, 16, 17, 19, 20, 21, 22, 23, 24, 25, 27, 28, 29, 30, 31, 32, 33, 34))).clone(namedValues=NamedValues(("inband", 1), ("isdn", 2), ("isdnNfas", 3), ("e1R2Signaling", 5), ("e1KoreanSignaling", 6), ("e1P7Signaling", 7), ("e1ChineseSignaling", 8), ("e1MeteredSignaling", 9), ("e1NoSignaling", 10), ("e1DpnssSignaling", 11), ("e1ArgentinaSignaling", 13), ("e1BrazilSignaling", 14), ("e1PhilippineSignaling", 15), ("e1IndianSignaling", 16), ("e1CzechSignaling", 17), ("e1MalaysiaSignaling", 19), ("e1NewZealandSignaling", 20), ("e1IsraelSignaling", 21), ("e1ThailandSignaling", 22), ("e1KuwaitSignaling", 23), ("e1MexicoSignaling", 24), ("dtmfR2Signaling", 25), ("tunneledPriSignaling", 27), ("inbandFgdInFgdOut", 28), ("inbandFgdInFgcOut", 29), ("inbandFgcInFgcOut", 30), ("inbandFgcInFgdOut", 31), ("e1VietnamSignaling", 32), ("ss7SigTrunk", 33), ("h248DataTrunk", 34)))).setLabel("t1NetworkProfileV1-LineInterface-SignalingMode").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_SignalingMode.setStatus('mandatory') t1NetworkProfileV1_LineInterface_IsdnEmulationSide = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("te", 1), ("nt", 2)))).setLabel("t1NetworkProfileV1-LineInterface-IsdnEmulationSide").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_IsdnEmulationSide.setStatus('mandatory') t1NetworkProfileV1_LineInterface_RobbedBitMode = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("winkStart", 1), ("idleStart", 2), ("incW200", 3), ("incW400", 4), ("loopStart", 5), ("groundStart", 6)))).setLabel("t1NetworkProfileV1-LineInterface-RobbedBitMode").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_RobbedBitMode.setStatus('mandatory') t1NetworkProfileV1_LineInterface_DefaultCallType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("digital", 1), ("voice", 2), ("dnisOrVoice", 3), ("dnisOrDigital", 4), ("voip", 5), ("dnisOrVoip", 6)))).setLabel("t1NetworkProfileV1-LineInterface-DefaultCallType").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_DefaultCallType.setStatus('mandatory') t1NetworkProfileV1_LineInterface_SwitchType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 31, 11, 12, 13, 14, 32, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30))).clone(namedValues=NamedValues(("attPri", 1), ("ntiPri", 2), ("globandPri", 3), ("japanPri", 4), ("vn3Pri", 5), ("onetr6Pri", 6), ("net5Pri", 7), ("danishPri", 8), ("australPri", 9), ("natIsdn2Pri", 10), ("taiwanPri", 31), ("isdxDpnss", 11), ("islxDpnss", 12), ("mercuryDpnss", 13), ("dass2", 14), ("btSs7", 32), ("unknownBri", 15), ("att5essBri", 16), ("dms100Nt1Bri", 17), ("nisdn1Bri", 18), ("vn2Bri", 19), ("btnr191Bri", 20), ("net3Bri", 21), ("ptpNet3Bri", 22), ("kddBri", 23), ("belgianBri", 24), ("australBri", 25), ("swissBri", 26), ("german1tr6Bri", 27), ("dutch1tr6Bri", 28), ("switchCas", 29), ("idslPtpBri", 30)))).setLabel("t1NetworkProfileV1-LineInterface-SwitchType").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_SwitchType.setStatus('mandatory') t1NetworkProfileV1_LineInterface_NfasGroupId = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 14), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-NfasGroupId").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_NfasGroupId.setStatus('mandatory') t1NetworkProfileV1_LineInterface_NfasId = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 15), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-NfasId").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_NfasId.setStatus('mandatory') t1NetworkProfileV1_LineInterface_IncomingCallHandling = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("rejectAll", 1), ("internalProcessing", 2), ("ss7GatewayProcessing", 3)))).setLabel("t1NetworkProfileV1-LineInterface-IncomingCallHandling").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_IncomingCallHandling.setStatus('mandatory') t1NetworkProfileV1_LineInterface_DeleteDigits = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 17), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-DeleteDigits").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_DeleteDigits.setStatus('mandatory') t1NetworkProfileV1_LineInterface_AddDigitString = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 18), DisplayString()).setLabel("t1NetworkProfileV1-LineInterface-AddDigitString").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_AddDigitString.setStatus('mandatory') t1NetworkProfileV1_LineInterface_CallByCall = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 19), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-CallByCall").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_CallByCall.setStatus('mandatory') t1NetworkProfileV1_LineInterface_NetworkSpecificFacilities = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 79), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-NetworkSpecificFacilities").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_NetworkSpecificFacilities.setStatus('mandatory') t1NetworkProfileV1_LineInterface_PbxAnswerNumber = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 20), DisplayString()).setLabel("t1NetworkProfileV1-LineInterface-PbxAnswerNumber").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_PbxAnswerNumber.setStatus('mandatory') t1NetworkProfileV1_LineInterface_AnswerService = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 39, 40, 41, 42, 43, 44, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 61, 62, 63, 64, 65, 66, 67, 68, 70, 71, 72, 73, 74, 75, 76, 77, 78, 79, 80, 81, 82, 83, 255, 263))).clone(namedValues=NamedValues(("voice", 1), ("n-56kRestricted", 2), ("n-64kClear", 3), ("n-64kRestricted", 4), ("n-56kClear", 5), ("n-384kRestricted", 6), ("n-384kClear", 7), ("n-1536kClear", 8), ("n-1536kRestricted", 9), ("n-128kClear", 10), ("n-192kClear", 11), ("n-256kClear", 12), ("n-320kClear", 13), ("dws384Clear", 14), ("n-448Clear", 15), ("n-512Clear", 16), ("n-576Clear", 17), ("n-640Clear", 18), ("n-704Clear", 19), ("n-768Clear", 20), ("n-832Clear", 21), ("n-896Clear", 22), ("n-960Clear", 23), ("n-1024Clear", 24), ("n-1088Clear", 25), ("n-1152Clear", 26), ("n-1216Clear", 27), ("n-1280Clear", 28), ("n-1344Clear", 29), ("n-1408Clear", 30), ("n-1472Clear", 31), ("n-1600Clear", 32), ("n-1664Clear", 33), ("n-1728Clear", 34), ("n-1792Clear", 35), ("n-1856Clear", 36), ("n-1920Clear", 37), ("x30RestrictedBearer", 39), ("v110ClearBearer", 40), ("n-64kX30Restricted", 41), ("n-56kV110Clear", 42), ("modem", 43), ("atmodem", 44), ("n-2456kV110", 46), ("n-4856kV110", 47), ("n-9656kV110", 48), ("n-19256kV110", 49), ("n-38456kV110", 50), ("n-2456krV110", 51), ("n-4856krV110", 52), ("n-9656krV110", 53), ("n-19256krV110", 54), ("n-38456krV110", 55), ("n-2464kV110", 56), ("n-4864kV110", 57), ("n-9664kV110", 58), ("n-19264kV110", 59), ("n-38464kV110", 60), ("n-2464krV110", 61), ("n-4864krV110", 62), ("n-9664krV110", 63), ("n-19264krV110", 64), ("n-38464krV110", 65), ("v32", 66), ("phs64k", 67), ("voiceOverIp", 68), ("atmSvc", 70), ("frameRelaySvc", 71), ("vpnTunnel", 72), ("wormarq", 73), ("n-14456kV110", 74), ("n-28856kV110", 75), ("n-14456krV110", 76), ("n-28856krV110", 77), ("n-14464kV110", 78), ("n-28864kV110", 79), ("n-14464krV110", 80), ("n-28864krV110", 81), ("modem31khzAudio", 82), ("x25Svc", 83), ("n-144kClear", 255), ("iptoip", 263)))).setLabel("t1NetworkProfileV1-LineInterface-AnswerService").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_AnswerService.setStatus('mandatory') t1NetworkProfileV1_LineInterface_oPBXType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 22), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("hostPbxVoice", 1), ("hostPbxData", 2), ("hostPbxLeasedData", 3), ("hostPbxLeased11", 4)))).setLabel("t1NetworkProfileV1-LineInterface-oPBXType").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_oPBXType.setStatus('mandatory') t1NetworkProfileV1_LineInterface_DataSense = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 23), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("normal", 1), ("inv", 2)))).setLabel("t1NetworkProfileV1-LineInterface-DataSense").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_DataSense.setStatus('mandatory') t1NetworkProfileV1_LineInterface_IdleMode = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 24), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("markIdle", 1), ("flagIdle", 2)))).setLabel("t1NetworkProfileV1-LineInterface-IdleMode").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_IdleMode.setStatus('mandatory') t1NetworkProfileV1_LineInterface_oFDL = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 25), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("none", 1), ("atNT", 2), ("ansi", 3), ("sprint", 4)))).setLabel("t1NetworkProfileV1-LineInterface-oFDL").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_oFDL.setStatus('mandatory') t1NetworkProfileV1_LineInterface_FrontEndType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 26), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("csu", 1), ("dsx", 2)))).setLabel("t1NetworkProfileV1-LineInterface-FrontEndType").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_FrontEndType.setStatus('mandatory') t1NetworkProfileV1_LineInterface_oDSXLineLength = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 27), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("n-1133", 1), ("n-134266", 2), ("n-267399", 3), ("n-400533", 4), ("n-534655", 5)))).setLabel("t1NetworkProfileV1-LineInterface-oDSXLineLength").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_oDSXLineLength.setStatus('mandatory') t1NetworkProfileV1_LineInterface_oCSUBuildOut = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 28), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("n-0Db", 1), ("n-75Db", 2), ("n-15Db", 3), ("n-2255Db", 4)))).setLabel("t1NetworkProfileV1-LineInterface-oCSUBuildOut").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_oCSUBuildOut.setStatus('mandatory') t1NetworkProfileV1_LineInterface_OverlapReceiving = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 29), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("t1NetworkProfileV1-LineInterface-OverlapReceiving").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_OverlapReceiving.setStatus('mandatory') t1NetworkProfileV1_LineInterface_PriPrefixNumber = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 30), DisplayString()).setLabel("t1NetworkProfileV1-LineInterface-PriPrefixNumber").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_PriPrefixNumber.setStatus('mandatory') t1NetworkProfileV1_LineInterface_TrailingDigits = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 31), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-TrailingDigits").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_TrailingDigits.setStatus('mandatory') t1NetworkProfileV1_LineInterface_T302Timer = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 32), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-T302Timer").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_T302Timer.setStatus('mandatory') t1NetworkProfileV1_LineInterface_Layer3End = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 33), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("false", 1), ("true", 2)))).setLabel("t1NetworkProfileV1-LineInterface-Layer3End").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_Layer3End.setStatus('mandatory') t1NetworkProfileV1_LineInterface_Layer2End = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 34), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("false", 1), ("true", 2)))).setLabel("t1NetworkProfileV1-LineInterface-Layer2End").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_Layer2End.setStatus('mandatory') t1NetworkProfileV1_LineInterface_NlValue = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 35), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-NlValue").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_NlValue.setStatus('mandatory') t1NetworkProfileV1_LineInterface_LoopAvoidance = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 36), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-LoopAvoidance").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_LoopAvoidance.setStatus('mandatory') t1NetworkProfileV1_LineInterface_MaintenanceState = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 37), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("t1NetworkProfileV1-LineInterface-MaintenanceState").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_MaintenanceState.setStatus('mandatory') t1NetworkProfileV1_LineInterface_NumberComplete = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 38), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18))).clone(namedValues=NamedValues(("n-1Digits", 1), ("n-2Digits", 2), ("n-3Digits", 3), ("n-4Digits", 4), ("n-5Digits", 5), ("n-6Digits", 6), ("n-7Digits", 7), ("n-8Digits", 8), ("n-9Digits", 9), ("n-10Digits", 10), ("endOfPulsing", 11), ("n-0Digits", 12), ("n-11Digits", 13), ("n-12Digits", 14), ("n-13Digits", 15), ("n-14Digits", 16), ("n-15Digits", 17), ("timeOut", 18)))).setLabel("t1NetworkProfileV1-LineInterface-NumberComplete").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_NumberComplete.setStatus('mandatory') t1NetworkProfileV1_LineInterface_GroupBAnswerSignal = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 39), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15))).clone(namedValues=NamedValues(("signalB1", 1), ("signalB2", 2), ("signalB3", 3), ("signalB4", 4), ("signalB5", 5), ("signalB6", 6), ("signalB7", 7), ("signalB8", 8), ("signalB9", 9), ("signalB10", 10), ("signalB11", 11), ("signalB12", 12), ("signalB13", 13), ("signalB14", 14), ("signalB15", 15)))).setLabel("t1NetworkProfileV1-LineInterface-GroupBAnswerSignal").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_GroupBAnswerSignal.setStatus('mandatory') t1NetworkProfileV1_LineInterface_GroupBBusySignal = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 40), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15))).clone(namedValues=NamedValues(("signalB1", 1), ("signalB2", 2), ("signalB3", 3), ("signalB4", 4), ("signalB5", 5), ("signalB6", 6), ("signalB7", 7), ("signalB8", 8), ("signalB9", 9), ("signalB10", 10), ("signalB11", 11), ("signalB12", 12), ("signalB13", 13), ("signalB14", 14), ("signalB15", 15)))).setLabel("t1NetworkProfileV1-LineInterface-GroupBBusySignal").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_GroupBBusySignal.setStatus('mandatory') t1NetworkProfileV1_LineInterface_GroupBNoMatchSignal = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 41), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15))).clone(namedValues=NamedValues(("signalB1", 1), ("signalB2", 2), ("signalB3", 3), ("signalB4", 4), ("signalB5", 5), ("signalB6", 6), ("signalB7", 7), ("signalB8", 8), ("signalB9", 9), ("signalB10", 10), ("signalB11", 11), ("signalB12", 12), ("signalB13", 13), ("signalB14", 14), ("signalB15", 15)))).setLabel("t1NetworkProfileV1-LineInterface-GroupBNoMatchSignal").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_GroupBNoMatchSignal.setStatus('mandatory') t1NetworkProfileV1_LineInterface_GroupBCollectSignal = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 42), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15))).clone(namedValues=NamedValues(("signalB1", 1), ("signalB2", 2), ("signalB3", 3), ("signalB4", 4), ("signalB5", 5), ("signalB6", 6), ("signalB7", 7), ("signalB8", 8), ("signalB9", 9), ("signalB10", 10), ("signalB11", 11), ("signalB12", 12), ("signalB13", 13), ("signalB14", 14), ("signalB15", 15)))).setLabel("t1NetworkProfileV1-LineInterface-GroupBCollectSignal").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_GroupBCollectSignal.setStatus('mandatory') t1NetworkProfileV1_LineInterface_GroupBNoChargeSignal = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 74), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15))).clone(namedValues=NamedValues(("signalB1", 1), ("signalB2", 2), ("signalB3", 3), ("signalB4", 4), ("signalB5", 5), ("signalB6", 6), ("signalB7", 7), ("signalB8", 8), ("signalB9", 9), ("signalB10", 10), ("signalB11", 11), ("signalB12", 12), ("signalB13", 13), ("signalB14", 14), ("signalB15", 15)))).setLabel("t1NetworkProfileV1-LineInterface-GroupBNoChargeSignal").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_GroupBNoChargeSignal.setStatus('mandatory') t1NetworkProfileV1_LineInterface_GroupIiSignal = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 43), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15))).clone(namedValues=NamedValues(("signalIi1", 1), ("signalIi2", 2), ("signalIi3", 3), ("signalIi4", 4), ("signalIi5", 5), ("signalIi6", 6), ("signalIi7", 7), ("signalIi8", 8), ("signalIi9", 9), ("signalIi10", 10), ("signalIi11", 11), ("signalIi12", 12), ("signalIi13", 13), ("signalIi14", 14), ("signalIi15", 15)))).setLabel("t1NetworkProfileV1-LineInterface-GroupIiSignal").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_GroupIiSignal.setStatus('mandatory') t1NetworkProfileV1_LineInterface_InputSampleCount = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 44), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("oneSample", 1), ("twoSamples", 2)))).setLabel("t1NetworkProfileV1-LineInterface-InputSampleCount").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_InputSampleCount.setStatus('mandatory') t1NetworkProfileV1_LineInterface_AnswerDelay = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 45), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-AnswerDelay").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_AnswerDelay.setStatus('mandatory') t1NetworkProfileV1_LineInterface_CallerId = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 46), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("noCallerId", 1), ("getCallerId", 2)))).setLabel("t1NetworkProfileV1-LineInterface-CallerId").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_CallerId.setStatus('mandatory') t1NetworkProfileV1_LineInterface_LineSignaling = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 47), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("abBitsLineSignaling", 1), ("aBitOnly0EqualBBit", 2), ("aBitOnly1EqualBBit", 3)))).setLabel("t1NetworkProfileV1-LineInterface-LineSignaling").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_LineSignaling.setStatus('mandatory') t1NetworkProfileV1_LineInterface_Timer1CollectCall = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 48), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-Timer1CollectCall").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_Timer1CollectCall.setStatus('mandatory') t1NetworkProfileV1_LineInterface_Timer2CollectCall = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 49), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-Timer2CollectCall").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_Timer2CollectCall.setStatus('mandatory') t1NetworkProfileV1_LineInterface_SendDiscVal = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 50), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-SendDiscVal").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_SendDiscVal.setStatus('mandatory') t1NetworkProfileV1_LineInterface_HuntGrpPhoneNumber1 = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 51), DisplayString()).setLabel("t1NetworkProfileV1-LineInterface-HuntGrpPhoneNumber1").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_HuntGrpPhoneNumber1.setStatus('mandatory') t1NetworkProfileV1_LineInterface_HuntGrpPhoneNumber2 = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 52), DisplayString()).setLabel("t1NetworkProfileV1-LineInterface-HuntGrpPhoneNumber2").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_HuntGrpPhoneNumber2.setStatus('mandatory') t1NetworkProfileV1_LineInterface_HuntGrpPhoneNumber3 = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 53), DisplayString()).setLabel("t1NetworkProfileV1-LineInterface-HuntGrpPhoneNumber3").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_HuntGrpPhoneNumber3.setStatus('mandatory') t1NetworkProfileV1_LineInterface_PriTypeOfNumber = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 54), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-PriTypeOfNumber").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_PriTypeOfNumber.setStatus('mandatory') t1NetworkProfileV1_LineInterface_PriNumberingPlanId = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 55), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-PriNumberingPlanId").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_PriNumberingPlanId.setStatus('mandatory') t1NetworkProfileV1_LineInterface_SuperFrameSrcLineNumber = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 56), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-SuperFrameSrcLineNumber").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_SuperFrameSrcLineNumber.setStatus('mandatory') t1NetworkProfileV1_LineInterface_CollectIncomingDigits = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 57), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("t1NetworkProfileV1-LineInterface-CollectIncomingDigits").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_CollectIncomingDigits.setStatus('mandatory') t1NetworkProfileV1_LineInterface_T1InterDigitTimeout = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 58), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-T1InterDigitTimeout").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_T1InterDigitTimeout.setStatus('mandatory') t1NetworkProfileV1_LineInterface_R1UseAnir = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 59), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("t1NetworkProfileV1-LineInterface-R1UseAnir").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_R1UseAnir.setStatus('mandatory') t1NetworkProfileV1_LineInterface_R1FirstDigitTimer = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 60), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-R1FirstDigitTimer").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_R1FirstDigitTimer.setStatus('mandatory') t1NetworkProfileV1_LineInterface_R1AnirDelay = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 61), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-R1AnirDelay").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_R1AnirDelay.setStatus('mandatory') t1NetworkProfileV1_LineInterface_R1AnirTimer = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 62), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-R1AnirTimer").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_R1AnirTimer.setStatus('mandatory') t1NetworkProfileV1_LineInterface_R1Modified = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 63), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("t1NetworkProfileV1-LineInterface-R1Modified").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_R1Modified.setStatus('mandatory') t1NetworkProfileV1_LineInterface_FirstDs0 = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 64), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-FirstDs0").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_FirstDs0.setStatus('mandatory') t1NetworkProfileV1_LineInterface_LastDs0 = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 65), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-LastDs0").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_LastDs0.setStatus('mandatory') t1NetworkProfileV1_LineInterface_NailedGroup = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 66), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-NailedGroup").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_NailedGroup.setStatus('mandatory') t1NetworkProfileV1_LineInterface_Ss7Continuity_IncomingProcedure = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 67), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(2, 3))).clone(namedValues=NamedValues(("loopback", 2), ("transponder", 3)))).setLabel("t1NetworkProfileV1-LineInterface-Ss7Continuity-IncomingProcedure").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_Ss7Continuity_IncomingProcedure.setStatus('mandatory') t1NetworkProfileV1_LineInterface_Ss7Continuity_OutgoingProcedure = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 68), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("singleTone2010", 2), ("send2010Expect1780", 3), ("send1780Expect2010", 4), ("singleTone2000", 5), ("send2000Expect1780", 6), ("send1780Expect2000", 7)))).setLabel("t1NetworkProfileV1-LineInterface-Ss7Continuity-OutgoingProcedure").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_Ss7Continuity_OutgoingProcedure.setStatus('mandatory') t1NetworkProfileV1_LineInterface_LineProvision = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 69), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("lineProvisionNone", 1), ("lineProvisionH0", 2), ("lineProvisionH11", 3), ("lineProvisionH0H11", 4), ("lineProvisionH12", 5), ("lineProvisionH0H12", 6), ("lineProvisionH11H12", 7), ("lineProvisionH0H11H12", 8)))).setLabel("t1NetworkProfileV1-LineInterface-LineProvision").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_LineProvision.setStatus('mandatory') t1NetworkProfileV1_LineInterface_Gr303Mode = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 70), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("gr303Disabled", 1), ("gr3035essPri", 2), ("gr303DmsPri", 3), ("gr303Secondary", 4), ("gr303Normal", 5)))).setLabel("t1NetworkProfileV1-LineInterface-Gr303Mode").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_Gr303Mode.setStatus('mandatory') t1NetworkProfileV1_LineInterface_Gr303GroupId = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 71), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-Gr303GroupId").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_Gr303GroupId.setStatus('mandatory') t1NetworkProfileV1_LineInterface_Gr303Ds1Id = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 72), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-Gr303Ds1Id").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_Gr303Ds1Id.setStatus('mandatory') t1NetworkProfileV1_LineInterface_SwitchVersion = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 73), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("switchVersionGeneric", 1), ("switchVersionDefinityG3v4", 2)))).setLabel("t1NetworkProfileV1-LineInterface-SwitchVersion").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_SwitchVersion.setStatus('mandatory') t1NetworkProfileV1_LineInterface_DownTransDelay = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 76), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-DownTransDelay").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_DownTransDelay.setStatus('mandatory') t1NetworkProfileV1_LineInterface_UpTransDelay = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 77), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-UpTransDelay").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_UpTransDelay.setStatus('mandatory') t1NetworkProfileV1_LineInterface_StatusChangeTrapEnable = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 75), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("t1NetworkProfileV1-LineInterface-StatusChangeTrapEnable").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_StatusChangeTrapEnable.setStatus('mandatory') t1NetworkProfileV1_LineInterface_CauseCodeVerificationEnable = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 80), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("t1NetworkProfileV1-LineInterface-CauseCodeVerificationEnable").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_CauseCodeVerificationEnable.setStatus('mandatory') mibt1NetworkProfileV1_LineInterface_ChannelConfigTable = MibTable((1, 3, 6, 1, 4, 1, 529, 23, 126, 3), ).setLabel("mibt1NetworkProfileV1-LineInterface-ChannelConfigTable") if mibBuilder.loadTexts: mibt1NetworkProfileV1_LineInterface_ChannelConfigTable.setStatus('mandatory') mibt1NetworkProfileV1_LineInterface_ChannelConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 529, 23, 126, 3, 1), ).setLabel("mibt1NetworkProfileV1-LineInterface-ChannelConfigEntry").setIndexNames((0, "ASCEND-MIBT1NET-MIB", "t1NetworkProfileV1-LineInterface-ChannelConfig-Name"), (0, "ASCEND-MIBT1NET-MIB", "t1NetworkProfileV1-LineInterface-ChannelConfig-Index-o"), (0, "ASCEND-MIBT1NET-MIB", "t1NetworkProfileV1-LineInterface-ChannelConfig-Index1-o")) if mibBuilder.loadTexts: mibt1NetworkProfileV1_LineInterface_ChannelConfigEntry.setStatus('mandatory') t1NetworkProfileV1_LineInterface_ChannelConfig_Name = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 3, 1, 1), DisplayString()).setLabel("t1NetworkProfileV1-LineInterface-ChannelConfig-Name").setMaxAccess("readonly") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_ChannelConfig_Name.setStatus('mandatory') t1NetworkProfileV1_LineInterface_ChannelConfig_Index_o = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 3, 1, 2), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-ChannelConfig-Index-o").setMaxAccess("readonly") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_ChannelConfig_Index_o.setStatus('mandatory') t1NetworkProfileV1_LineInterface_ChannelConfig_Index1_o = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 3, 1, 3), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-ChannelConfig-Index1-o").setMaxAccess("readonly") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_ChannelConfig_Index1_o.setStatus('mandatory') t1NetworkProfileV1_LineInterface_ChannelConfig_ChannelUsage = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 3, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("unusedChannel", 1), ("switchedChannel", 2), ("nailed64Channel", 3), ("dChannel", 4), ("nfasPrimaryDChannel", 5), ("nfasSecondaryDChannel", 6), ("semiPermChannel", 7), ("ss7SignalingChannel", 8)))).setLabel("t1NetworkProfileV1-LineInterface-ChannelConfig-ChannelUsage").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_ChannelConfig_ChannelUsage.setStatus('mandatory') t1NetworkProfileV1_LineInterface_ChannelConfig_TrunkGroup = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 3, 1, 5), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-ChannelConfig-TrunkGroup").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_ChannelConfig_TrunkGroup.setStatus('mandatory') t1NetworkProfileV1_LineInterface_ChannelConfig_PhoneNumber = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 3, 1, 6), DisplayString()).setLabel("t1NetworkProfileV1-LineInterface-ChannelConfig-PhoneNumber").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_ChannelConfig_PhoneNumber.setStatus('mandatory') t1NetworkProfileV1_LineInterface_ChannelConfig_RoutePort_SlotNumber_SlotNumber = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 3, 1, 7), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-ChannelConfig-RoutePort-SlotNumber-SlotNumber").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_ChannelConfig_RoutePort_SlotNumber_SlotNumber.setStatus('mandatory') t1NetworkProfileV1_LineInterface_ChannelConfig_RoutePort_SlotNumber_ShelfNumber = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 3, 1, 8), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-ChannelConfig-RoutePort-SlotNumber-ShelfNumber").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_ChannelConfig_RoutePort_SlotNumber_ShelfNumber.setStatus('mandatory') t1NetworkProfileV1_LineInterface_ChannelConfig_RoutePort_RelativePortNumber_RelativePortNumber = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 3, 1, 9), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-ChannelConfig-RoutePort-RelativePortNumber-RelativePortNumber").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_ChannelConfig_RoutePort_RelativePortNumber_RelativePortNumber.setStatus('mandatory') t1NetworkProfileV1_LineInterface_ChannelConfig_NailedGroup = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 3, 1, 13), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-ChannelConfig-NailedGroup").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_ChannelConfig_NailedGroup.setStatus('mandatory') t1NetworkProfileV1_LineInterface_ChannelConfig_ChanGroup = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 3, 1, 14), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-ChannelConfig-ChanGroup").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_ChannelConfig_ChanGroup.setStatus('mandatory') t1NetworkProfileV1_LineInterface_ChannelConfig_DestChanGroup = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 3, 1, 15), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-ChannelConfig-DestChanGroup").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_ChannelConfig_DestChanGroup.setStatus('mandatory') t1NetworkProfileV1_LineInterface_ChannelConfig_DialPlanNumber = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 3, 1, 16), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-ChannelConfig-DialPlanNumber").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_ChannelConfig_DialPlanNumber.setStatus('mandatory') t1NetworkProfileV1_LineInterface_ChannelConfig_NumberOfDialPlanSelectDigits = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 3, 1, 17), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-ChannelConfig-NumberOfDialPlanSelectDigits").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_ChannelConfig_NumberOfDialPlanSelectDigits.setStatus('mandatory') t1NetworkProfileV1_LineInterface_ChannelConfig_IdlePattern = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 3, 1, 18), Integer32()).setLabel("t1NetworkProfileV1-LineInterface-ChannelConfig-IdlePattern").setMaxAccess("readwrite") if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_ChannelConfig_IdlePattern.setStatus('mandatory') mibBuilder.exportSymbols("ASCEND-MIBT1NET-MIB", t1NetworkProfile_LineInterface_NailedGroup=t1NetworkProfile_LineInterface_NailedGroup, t1NetworkProfile_LineInterface_Timer2CollectCall=t1NetworkProfile_LineInterface_Timer2CollectCall, t1NetworkProfileV1_LineInterface_MaintenanceState=t1NetworkProfileV1_LineInterface_MaintenanceState, t1NetworkProfileV1_LineInterface_StatusChangeTrapEnable=t1NetworkProfileV1_LineInterface_StatusChangeTrapEnable, t1NetworkProfileV1_LineInterface_ChannelConfig_Index1_o=t1NetworkProfileV1_LineInterface_ChannelConfig_Index1_o, t1NetworkProfileV1_LineInterface_CallerId=t1NetworkProfileV1_LineInterface_CallerId, t1NetworkProfileV1_LineInterface_ChannelConfig_NailedGroup=t1NetworkProfileV1_LineInterface_ChannelConfig_NailedGroup, t1NetworkProfile_LineInterface_DownTransDelay=t1NetworkProfile_LineInterface_DownTransDelay, t1NetworkProfileV1_LineInterface_GroupBCollectSignal=t1NetworkProfileV1_LineInterface_GroupBCollectSignal, t1NetworkProfile_Slot_o=t1NetworkProfile_Slot_o, t1NetworkProfile_LineInterface_TOnlineType=t1NetworkProfile_LineInterface_TOnlineType, mibt1NetworkProfileV1_LineInterfaceTable=mibt1NetworkProfileV1_LineInterfaceTable, t1NetworkProfileV1_LineInterface_DefaultCallType=t1NetworkProfileV1_LineInterface_DefaultCallType, t1NetworkProfileV1_LineInterface_NlValue=t1NetworkProfileV1_LineInterface_NlValue, t1NetworkProfile_LineInterface_DefaultCallType=t1NetworkProfile_LineInterface_DefaultCallType, t1NetworkProfile_LineInterface_ChannelConfig_ChannelUsage=t1NetworkProfile_LineInterface_ChannelConfig_ChannelUsage, t1NetworkProfileV1_LineInterface_oPBXType=t1NetworkProfileV1_LineInterface_oPBXType, t1NetworkProfileV1_LineInterface_Timer2CollectCall=t1NetworkProfileV1_LineInterface_Timer2CollectCall, t1NetworkProfile_LineInterface_LoopAvoidance=t1NetworkProfile_LineInterface_LoopAvoidance, t1NetworkProfileV1_LineInterface_AnswerService=t1NetworkProfileV1_LineInterface_AnswerService, t1NetworkProfileV1_LineInterface_Ss7Continuity_OutgoingProcedure=t1NetworkProfileV1_LineInterface_Ss7Continuity_OutgoingProcedure, t1NetworkProfileV1_LineInterface_Name=t1NetworkProfileV1_LineInterface_Name, t1NetworkProfileV1_LineInterface_Layer3End=t1NetworkProfileV1_LineInterface_Layer3End, t1NetworkProfile_LineInterface_InputSampleCount=t1NetworkProfile_LineInterface_InputSampleCount, t1NetworkProfile_LineInterface_GroupBBusySignal=t1NetworkProfile_LineInterface_GroupBBusySignal, t1NetworkProfile_LineInterface_T1InterDigitTimeout=t1NetworkProfile_LineInterface_T1InterDigitTimeout, t1NetworkProfileV1_LineInterface_T1InterDigitTimeout=t1NetworkProfileV1_LineInterface_T1InterDigitTimeout, t1NetworkProfile_LineInterface_T302Timer=t1NetworkProfile_LineInterface_T302Timer, t1NetworkProfileV1_LineInterface_ChannelConfig_IdlePattern=t1NetworkProfileV1_LineInterface_ChannelConfig_IdlePattern, t1NetworkProfile_LineInterface_CauseCodeVerificationEnable=t1NetworkProfile_LineInterface_CauseCodeVerificationEnable, t1NetworkProfile_LineInterface_SignalingMode=t1NetworkProfile_LineInterface_SignalingMode, t1NetworkProfileV1_LineInterface_HuntGrpPhoneNumber2=t1NetworkProfileV1_LineInterface_HuntGrpPhoneNumber2, t1NetworkProfile_LineInterface_ChannelConfig_IdlePattern=t1NetworkProfile_LineInterface_ChannelConfig_IdlePattern, t1NetworkProfileV1_Name=t1NetworkProfileV1_Name, mibt1NetworkProfileEntry=mibt1NetworkProfileEntry, t1NetworkProfile_LineInterface_NfasGroupId=t1NetworkProfile_LineInterface_NfasGroupId, t1NetworkProfileV1_LineInterface_Enabled=t1NetworkProfileV1_LineInterface_Enabled, t1NetworkProfile_LineInterface_SwitchVersion=t1NetworkProfile_LineInterface_SwitchVersion, t1NetworkProfileV1_PhysicalAddress_ItemNumber=t1NetworkProfileV1_PhysicalAddress_ItemNumber, t1NetworkProfileV1_LineInterface_R1AnirDelay=t1NetworkProfileV1_LineInterface_R1AnirDelay, t1NetworkProfileV1_ProfileNumber=t1NetworkProfileV1_ProfileNumber, t1NetworkProfileV1_LineInterface_ChannelConfig_RoutePort_RelativePortNumber_RelativePortNumber=t1NetworkProfileV1_LineInterface_ChannelConfig_RoutePort_RelativePortNumber_RelativePortNumber, t1NetworkProfile_LineInterface_ChannelConfig_Shelf_o=t1NetworkProfile_LineInterface_ChannelConfig_Shelf_o, t1NetworkProfileV1_LineInterface_DownTransDelay=t1NetworkProfileV1_LineInterface_DownTransDelay, t1NetworkProfile_LineInterface_ChannelConfig_TrunkGroup=t1NetworkProfile_LineInterface_ChannelConfig_TrunkGroup, mibt1NetworkProfileTable=mibt1NetworkProfileTable, t1NetworkProfile_LineInterface_GroupIiSignal=t1NetworkProfile_LineInterface_GroupIiSignal, t1NetworkProfileV1_LineInterface_AddDigitString=t1NetworkProfileV1_LineInterface_AddDigitString, t1NetworkProfileV1_LineInterface_ChannelConfig_Index_o=t1NetworkProfileV1_LineInterface_ChannelConfig_Index_o, t1NetworkProfile_LineInterface_Ss7Continuity_OutgoingProcedure=t1NetworkProfile_LineInterface_Ss7Continuity_OutgoingProcedure, t1NetworkProfileV1_PhysicalAddress_Shelf=t1NetworkProfileV1_PhysicalAddress_Shelf, t1NetworkProfileV1_LineInterface_R1UseAnir=t1NetworkProfileV1_LineInterface_R1UseAnir, t1NetworkProfile_LineInterface_FrontEndType=t1NetworkProfile_LineInterface_FrontEndType, t1NetworkProfile_LineInterface_StatusChangeTrapEnable=t1NetworkProfile_LineInterface_StatusChangeTrapEnable, t1NetworkProfile_LineInterface_ChannelConfig_Slot_o=t1NetworkProfile_LineInterface_ChannelConfig_Slot_o, mibt1NetworkProfile_LineInterface_ChannelConfigTable=mibt1NetworkProfile_LineInterface_ChannelConfigTable, t1NetworkProfile_PhysicalAddress_Slot=t1NetworkProfile_PhysicalAddress_Slot, t1NetworkProfileV1_LineInterface_NetworkSpecificFacilities=t1NetworkProfileV1_LineInterface_NetworkSpecificFacilities, t1NetworkProfileV1_LineInterface_R1FirstDigitTimer=t1NetworkProfileV1_LineInterface_R1FirstDigitTimer, t1NetworkProfile_LineInterface_ChannelConfig_RoutePort_SlotNumber_ShelfNumber=t1NetworkProfile_LineInterface_ChannelConfig_RoutePort_SlotNumber_ShelfNumber, t1NetworkProfileV1_LineInterface_oFDL=t1NetworkProfileV1_LineInterface_oFDL, t1NetworkProfileV1_LineInterface_InputSampleCount=t1NetworkProfileV1_LineInterface_InputSampleCount, t1NetworkProfile_LineInterface_IdleMode=t1NetworkProfile_LineInterface_IdleMode, t1NetworkProfileV1_LineInterface_Gr303Ds1Id=t1NetworkProfileV1_LineInterface_Gr303Ds1Id, t1NetworkProfile_LineInterface_ChannelConfig_DestChanGroup=t1NetworkProfile_LineInterface_ChannelConfig_DestChanGroup, t1NetworkProfileV1_LineInterface_LastDs0=t1NetworkProfileV1_LineInterface_LastDs0, t1NetworkProfileV1_LineInterface_ChannelConfig_Name=t1NetworkProfileV1_LineInterface_ChannelConfig_Name, t1NetworkProfileV1_LineInterface_Ss7Continuity_IncomingProcedure=t1NetworkProfileV1_LineInterface_Ss7Continuity_IncomingProcedure, mibt1NetworkProfile=mibt1NetworkProfile, t1NetworkProfile_LineInterface_ChannelConfig_RoutePort_RelativePortNumber_RelativePortNumber=t1NetworkProfile_LineInterface_ChannelConfig_RoutePort_RelativePortNumber_RelativePortNumber, t1NetworkProfileV1_LineInterface_R1Modified=t1NetworkProfileV1_LineInterface_R1Modified, t1NetworkProfile_LineInterface_ClockPriority=t1NetworkProfile_LineInterface_ClockPriority, DisplayString=DisplayString, mibt1NetworkProfileV1Entry=mibt1NetworkProfileV1Entry, t1NetworkProfile_LineInterface_GroupBAnswerSignal=t1NetworkProfile_LineInterface_GroupBAnswerSignal, t1NetworkProfileV1_LineInterface_TrailingDigits=t1NetworkProfileV1_LineInterface_TrailingDigits, t1NetworkProfile_LineInterface_ClockSource=t1NetworkProfile_LineInterface_ClockSource, t1NetworkProfileV1_LineInterface_GroupBBusySignal=t1NetworkProfileV1_LineInterface_GroupBBusySignal, t1NetworkProfileV1_LineInterface_LineProvision=t1NetworkProfileV1_LineInterface_LineProvision, t1NetworkProfile_LineInterface_oFDL=t1NetworkProfile_LineInterface_oFDL, t1NetworkProfileV1_LineInterface_T302Timer=t1NetworkProfileV1_LineInterface_T302Timer, t1NetworkProfile_LineInterface_GroupBCollectSignal=t1NetworkProfile_LineInterface_GroupBCollectSignal, t1NetworkProfile_LineInterface_PriNumberingPlanId=t1NetworkProfile_LineInterface_PriNumberingPlanId, t1NetworkProfileV1_LineInterface_GroupBNoChargeSignal=t1NetworkProfileV1_LineInterface_GroupBNoChargeSignal, mibt1NetworkProfileV1_LineInterface_ChannelConfigEntry=mibt1NetworkProfileV1_LineInterface_ChannelConfigEntry, t1NetworkProfile_LineInterface_IsdnEmulationSide=t1NetworkProfile_LineInterface_IsdnEmulationSide, t1NetworkProfile_LineInterface_AddDigitString=t1NetworkProfile_LineInterface_AddDigitString, t1NetworkProfile_LineInterface_NumberComplete=t1NetworkProfile_LineInterface_NumberComplete, t1NetworkProfile_BackToBack=t1NetworkProfile_BackToBack, t1NetworkProfileV1_LineInterface_LoopAvoidance=t1NetworkProfileV1_LineInterface_LoopAvoidance, t1NetworkProfileV1_LineInterface_oCSUBuildOut=t1NetworkProfileV1_LineInterface_oCSUBuildOut, t1NetworkProfile_LineInterface_oCSUBuildOut=t1NetworkProfile_LineInterface_oCSUBuildOut, t1NetworkProfileV1_LineInterface_NailedGroup=t1NetworkProfileV1_LineInterface_NailedGroup, t1NetworkProfile_LineInterface_NetworkSpecificFacilities=t1NetworkProfile_LineInterface_NetworkSpecificFacilities, t1NetworkProfile_LineInterface_DeleteDigits=t1NetworkProfile_LineInterface_DeleteDigits, t1NetworkProfileV1_LineInterface_HuntGrpPhoneNumber3=t1NetworkProfileV1_LineInterface_HuntGrpPhoneNumber3, t1NetworkProfile_LineInterface_Enabled=t1NetworkProfile_LineInterface_Enabled, t1NetworkProfileV1_LineInterface_ClockSource=t1NetworkProfileV1_LineInterface_ClockSource, t1NetworkProfile_LineInterface_IncomingCallHandling=t1NetworkProfile_LineInterface_IncomingCallHandling, mibt1NetworkProfile_LineInterface_ChannelConfigEntry=mibt1NetworkProfile_LineInterface_ChannelConfigEntry, t1NetworkProfileV1_LineInterface_AnswerDelay=t1NetworkProfileV1_LineInterface_AnswerDelay, t1NetworkProfile_Shelf_o=t1NetworkProfile_Shelf_o, t1NetworkProfile_LineInterface_ChannelConfig_Index_o=t1NetworkProfile_LineInterface_ChannelConfig_Index_o, t1NetworkProfileV1_LineInterface_IncomingCallHandling=t1NetworkProfileV1_LineInterface_IncomingCallHandling, t1NetworkProfileV1_LineInterface_UpTransDelay=t1NetworkProfileV1_LineInterface_UpTransDelay, t1NetworkProfile_LineInterface_ChannelConfig_Item_o=t1NetworkProfile_LineInterface_ChannelConfig_Item_o, t1NetworkProfileV1_LineInterface_Gr303GroupId=t1NetworkProfileV1_LineInterface_Gr303GroupId, t1NetworkProfileV1_LineInterface_DeleteDigits=t1NetworkProfileV1_LineInterface_DeleteDigits, t1NetworkProfileV1_LineInterface_CallByCall=t1NetworkProfileV1_LineInterface_CallByCall, t1NetworkProfileV1_LineInterface_SuperFrameSrcLineNumber=t1NetworkProfileV1_LineInterface_SuperFrameSrcLineNumber, t1NetworkProfileV1_LineInterface_FirstDs0=t1NetworkProfileV1_LineInterface_FirstDs0, mibt1NetworkProfileV1Table=mibt1NetworkProfileV1Table, t1NetworkProfileV1_LineInterface_SwitchType=t1NetworkProfileV1_LineInterface_SwitchType, t1NetworkProfileV1_LineInterface_ChannelConfig_TrunkGroup=t1NetworkProfileV1_LineInterface_ChannelConfig_TrunkGroup, t1NetworkProfileV1_LineInterface_ChannelConfig_DestChanGroup=t1NetworkProfileV1_LineInterface_ChannelConfig_DestChanGroup, t1NetworkProfileV1_LineInterface_GroupBAnswerSignal=t1NetworkProfileV1_LineInterface_GroupBAnswerSignal, t1NetworkProfileV1_LineInterface_OverlapReceiving=t1NetworkProfileV1_LineInterface_OverlapReceiving, t1NetworkProfile_LineInterface_ChannelConfig_DialPlanNumber=t1NetworkProfile_LineInterface_ChannelConfig_DialPlanNumber, t1NetworkProfile_LineInterface_PriTypeOfNumber=t1NetworkProfile_LineInterface_PriTypeOfNumber, t1NetworkProfile_LineInterface_CollectIncomingDigits=t1NetworkProfile_LineInterface_CollectIncomingDigits, t1NetworkProfile_LineInterface_LineProvision=t1NetworkProfile_LineInterface_LineProvision, t1NetworkProfile_LineInterface_FirstDs0=t1NetworkProfile_LineInterface_FirstDs0, t1NetworkProfile_LineInterface_Gr303GroupId=t1NetworkProfile_LineInterface_Gr303GroupId, t1NetworkProfile_LineInterface_SuperFrameSrcLineNumber=t1NetworkProfile_LineInterface_SuperFrameSrcLineNumber, t1NetworkProfileV1_LineInterface_GroupBNoMatchSignal=t1NetworkProfileV1_LineInterface_GroupBNoMatchSignal, t1NetworkProfile_PhysicalAddress_Shelf=t1NetworkProfile_PhysicalAddress_Shelf, t1NetworkProfile_PhysicalAddress_ItemNumber=t1NetworkProfile_PhysicalAddress_ItemNumber, t1NetworkProfileV1_LineInterface_PriNumberingPlanId=t1NetworkProfileV1_LineInterface_PriNumberingPlanId, t1NetworkProfile_LineInterface_LineSignaling=t1NetworkProfile_LineInterface_LineSignaling, t1NetworkProfile_LineInterface_HuntGrpPhoneNumber2=t1NetworkProfile_LineInterface_HuntGrpPhoneNumber2, t1NetworkProfileV1_LineInterface_IdleMode=t1NetworkProfileV1_LineInterface_IdleMode, mibt1NetworkProfileV1_LineInterfaceEntry=mibt1NetworkProfileV1_LineInterfaceEntry, t1NetworkProfileV1_LineInterface_ChannelConfig_DialPlanNumber=t1NetworkProfileV1_LineInterface_ChannelConfig_DialPlanNumber, t1NetworkProfile_LineInterface_PriPrefixNumber=t1NetworkProfile_LineInterface_PriPrefixNumber, t1NetworkProfile_LineInterface_AnswerService=t1NetworkProfile_LineInterface_AnswerService, t1NetworkProfileV1_LineInterface_NfasGroupId=t1NetworkProfileV1_LineInterface_NfasGroupId, t1NetworkProfile_LineInterface_Layer2End=t1NetworkProfile_LineInterface_Layer2End, t1NetworkProfileV1_PhysicalAddress_Slot=t1NetworkProfileV1_PhysicalAddress_Slot, t1NetworkProfile_LineInterface_OverlapReceiving=t1NetworkProfile_LineInterface_OverlapReceiving, t1NetworkProfile_ChannelUsage=t1NetworkProfile_ChannelUsage, t1NetworkProfileV1_LineInterface_CollectIncomingDigits=t1NetworkProfileV1_LineInterface_CollectIncomingDigits, t1NetworkProfile_LineInterface_ChannelConfig_NailedGroup=t1NetworkProfile_LineInterface_ChannelConfig_NailedGroup, mibt1NetworkProfileV1_LineInterface_ChannelConfigTable=mibt1NetworkProfileV1_LineInterface_ChannelConfigTable, t1NetworkProfile_Item_o=t1NetworkProfile_Item_o, t1NetworkProfile_LineInterface_GroupBNoMatchSignal=t1NetworkProfile_LineInterface_GroupBNoMatchSignal, t1NetworkProfileV1_LineInterface_RobbedBitMode=t1NetworkProfileV1_LineInterface_RobbedBitMode, t1NetworkProfile_LineInterface_Gr303Mode=t1NetworkProfile_LineInterface_Gr303Mode, t1NetworkProfile_LineInterface_Layer3End=t1NetworkProfile_LineInterface_Layer3End, t1NetworkProfile_LineInterface_MaintenanceState=t1NetworkProfile_LineInterface_MaintenanceState, t1NetworkProfile_LineInterface_oDSXLineLength=t1NetworkProfile_LineInterface_oDSXLineLength, t1NetworkProfileV1_LineInterface_Layer2End=t1NetworkProfileV1_LineInterface_Layer2End, t1NetworkProfile_LineInterface_Encoding=t1NetworkProfile_LineInterface_Encoding, t1NetworkProfileV1_LineInterface_NumberComplete=t1NetworkProfileV1_LineInterface_NumberComplete, t1NetworkProfileV1_LineInterface_SwitchVersion=t1NetworkProfileV1_LineInterface_SwitchVersion, t1NetworkProfileV1_LineInterface_TOnlineType=t1NetworkProfileV1_LineInterface_TOnlineType, t1NetworkProfile_LineInterface_R1FirstDigitTimer=t1NetworkProfile_LineInterface_R1FirstDigitTimer, t1NetworkProfileV1_LineInterface_PriPrefixNumber=t1NetworkProfileV1_LineInterface_PriPrefixNumber, t1NetworkProfileV1_LineInterface_CauseCodeVerificationEnable=t1NetworkProfileV1_LineInterface_CauseCodeVerificationEnable, t1NetworkProfile_LineInterface_CallByCall=t1NetworkProfile_LineInterface_CallByCall, t1NetworkProfile_Name=t1NetworkProfile_Name, t1NetworkProfile_LineInterface_ChannelConfig_NumberOfDialPlanSelectDigits=t1NetworkProfile_LineInterface_ChannelConfig_NumberOfDialPlanSelectDigits, t1NetworkProfileV1_LineInterface_GroupIiSignal=t1NetworkProfileV1_LineInterface_GroupIiSignal, t1NetworkProfileV1_Action_o=t1NetworkProfileV1_Action_o, t1NetworkProfile_LineInterface_oPBXType=t1NetworkProfile_LineInterface_oPBXType, t1NetworkProfile_LineInterface_ChannelConfig_ChanGroup=t1NetworkProfile_LineInterface_ChannelConfig_ChanGroup, t1NetworkProfileV1_LineInterface_SignalingMode=t1NetworkProfileV1_LineInterface_SignalingMode, t1NetworkProfile_LineInterface_TrailingDigits=t1NetworkProfile_LineInterface_TrailingDigits, t1NetworkProfile_LineInterface_R1AnirDelay=t1NetworkProfile_LineInterface_R1AnirDelay, t1NetworkProfileV1_LineInterface_ChannelConfig_ChannelUsage=t1NetworkProfileV1_LineInterface_ChannelConfig_ChannelUsage, t1NetworkProfileV1_LineInterface_ChannelConfig_PhoneNumber=t1NetworkProfileV1_LineInterface_ChannelConfig_PhoneNumber, t1NetworkProfileV1_LineInterface_ClockPriority=t1NetworkProfileV1_LineInterface_ClockPriority, t1NetworkProfileV1_LineInterface_SendDiscVal=t1NetworkProfileV1_LineInterface_SendDiscVal, t1NetworkProfileV1_LineInterface_PriTypeOfNumber=t1NetworkProfileV1_LineInterface_PriTypeOfNumber, t1NetworkProfile_LineInterface_RobbedBitMode=t1NetworkProfile_LineInterface_RobbedBitMode, t1NetworkProfileV1_LineInterface_Encoding=t1NetworkProfileV1_LineInterface_Encoding, t1NetworkProfileV1_LineInterface_IsdnEmulationSide=t1NetworkProfileV1_LineInterface_IsdnEmulationSide, t1NetworkProfile_LineInterface_GroupBNoChargeSignal=t1NetworkProfile_LineInterface_GroupBNoChargeSignal, t1NetworkProfileV1_LineInterface_DataSense=t1NetworkProfileV1_LineInterface_DataSense, t1NetworkProfile_LineInterface_NfasId=t1NetworkProfile_LineInterface_NfasId, t1NetworkProfile_LineInterface_FrameType=t1NetworkProfile_LineInterface_FrameType, t1NetworkProfile_LineInterface_SendDiscVal=t1NetworkProfile_LineInterface_SendDiscVal, t1NetworkProfileV1_SecondaryChannelUsage=t1NetworkProfileV1_SecondaryChannelUsage, t1NetworkProfile_LineInterface_HuntGrpPhoneNumber1=t1NetworkProfile_LineInterface_HuntGrpPhoneNumber1, t1NetworkProfile_LineInterface_DataSense=t1NetworkProfile_LineInterface_DataSense, t1NetworkProfileV1_LineInterface_ChannelConfig_RoutePort_SlotNumber_ShelfNumber=t1NetworkProfileV1_LineInterface_ChannelConfig_RoutePort_SlotNumber_ShelfNumber, t1NetworkProfileV1_LineInterface_ChannelConfig_ChanGroup=t1NetworkProfileV1_LineInterface_ChannelConfig_ChanGroup, t1NetworkProfile_LineInterface_NlValue=t1NetworkProfile_LineInterface_NlValue, t1NetworkProfileV1_LineInterface_Gr303Mode=t1NetworkProfileV1_LineInterface_Gr303Mode, mibt1NetworkProfileV1=mibt1NetworkProfileV1, t1NetworkProfileV1_LineInterface_PbxAnswerNumber=t1NetworkProfileV1_LineInterface_PbxAnswerNumber, t1NetworkProfile_LineInterface_Gr303Ds1Id=t1NetworkProfile_LineInterface_Gr303Ds1Id, t1NetworkProfile_LineInterface_PbxAnswerNumber=t1NetworkProfile_LineInterface_PbxAnswerNumber, t1NetworkProfile_LineInterface_AnswerDelay=t1NetworkProfile_LineInterface_AnswerDelay, t1NetworkProfile_LineInterface_R1AnirTimer=t1NetworkProfile_LineInterface_R1AnirTimer, t1NetworkProfile_LineInterface_ChannelConfig_PhoneNumber=t1NetworkProfile_LineInterface_ChannelConfig_PhoneNumber, t1NetworkProfileV1_LineInterface_LineSignaling=t1NetworkProfileV1_LineInterface_LineSignaling, t1NetworkProfileV1_LineInterface_FrameType=t1NetworkProfileV1_LineInterface_FrameType, t1NetworkProfileV1_LineInterface_NfasId=t1NetworkProfileV1_LineInterface_NfasId, t1NetworkProfileV1_BackToBack=t1NetworkProfileV1_BackToBack, t1NetworkProfile_LineInterface_R1Modified=t1NetworkProfile_LineInterface_R1Modified, t1NetworkProfile_LineInterface_HuntGrpPhoneNumber3=t1NetworkProfile_LineInterface_HuntGrpPhoneNumber3, t1NetworkProfile_LineInterface_CallerId=t1NetworkProfile_LineInterface_CallerId, t1NetworkProfileV1_LineInterface_Index_o=t1NetworkProfileV1_LineInterface_Index_o, t1NetworkProfile_LineInterface_ChannelConfig_RoutePort_SlotNumber_SlotNumber=t1NetworkProfile_LineInterface_ChannelConfig_RoutePort_SlotNumber_SlotNumber, t1NetworkProfileV1_LineInterface_HuntGrpPhoneNumber1=t1NetworkProfileV1_LineInterface_HuntGrpPhoneNumber1, t1NetworkProfile_LineInterface_R1UseAnir=t1NetworkProfile_LineInterface_R1UseAnir, t1NetworkProfile_LineInterface_UpTransDelay=t1NetworkProfile_LineInterface_UpTransDelay, t1NetworkProfileV1_TertiaryChannelUsage=t1NetworkProfileV1_TertiaryChannelUsage, t1NetworkProfileV1_LineInterface_ChannelConfig_RoutePort_SlotNumber_SlotNumber=t1NetworkProfileV1_LineInterface_ChannelConfig_RoutePort_SlotNumber_SlotNumber, t1NetworkProfileV1_LineInterface_oDSXLineLength=t1NetworkProfileV1_LineInterface_oDSXLineLength, t1NetworkProfileV1_LineInterface_FrontEndType=t1NetworkProfileV1_LineInterface_FrontEndType, t1NetworkProfileV1_LineInterface_R1AnirTimer=t1NetworkProfileV1_LineInterface_R1AnirTimer, t1NetworkProfileV1_LineInterface_Timer1CollectCall=t1NetworkProfileV1_LineInterface_Timer1CollectCall, t1NetworkProfileV1_LineInterface_ChannelConfig_NumberOfDialPlanSelectDigits=t1NetworkProfileV1_LineInterface_ChannelConfig_NumberOfDialPlanSelectDigits, t1NetworkProfile_LineInterface_SwitchType=t1NetworkProfile_LineInterface_SwitchType, t1NetworkProfileV1_PrimaryChannelUsage=t1NetworkProfileV1_PrimaryChannelUsage, t1NetworkProfile_LineInterface_Timer1CollectCall=t1NetworkProfile_LineInterface_Timer1CollectCall, t1NetworkProfile_LineInterface_LastDs0=t1NetworkProfile_LineInterface_LastDs0, t1NetworkProfile_LineInterface_Ss7Continuity_IncomingProcedure=t1NetworkProfile_LineInterface_Ss7Continuity_IncomingProcedure, t1NetworkProfile_Action_o=t1NetworkProfile_Action_o)
(configuration,) = mibBuilder.importSymbols('ASCEND-MIB', 'configuration') (integer, object_identifier, octet_string) = mibBuilder.importSymbols('ASN1', 'Integer', 'ObjectIdentifier', 'OctetString') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (single_value_constraint, value_range_constraint, value_size_constraint, constraints_intersection, constraints_union) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'SingleValueConstraint', 'ValueRangeConstraint', 'ValueSizeConstraint', 'ConstraintsIntersection', 'ConstraintsUnion') (module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup') (counter32, ip_address, bits, iso, counter64, mib_identifier, time_ticks, mib_scalar, mib_table, mib_table_row, mib_table_column, integer32, module_identity, object_identity, unsigned32, notification_type, gauge32) = mibBuilder.importSymbols('SNMPv2-SMI', 'Counter32', 'IpAddress', 'Bits', 'iso', 'Counter64', 'MibIdentifier', 'TimeTicks', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Integer32', 'ModuleIdentity', 'ObjectIdentity', 'Unsigned32', 'NotificationType', 'Gauge32') (textual_convention, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString') class Displaystring(OctetString): pass mibt1_network_profile = mib_identifier((1, 3, 6, 1, 4, 1, 529, 23, 127)) mibt1_network_profile_v1 = mib_identifier((1, 3, 6, 1, 4, 1, 529, 23, 126)) mibt1_network_profile_table = mib_table((1, 3, 6, 1, 4, 1, 529, 23, 127, 1)) if mibBuilder.loadTexts: mibt1NetworkProfileTable.setStatus('mandatory') mibt1_network_profile_entry = mib_table_row((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1)).setIndexNames((0, 'ASCEND-MIBT1NET-MIB', 't1NetworkProfile-Shelf-o'), (0, 'ASCEND-MIBT1NET-MIB', 't1NetworkProfile-Slot-o'), (0, 'ASCEND-MIBT1NET-MIB', 't1NetworkProfile-Item-o')) if mibBuilder.loadTexts: mibt1NetworkProfileEntry.setStatus('mandatory') t1_network_profile__shelf_o = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 1), integer32()).setLabel('t1NetworkProfile-Shelf-o').setMaxAccess('readonly') if mibBuilder.loadTexts: t1NetworkProfile_Shelf_o.setStatus('mandatory') t1_network_profile__slot_o = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 2), integer32()).setLabel('t1NetworkProfile-Slot-o').setMaxAccess('readonly') if mibBuilder.loadTexts: t1NetworkProfile_Slot_o.setStatus('mandatory') t1_network_profile__item_o = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 3), integer32()).setLabel('t1NetworkProfile-Item-o').setMaxAccess('readonly') if mibBuilder.loadTexts: t1NetworkProfile_Item_o.setStatus('mandatory') t1_network_profile__name = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 4), display_string()).setLabel('t1NetworkProfile-Name').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_Name.setStatus('mandatory') t1_network_profile__physical_address__shelf = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=named_values(('anyShelf', 1), ('shelf1', 2), ('shelf2', 3), ('shelf3', 4), ('shelf4', 5), ('shelf5', 6), ('shelf6', 7), ('shelf7', 8), ('shelf8', 9), ('shelf9', 10)))).setLabel('t1NetworkProfile-PhysicalAddress-Shelf').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_PhysicalAddress_Shelf.setStatus('mandatory') t1_network_profile__physical_address__slot = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 55, 56, 57, 58, 49, 50, 42, 53, 54, 45, 46, 51, 59))).clone(namedValues=named_values(('anySlot', 1), ('slot1', 2), ('slot2', 3), ('slot3', 4), ('slot4', 5), ('slot5', 6), ('slot6', 7), ('slot7', 8), ('slot8', 9), ('slot9', 10), ('slot10', 11), ('slot11', 12), ('slot12', 13), ('slot13', 14), ('slot14', 15), ('slot15', 16), ('slot16', 17), ('slot17', 18), ('slot18', 19), ('slot19', 20), ('slot20', 21), ('slot21', 22), ('slot22', 23), ('slot23', 24), ('slot24', 25), ('slot25', 26), ('slot26', 27), ('slot27', 28), ('slot28', 29), ('slot29', 30), ('slot30', 31), ('slot31', 32), ('slot32', 33), ('slot33', 34), ('slot34', 35), ('slot35', 36), ('slot36', 37), ('slot37', 38), ('slot38', 39), ('slot39', 40), ('slot40', 41), ('aLim', 55), ('bLim', 56), ('cLim', 57), ('dLim', 58), ('leftController', 49), ('rightController', 50), ('controller', 42), ('firstControlModule', 53), ('secondControlModule', 54), ('trunkModule1', 45), ('trunkModule2', 46), ('controlModule', 51), ('slotPrimary', 59)))).setLabel('t1NetworkProfile-PhysicalAddress-Slot').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_PhysicalAddress_Slot.setStatus('mandatory') t1_network_profile__physical_address__item_number = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 7), integer32()).setLabel('t1NetworkProfile-PhysicalAddress-ItemNumber').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_PhysicalAddress_ItemNumber.setStatus('mandatory') t1_network_profile__line_interface__enabled = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('t1NetworkProfile-LineInterface-Enabled').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_Enabled.setStatus('mandatory') t1_network_profile__line_interface_t_online_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('none', 1), ('nt', 2), ('te', 3), ('numberOfTonline', 4)))).setLabel('t1NetworkProfile-LineInterface-TOnlineType').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_TOnlineType.setStatus('mandatory') t1_network_profile__line_interface__frame_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('d4', 1), ('esf', 2), ('g703', 3), ('n-2ds', 4)))).setLabel('t1NetworkProfile-LineInterface-FrameType').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_FrameType.setStatus('mandatory') t1_network_profile__line_interface__encoding = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('ami', 1), ('b8zs', 2), ('hdb3', 3), ('none', 4)))).setLabel('t1NetworkProfile-LineInterface-Encoding').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_Encoding.setStatus('mandatory') t1_network_profile__line_interface__clock_source = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('eligible', 1), ('notEligible', 2)))).setLabel('t1NetworkProfile-LineInterface-ClockSource').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_ClockSource.setStatus('mandatory') t1_network_profile__line_interface__clock_priority = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(2, 3, 4))).clone(namedValues=named_values(('highPriority', 2), ('middlePriority', 3), ('lowPriority', 4)))).setLabel('t1NetworkProfile-LineInterface-ClockPriority').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_ClockPriority.setStatus('mandatory') t1_network_profile__line_interface__signaling_mode = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 14), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 5, 6, 7, 8, 9, 10, 11, 13, 14, 15, 16, 17, 19, 20, 21, 22, 23, 24, 25, 27, 28, 29, 30, 31, 32, 33, 34))).clone(namedValues=named_values(('inband', 1), ('isdn', 2), ('isdnNfas', 3), ('e1R2Signaling', 5), ('e1KoreanSignaling', 6), ('e1P7Signaling', 7), ('e1ChineseSignaling', 8), ('e1MeteredSignaling', 9), ('e1NoSignaling', 10), ('e1DpnssSignaling', 11), ('e1ArgentinaSignaling', 13), ('e1BrazilSignaling', 14), ('e1PhilippineSignaling', 15), ('e1IndianSignaling', 16), ('e1CzechSignaling', 17), ('e1MalaysiaSignaling', 19), ('e1NewZealandSignaling', 20), ('e1IsraelSignaling', 21), ('e1ThailandSignaling', 22), ('e1KuwaitSignaling', 23), ('e1MexicoSignaling', 24), ('dtmfR2Signaling', 25), ('tunneledPriSignaling', 27), ('inbandFgdInFgdOut', 28), ('inbandFgdInFgcOut', 29), ('inbandFgcInFgcOut', 30), ('inbandFgcInFgdOut', 31), ('e1VietnamSignaling', 32), ('ss7SigTrunk', 33), ('h248DataTrunk', 34)))).setLabel('t1NetworkProfile-LineInterface-SignalingMode').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_SignalingMode.setStatus('mandatory') t1_network_profile__line_interface__isdn_emulation_side = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 15), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('te', 1), ('nt', 2)))).setLabel('t1NetworkProfile-LineInterface-IsdnEmulationSide').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_IsdnEmulationSide.setStatus('mandatory') t1_network_profile__line_interface__robbed_bit_mode = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 16), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('winkStart', 1), ('idleStart', 2), ('incW200', 3), ('incW400', 4), ('loopStart', 5), ('groundStart', 6)))).setLabel('t1NetworkProfile-LineInterface-RobbedBitMode').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_RobbedBitMode.setStatus('mandatory') t1_network_profile__line_interface__default_call_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 17), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('digital', 1), ('voice', 2), ('dnisOrVoice', 3), ('dnisOrDigital', 4), ('voip', 5), ('dnisOrVoip', 6)))).setLabel('t1NetworkProfile-LineInterface-DefaultCallType').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_DefaultCallType.setStatus('mandatory') t1_network_profile__line_interface__switch_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 18), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 31, 11, 12, 13, 14, 32, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30))).clone(namedValues=named_values(('attPri', 1), ('ntiPri', 2), ('globandPri', 3), ('japanPri', 4), ('vn3Pri', 5), ('onetr6Pri', 6), ('net5Pri', 7), ('danishPri', 8), ('australPri', 9), ('natIsdn2Pri', 10), ('taiwanPri', 31), ('isdxDpnss', 11), ('islxDpnss', 12), ('mercuryDpnss', 13), ('dass2', 14), ('btSs7', 32), ('unknownBri', 15), ('att5essBri', 16), ('dms100Nt1Bri', 17), ('nisdn1Bri', 18), ('vn2Bri', 19), ('btnr191Bri', 20), ('net3Bri', 21), ('ptpNet3Bri', 22), ('kddBri', 23), ('belgianBri', 24), ('australBri', 25), ('swissBri', 26), ('german1tr6Bri', 27), ('dutch1tr6Bri', 28), ('switchCas', 29), ('idslPtpBri', 30)))).setLabel('t1NetworkProfile-LineInterface-SwitchType').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_SwitchType.setStatus('mandatory') t1_network_profile__line_interface__nfas_group_id = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 19), integer32()).setLabel('t1NetworkProfile-LineInterface-NfasGroupId').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_NfasGroupId.setStatus('mandatory') t1_network_profile__line_interface__nfas_id = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 20), integer32()).setLabel('t1NetworkProfile-LineInterface-NfasId').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_NfasId.setStatus('mandatory') t1_network_profile__line_interface__incoming_call_handling = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 21), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('rejectAll', 1), ('internalProcessing', 2), ('ss7GatewayProcessing', 3)))).setLabel('t1NetworkProfile-LineInterface-IncomingCallHandling').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_IncomingCallHandling.setStatus('mandatory') t1_network_profile__line_interface__delete_digits = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 22), integer32()).setLabel('t1NetworkProfile-LineInterface-DeleteDigits').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_DeleteDigits.setStatus('mandatory') t1_network_profile__line_interface__add_digit_string = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 23), display_string()).setLabel('t1NetworkProfile-LineInterface-AddDigitString').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_AddDigitString.setStatus('mandatory') t1_network_profile__line_interface__call_by_call = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 24), integer32()).setLabel('t1NetworkProfile-LineInterface-CallByCall').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_CallByCall.setStatus('mandatory') t1_network_profile__line_interface__network_specific_facilities = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 87), integer32()).setLabel('t1NetworkProfile-LineInterface-NetworkSpecificFacilities').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_NetworkSpecificFacilities.setStatus('mandatory') t1_network_profile__line_interface__pbx_answer_number = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 25), display_string()).setLabel('t1NetworkProfile-LineInterface-PbxAnswerNumber').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_PbxAnswerNumber.setStatus('mandatory') t1_network_profile__line_interface__answer_service = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 26), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 39, 40, 41, 42, 43, 44, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 61, 62, 63, 64, 65, 66, 67, 68, 70, 71, 72, 73, 74, 75, 76, 77, 78, 79, 80, 81, 82, 83, 255, 263))).clone(namedValues=named_values(('voice', 1), ('n-56kRestricted', 2), ('n-64kClear', 3), ('n-64kRestricted', 4), ('n-56kClear', 5), ('n-384kRestricted', 6), ('n-384kClear', 7), ('n-1536kClear', 8), ('n-1536kRestricted', 9), ('n-128kClear', 10), ('n-192kClear', 11), ('n-256kClear', 12), ('n-320kClear', 13), ('dws384Clear', 14), ('n-448Clear', 15), ('n-512Clear', 16), ('n-576Clear', 17), ('n-640Clear', 18), ('n-704Clear', 19), ('n-768Clear', 20), ('n-832Clear', 21), ('n-896Clear', 22), ('n-960Clear', 23), ('n-1024Clear', 24), ('n-1088Clear', 25), ('n-1152Clear', 26), ('n-1216Clear', 27), ('n-1280Clear', 28), ('n-1344Clear', 29), ('n-1408Clear', 30), ('n-1472Clear', 31), ('n-1600Clear', 32), ('n-1664Clear', 33), ('n-1728Clear', 34), ('n-1792Clear', 35), ('n-1856Clear', 36), ('n-1920Clear', 37), ('x30RestrictedBearer', 39), ('v110ClearBearer', 40), ('n-64kX30Restricted', 41), ('n-56kV110Clear', 42), ('modem', 43), ('atmodem', 44), ('n-2456kV110', 46), ('n-4856kV110', 47), ('n-9656kV110', 48), ('n-19256kV110', 49), ('n-38456kV110', 50), ('n-2456krV110', 51), ('n-4856krV110', 52), ('n-9656krV110', 53), ('n-19256krV110', 54), ('n-38456krV110', 55), ('n-2464kV110', 56), ('n-4864kV110', 57), ('n-9664kV110', 58), ('n-19264kV110', 59), ('n-38464kV110', 60), ('n-2464krV110', 61), ('n-4864krV110', 62), ('n-9664krV110', 63), ('n-19264krV110', 64), ('n-38464krV110', 65), ('v32', 66), ('phs64k', 67), ('voiceOverIp', 68), ('atmSvc', 70), ('frameRelaySvc', 71), ('vpnTunnel', 72), ('wormarq', 73), ('n-14456kV110', 74), ('n-28856kV110', 75), ('n-14456krV110', 76), ('n-28856krV110', 77), ('n-14464kV110', 78), ('n-28864kV110', 79), ('n-14464krV110', 80), ('n-28864krV110', 81), ('modem31khzAudio', 82), ('x25Svc', 83), ('n-144kClear', 255), ('iptoip', 263)))).setLabel('t1NetworkProfile-LineInterface-AnswerService').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_AnswerService.setStatus('mandatory') t1_network_profile__line_interface_o_pbx_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 27), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('hostPbxVoice', 1), ('hostPbxData', 2), ('hostPbxLeasedData', 3), ('hostPbxLeased11', 4)))).setLabel('t1NetworkProfile-LineInterface-oPBXType').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_oPBXType.setStatus('mandatory') t1_network_profile__line_interface__data_sense = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 28), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('normal', 1), ('inv', 2)))).setLabel('t1NetworkProfile-LineInterface-DataSense').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_DataSense.setStatus('mandatory') t1_network_profile__line_interface__idle_mode = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 29), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('markIdle', 1), ('flagIdle', 2)))).setLabel('t1NetworkProfile-LineInterface-IdleMode').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_IdleMode.setStatus('mandatory') t1_network_profile__line_interface_o_fdl = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 30), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('none', 1), ('atNT', 2), ('ansi', 3), ('sprint', 4)))).setLabel('t1NetworkProfile-LineInterface-oFDL').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_oFDL.setStatus('mandatory') t1_network_profile__line_interface__front_end_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 31), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('csu', 1), ('dsx', 2)))).setLabel('t1NetworkProfile-LineInterface-FrontEndType').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_FrontEndType.setStatus('mandatory') t1_network_profile__line_interface_o_dsx_line_length = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 32), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('n-1133', 1), ('n-134266', 2), ('n-267399', 3), ('n-400533', 4), ('n-534655', 5)))).setLabel('t1NetworkProfile-LineInterface-oDSXLineLength').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_oDSXLineLength.setStatus('mandatory') t1_network_profile__line_interface_o_csu_build_out = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 33), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('n-0Db', 1), ('n-75Db', 2), ('n-15Db', 3), ('n-2255Db', 4)))).setLabel('t1NetworkProfile-LineInterface-oCSUBuildOut').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_oCSUBuildOut.setStatus('mandatory') t1_network_profile__line_interface__overlap_receiving = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 34), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('t1NetworkProfile-LineInterface-OverlapReceiving').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_OverlapReceiving.setStatus('mandatory') t1_network_profile__line_interface__pri_prefix_number = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 35), display_string()).setLabel('t1NetworkProfile-LineInterface-PriPrefixNumber').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_PriPrefixNumber.setStatus('mandatory') t1_network_profile__line_interface__trailing_digits = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 36), integer32()).setLabel('t1NetworkProfile-LineInterface-TrailingDigits').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_TrailingDigits.setStatus('mandatory') t1_network_profile__line_interface_t302_timer = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 37), integer32()).setLabel('t1NetworkProfile-LineInterface-T302Timer').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_T302Timer.setStatus('mandatory') t1_network_profile__line_interface__layer3_end = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 38), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('false', 1), ('true', 2)))).setLabel('t1NetworkProfile-LineInterface-Layer3End').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_Layer3End.setStatus('mandatory') t1_network_profile__line_interface__layer2_end = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 39), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('false', 1), ('true', 2)))).setLabel('t1NetworkProfile-LineInterface-Layer2End').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_Layer2End.setStatus('mandatory') t1_network_profile__line_interface__nl_value = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 40), integer32()).setLabel('t1NetworkProfile-LineInterface-NlValue').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_NlValue.setStatus('mandatory') t1_network_profile__line_interface__loop_avoidance = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 41), integer32()).setLabel('t1NetworkProfile-LineInterface-LoopAvoidance').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_LoopAvoidance.setStatus('mandatory') t1_network_profile__line_interface__maintenance_state = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 42), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('t1NetworkProfile-LineInterface-MaintenanceState').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_MaintenanceState.setStatus('mandatory') t1_network_profile__line_interface__number_complete = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 43), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18))).clone(namedValues=named_values(('n-1Digits', 1), ('n-2Digits', 2), ('n-3Digits', 3), ('n-4Digits', 4), ('n-5Digits', 5), ('n-6Digits', 6), ('n-7Digits', 7), ('n-8Digits', 8), ('n-9Digits', 9), ('n-10Digits', 10), ('endOfPulsing', 11), ('n-0Digits', 12), ('n-11Digits', 13), ('n-12Digits', 14), ('n-13Digits', 15), ('n-14Digits', 16), ('n-15Digits', 17), ('timeOut', 18)))).setLabel('t1NetworkProfile-LineInterface-NumberComplete').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_NumberComplete.setStatus('mandatory') t1_network_profile__line_interface__group_b_answer_signal = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 44), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15))).clone(namedValues=named_values(('signalB1', 1), ('signalB2', 2), ('signalB3', 3), ('signalB4', 4), ('signalB5', 5), ('signalB6', 6), ('signalB7', 7), ('signalB8', 8), ('signalB9', 9), ('signalB10', 10), ('signalB11', 11), ('signalB12', 12), ('signalB13', 13), ('signalB14', 14), ('signalB15', 15)))).setLabel('t1NetworkProfile-LineInterface-GroupBAnswerSignal').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_GroupBAnswerSignal.setStatus('mandatory') t1_network_profile__line_interface__group_b_busy_signal = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 45), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15))).clone(namedValues=named_values(('signalB1', 1), ('signalB2', 2), ('signalB3', 3), ('signalB4', 4), ('signalB5', 5), ('signalB6', 6), ('signalB7', 7), ('signalB8', 8), ('signalB9', 9), ('signalB10', 10), ('signalB11', 11), ('signalB12', 12), ('signalB13', 13), ('signalB14', 14), ('signalB15', 15)))).setLabel('t1NetworkProfile-LineInterface-GroupBBusySignal').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_GroupBBusySignal.setStatus('mandatory') t1_network_profile__line_interface__group_b_no_match_signal = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 46), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15))).clone(namedValues=named_values(('signalB1', 1), ('signalB2', 2), ('signalB3', 3), ('signalB4', 4), ('signalB5', 5), ('signalB6', 6), ('signalB7', 7), ('signalB8', 8), ('signalB9', 9), ('signalB10', 10), ('signalB11', 11), ('signalB12', 12), ('signalB13', 13), ('signalB14', 14), ('signalB15', 15)))).setLabel('t1NetworkProfile-LineInterface-GroupBNoMatchSignal').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_GroupBNoMatchSignal.setStatus('mandatory') t1_network_profile__line_interface__group_b_collect_signal = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 47), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15))).clone(namedValues=named_values(('signalB1', 1), ('signalB2', 2), ('signalB3', 3), ('signalB4', 4), ('signalB5', 5), ('signalB6', 6), ('signalB7', 7), ('signalB8', 8), ('signalB9', 9), ('signalB10', 10), ('signalB11', 11), ('signalB12', 12), ('signalB13', 13), ('signalB14', 14), ('signalB15', 15)))).setLabel('t1NetworkProfile-LineInterface-GroupBCollectSignal').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_GroupBCollectSignal.setStatus('mandatory') t1_network_profile__line_interface__group_b_no_charge_signal = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 82), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15))).clone(namedValues=named_values(('signalB1', 1), ('signalB2', 2), ('signalB3', 3), ('signalB4', 4), ('signalB5', 5), ('signalB6', 6), ('signalB7', 7), ('signalB8', 8), ('signalB9', 9), ('signalB10', 10), ('signalB11', 11), ('signalB12', 12), ('signalB13', 13), ('signalB14', 14), ('signalB15', 15)))).setLabel('t1NetworkProfile-LineInterface-GroupBNoChargeSignal').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_GroupBNoChargeSignal.setStatus('mandatory') t1_network_profile__line_interface__group_ii_signal = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 48), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15))).clone(namedValues=named_values(('signalIi1', 1), ('signalIi2', 2), ('signalIi3', 3), ('signalIi4', 4), ('signalIi5', 5), ('signalIi6', 6), ('signalIi7', 7), ('signalIi8', 8), ('signalIi9', 9), ('signalIi10', 10), ('signalIi11', 11), ('signalIi12', 12), ('signalIi13', 13), ('signalIi14', 14), ('signalIi15', 15)))).setLabel('t1NetworkProfile-LineInterface-GroupIiSignal').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_GroupIiSignal.setStatus('mandatory') t1_network_profile__line_interface__input_sample_count = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 49), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('oneSample', 1), ('twoSamples', 2)))).setLabel('t1NetworkProfile-LineInterface-InputSampleCount').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_InputSampleCount.setStatus('mandatory') t1_network_profile__line_interface__answer_delay = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 50), integer32()).setLabel('t1NetworkProfile-LineInterface-AnswerDelay').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_AnswerDelay.setStatus('mandatory') t1_network_profile__line_interface__caller_id = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 51), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('noCallerId', 1), ('getCallerId', 2)))).setLabel('t1NetworkProfile-LineInterface-CallerId').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_CallerId.setStatus('mandatory') t1_network_profile__line_interface__line_signaling = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 52), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('abBitsLineSignaling', 1), ('aBitOnly0EqualBBit', 2), ('aBitOnly1EqualBBit', 3)))).setLabel('t1NetworkProfile-LineInterface-LineSignaling').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_LineSignaling.setStatus('mandatory') t1_network_profile__line_interface__timer1_collect_call = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 53), integer32()).setLabel('t1NetworkProfile-LineInterface-Timer1CollectCall').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_Timer1CollectCall.setStatus('mandatory') t1_network_profile__line_interface__timer2_collect_call = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 54), integer32()).setLabel('t1NetworkProfile-LineInterface-Timer2CollectCall').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_Timer2CollectCall.setStatus('mandatory') t1_network_profile__line_interface__send_disc_val = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 55), integer32()).setLabel('t1NetworkProfile-LineInterface-SendDiscVal').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_SendDiscVal.setStatus('mandatory') t1_network_profile__line_interface__hunt_grp_phone_number1 = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 56), display_string()).setLabel('t1NetworkProfile-LineInterface-HuntGrpPhoneNumber1').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_HuntGrpPhoneNumber1.setStatus('mandatory') t1_network_profile__line_interface__hunt_grp_phone_number2 = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 57), display_string()).setLabel('t1NetworkProfile-LineInterface-HuntGrpPhoneNumber2').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_HuntGrpPhoneNumber2.setStatus('mandatory') t1_network_profile__line_interface__hunt_grp_phone_number3 = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 58), display_string()).setLabel('t1NetworkProfile-LineInterface-HuntGrpPhoneNumber3').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_HuntGrpPhoneNumber3.setStatus('mandatory') t1_network_profile__line_interface__pri_type_of_number = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 59), integer32()).setLabel('t1NetworkProfile-LineInterface-PriTypeOfNumber').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_PriTypeOfNumber.setStatus('mandatory') t1_network_profile__line_interface__pri_numbering_plan_id = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 60), integer32()).setLabel('t1NetworkProfile-LineInterface-PriNumberingPlanId').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_PriNumberingPlanId.setStatus('mandatory') t1_network_profile__line_interface__super_frame_src_line_number = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 61), integer32()).setLabel('t1NetworkProfile-LineInterface-SuperFrameSrcLineNumber').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_SuperFrameSrcLineNumber.setStatus('mandatory') t1_network_profile__line_interface__collect_incoming_digits = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 62), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('t1NetworkProfile-LineInterface-CollectIncomingDigits').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_CollectIncomingDigits.setStatus('mandatory') t1_network_profile__line_interface_t1_inter_digit_timeout = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 63), integer32()).setLabel('t1NetworkProfile-LineInterface-T1InterDigitTimeout').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_T1InterDigitTimeout.setStatus('mandatory') t1_network_profile__line_interface_r1_use_anir = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 64), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('t1NetworkProfile-LineInterface-R1UseAnir').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_R1UseAnir.setStatus('mandatory') t1_network_profile__line_interface_r1_first_digit_timer = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 65), integer32()).setLabel('t1NetworkProfile-LineInterface-R1FirstDigitTimer').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_R1FirstDigitTimer.setStatus('mandatory') t1_network_profile__line_interface_r1_anir_delay = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 66), integer32()).setLabel('t1NetworkProfile-LineInterface-R1AnirDelay').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_R1AnirDelay.setStatus('mandatory') t1_network_profile__line_interface_r1_anir_timer = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 67), integer32()).setLabel('t1NetworkProfile-LineInterface-R1AnirTimer').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_R1AnirTimer.setStatus('mandatory') t1_network_profile__line_interface_r1_modified = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 68), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('t1NetworkProfile-LineInterface-R1Modified').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_R1Modified.setStatus('mandatory') t1_network_profile__line_interface__first_ds0 = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 69), integer32()).setLabel('t1NetworkProfile-LineInterface-FirstDs0').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_FirstDs0.setStatus('mandatory') t1_network_profile__line_interface__last_ds0 = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 70), integer32()).setLabel('t1NetworkProfile-LineInterface-LastDs0').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_LastDs0.setStatus('mandatory') t1_network_profile__line_interface__nailed_group = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 71), integer32()).setLabel('t1NetworkProfile-LineInterface-NailedGroup').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_NailedGroup.setStatus('mandatory') t1_network_profile__line_interface__ss7_continuity__incoming_procedure = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 72), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(2, 3))).clone(namedValues=named_values(('loopback', 2), ('transponder', 3)))).setLabel('t1NetworkProfile-LineInterface-Ss7Continuity-IncomingProcedure').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_Ss7Continuity_IncomingProcedure.setStatus('mandatory') t1_network_profile__line_interface__ss7_continuity__outgoing_procedure = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 73), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(2, 3, 4, 5, 6, 7))).clone(namedValues=named_values(('singleTone2010', 2), ('send2010Expect1780', 3), ('send1780Expect2010', 4), ('singleTone2000', 5), ('send2000Expect1780', 6), ('send1780Expect2000', 7)))).setLabel('t1NetworkProfile-LineInterface-Ss7Continuity-OutgoingProcedure').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_Ss7Continuity_OutgoingProcedure.setStatus('mandatory') t1_network_profile__line_interface__line_provision = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 74), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('lineProvisionNone', 1), ('lineProvisionH0', 2), ('lineProvisionH11', 3), ('lineProvisionH0H11', 4), ('lineProvisionH12', 5), ('lineProvisionH0H12', 6), ('lineProvisionH11H12', 7), ('lineProvisionH0H11H12', 8)))).setLabel('t1NetworkProfile-LineInterface-LineProvision').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_LineProvision.setStatus('mandatory') t1_network_profile__line_interface__gr303_mode = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 75), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('gr303Disabled', 1), ('gr3035essPri', 2), ('gr303DmsPri', 3), ('gr303Secondary', 4), ('gr303Normal', 5)))).setLabel('t1NetworkProfile-LineInterface-Gr303Mode').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_Gr303Mode.setStatus('mandatory') t1_network_profile__line_interface__gr303_group_id = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 76), integer32()).setLabel('t1NetworkProfile-LineInterface-Gr303GroupId').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_Gr303GroupId.setStatus('mandatory') t1_network_profile__line_interface__gr303_ds1_id = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 77), integer32()).setLabel('t1NetworkProfile-LineInterface-Gr303Ds1Id').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_Gr303Ds1Id.setStatus('mandatory') t1_network_profile__line_interface__switch_version = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 78), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('switchVersionGeneric', 1), ('switchVersionDefinityG3v4', 2)))).setLabel('t1NetworkProfile-LineInterface-SwitchVersion').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_SwitchVersion.setStatus('mandatory') t1_network_profile__line_interface__down_trans_delay = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 84), integer32()).setLabel('t1NetworkProfile-LineInterface-DownTransDelay').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_DownTransDelay.setStatus('mandatory') t1_network_profile__line_interface__up_trans_delay = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 85), integer32()).setLabel('t1NetworkProfile-LineInterface-UpTransDelay').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_UpTransDelay.setStatus('mandatory') t1_network_profile__line_interface__status_change_trap_enable = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 83), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('t1NetworkProfile-LineInterface-StatusChangeTrapEnable').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_StatusChangeTrapEnable.setStatus('mandatory') t1_network_profile__line_interface__cause_code_verification_enable = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 88), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('t1NetworkProfile-LineInterface-CauseCodeVerificationEnable').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_CauseCodeVerificationEnable.setStatus('mandatory') t1_network_profile__back_to_back = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 79), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('false', 1), ('true', 2)))).setLabel('t1NetworkProfile-BackToBack').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_BackToBack.setStatus('mandatory') t1_network_profile__channel_usage = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 80), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=named_values(('lineUnavailable', 1), ('lineDisable', 2), ('t1LineQuiesce', 3), ('dropAndInsert', 4), ('dualNetworkInterface', 5), ('tOnlineUsrInterface', 6), ('tOnlineZgrInterface', 7)))).setLabel('t1NetworkProfile-ChannelUsage').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_ChannelUsage.setStatus('mandatory') t1_network_profile__action_o = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 1, 1, 81), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('noAction', 1), ('createProfile', 2), ('deleteProfile', 3)))).setLabel('t1NetworkProfile-Action-o').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_Action_o.setStatus('mandatory') mibt1_network_profile__line_interface__channel_config_table = mib_table((1, 3, 6, 1, 4, 1, 529, 23, 127, 2)).setLabel('mibt1NetworkProfile-LineInterface-ChannelConfigTable') if mibBuilder.loadTexts: mibt1NetworkProfile_LineInterface_ChannelConfigTable.setStatus('mandatory') mibt1_network_profile__line_interface__channel_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 529, 23, 127, 2, 1)).setLabel('mibt1NetworkProfile-LineInterface-ChannelConfigEntry').setIndexNames((0, 'ASCEND-MIBT1NET-MIB', 't1NetworkProfile-LineInterface-ChannelConfig-Shelf-o'), (0, 'ASCEND-MIBT1NET-MIB', 't1NetworkProfile-LineInterface-ChannelConfig-Slot-o'), (0, 'ASCEND-MIBT1NET-MIB', 't1NetworkProfile-LineInterface-ChannelConfig-Item-o'), (0, 'ASCEND-MIBT1NET-MIB', 't1NetworkProfile-LineInterface-ChannelConfig-Index-o')) if mibBuilder.loadTexts: mibt1NetworkProfile_LineInterface_ChannelConfigEntry.setStatus('mandatory') t1_network_profile__line_interface__channel_config__shelf_o = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 2, 1, 1), integer32()).setLabel('t1NetworkProfile-LineInterface-ChannelConfig-Shelf-o').setMaxAccess('readonly') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_ChannelConfig_Shelf_o.setStatus('mandatory') t1_network_profile__line_interface__channel_config__slot_o = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 2, 1, 2), integer32()).setLabel('t1NetworkProfile-LineInterface-ChannelConfig-Slot-o').setMaxAccess('readonly') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_ChannelConfig_Slot_o.setStatus('mandatory') t1_network_profile__line_interface__channel_config__item_o = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 2, 1, 3), integer32()).setLabel('t1NetworkProfile-LineInterface-ChannelConfig-Item-o').setMaxAccess('readonly') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_ChannelConfig_Item_o.setStatus('mandatory') t1_network_profile__line_interface__channel_config__index_o = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 2, 1, 4), integer32()).setLabel('t1NetworkProfile-LineInterface-ChannelConfig-Index-o').setMaxAccess('readonly') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_ChannelConfig_Index_o.setStatus('mandatory') t1_network_profile__line_interface__channel_config__channel_usage = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 2, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('unusedChannel', 1), ('switchedChannel', 2), ('nailed64Channel', 3), ('dChannel', 4), ('nfasPrimaryDChannel', 5), ('nfasSecondaryDChannel', 6), ('semiPermChannel', 7), ('ss7SignalingChannel', 8)))).setLabel('t1NetworkProfile-LineInterface-ChannelConfig-ChannelUsage').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_ChannelConfig_ChannelUsage.setStatus('mandatory') t1_network_profile__line_interface__channel_config__trunk_group = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 2, 1, 6), integer32()).setLabel('t1NetworkProfile-LineInterface-ChannelConfig-TrunkGroup').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_ChannelConfig_TrunkGroup.setStatus('mandatory') t1_network_profile__line_interface__channel_config__phone_number = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 2, 1, 7), display_string()).setLabel('t1NetworkProfile-LineInterface-ChannelConfig-PhoneNumber').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_ChannelConfig_PhoneNumber.setStatus('mandatory') t1_network_profile__line_interface__channel_config__route_port__slot_number__slot_number = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 2, 1, 8), integer32()).setLabel('t1NetworkProfile-LineInterface-ChannelConfig-RoutePort-SlotNumber-SlotNumber').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_ChannelConfig_RoutePort_SlotNumber_SlotNumber.setStatus('mandatory') t1_network_profile__line_interface__channel_config__route_port__slot_number__shelf_number = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 2, 1, 9), integer32()).setLabel('t1NetworkProfile-LineInterface-ChannelConfig-RoutePort-SlotNumber-ShelfNumber').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_ChannelConfig_RoutePort_SlotNumber_ShelfNumber.setStatus('mandatory') t1_network_profile__line_interface__channel_config__route_port__relative_port_number__relative_port_number = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 2, 1, 10), integer32()).setLabel('t1NetworkProfile-LineInterface-ChannelConfig-RoutePort-RelativePortNumber-RelativePortNumber').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_ChannelConfig_RoutePort_RelativePortNumber_RelativePortNumber.setStatus('mandatory') t1_network_profile__line_interface__channel_config__nailed_group = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 2, 1, 14), integer32()).setLabel('t1NetworkProfile-LineInterface-ChannelConfig-NailedGroup').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_ChannelConfig_NailedGroup.setStatus('mandatory') t1_network_profile__line_interface__channel_config__chan_group = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 2, 1, 15), integer32()).setLabel('t1NetworkProfile-LineInterface-ChannelConfig-ChanGroup').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_ChannelConfig_ChanGroup.setStatus('mandatory') t1_network_profile__line_interface__channel_config__dest_chan_group = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 2, 1, 16), integer32()).setLabel('t1NetworkProfile-LineInterface-ChannelConfig-DestChanGroup').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_ChannelConfig_DestChanGroup.setStatus('mandatory') t1_network_profile__line_interface__channel_config__dial_plan_number = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 2, 1, 17), integer32()).setLabel('t1NetworkProfile-LineInterface-ChannelConfig-DialPlanNumber').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_ChannelConfig_DialPlanNumber.setStatus('mandatory') t1_network_profile__line_interface__channel_config__number_of_dial_plan_select_digits = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 2, 1, 18), integer32()).setLabel('t1NetworkProfile-LineInterface-ChannelConfig-NumberOfDialPlanSelectDigits').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_ChannelConfig_NumberOfDialPlanSelectDigits.setStatus('mandatory') t1_network_profile__line_interface__channel_config__idle_pattern = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 127, 2, 1, 19), integer32()).setLabel('t1NetworkProfile-LineInterface-ChannelConfig-IdlePattern').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfile_LineInterface_ChannelConfig_IdlePattern.setStatus('mandatory') mibt1_network_profile_v1_table = mib_table((1, 3, 6, 1, 4, 1, 529, 23, 126, 1)) if mibBuilder.loadTexts: mibt1NetworkProfileV1Table.setStatus('mandatory') mibt1_network_profile_v1_entry = mib_table_row((1, 3, 6, 1, 4, 1, 529, 23, 126, 1, 1)).setIndexNames((0, 'ASCEND-MIBT1NET-MIB', 't1NetworkProfileV1-Name')) if mibBuilder.loadTexts: mibt1NetworkProfileV1Entry.setStatus('mandatory') t1_network_profile_v1__profile_number = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 1, 1, 1), integer32()).setLabel('t1NetworkProfileV1-ProfileNumber').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_ProfileNumber.setStatus('mandatory') t1_network_profile_v1__name = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 1, 1, 2), display_string()).setLabel('t1NetworkProfileV1-Name').setMaxAccess('readonly') if mibBuilder.loadTexts: t1NetworkProfileV1_Name.setStatus('mandatory') t1_network_profile_v1__physical_address__shelf = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=named_values(('anyShelf', 1), ('shelf1', 2), ('shelf2', 3), ('shelf3', 4), ('shelf4', 5), ('shelf5', 6), ('shelf6', 7), ('shelf7', 8), ('shelf8', 9), ('shelf9', 10)))).setLabel('t1NetworkProfileV1-PhysicalAddress-Shelf').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_PhysicalAddress_Shelf.setStatus('mandatory') t1_network_profile_v1__physical_address__slot = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 55, 56, 57, 58, 49, 50, 42, 53, 54, 45, 46, 51, 59))).clone(namedValues=named_values(('anySlot', 1), ('slot1', 2), ('slot2', 3), ('slot3', 4), ('slot4', 5), ('slot5', 6), ('slot6', 7), ('slot7', 8), ('slot8', 9), ('slot9', 10), ('slot10', 11), ('slot11', 12), ('slot12', 13), ('slot13', 14), ('slot14', 15), ('slot15', 16), ('slot16', 17), ('slot17', 18), ('slot18', 19), ('slot19', 20), ('slot20', 21), ('slot21', 22), ('slot22', 23), ('slot23', 24), ('slot24', 25), ('slot25', 26), ('slot26', 27), ('slot27', 28), ('slot28', 29), ('slot29', 30), ('slot30', 31), ('slot31', 32), ('slot32', 33), ('slot33', 34), ('slot34', 35), ('slot35', 36), ('slot36', 37), ('slot37', 38), ('slot38', 39), ('slot39', 40), ('slot40', 41), ('aLim', 55), ('bLim', 56), ('cLim', 57), ('dLim', 58), ('leftController', 49), ('rightController', 50), ('controller', 42), ('firstControlModule', 53), ('secondControlModule', 54), ('trunkModule1', 45), ('trunkModule2', 46), ('controlModule', 51), ('slotPrimary', 59)))).setLabel('t1NetworkProfileV1-PhysicalAddress-Slot').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_PhysicalAddress_Slot.setStatus('mandatory') t1_network_profile_v1__physical_address__item_number = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 1, 1, 5), integer32()).setLabel('t1NetworkProfileV1-PhysicalAddress-ItemNumber').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_PhysicalAddress_ItemNumber.setStatus('mandatory') t1_network_profile_v1__back_to_back = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 1, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('false', 1), ('true', 2)))).setLabel('t1NetworkProfileV1-BackToBack').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_BackToBack.setStatus('mandatory') t1_network_profile_v1__primary_channel_usage = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 1, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=named_values(('lineUnavailable', 1), ('lineDisable', 2), ('t1LineQuiesce', 3), ('dropAndInsert', 4), ('dualNetworkInterface', 5), ('tOnlineUsrInterface', 6), ('tOnlineZgrInterface', 7)))).setLabel('t1NetworkProfileV1-PrimaryChannelUsage').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_PrimaryChannelUsage.setStatus('mandatory') t1_network_profile_v1__secondary_channel_usage = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 1, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=named_values(('lineUnavailable', 1), ('lineDisable', 2), ('t1LineQuiesce', 3), ('dropAndInsert', 4), ('dualNetworkInterface', 5), ('tOnlineUsrInterface', 6), ('tOnlineZgrInterface', 7)))).setLabel('t1NetworkProfileV1-SecondaryChannelUsage').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_SecondaryChannelUsage.setStatus('mandatory') t1_network_profile_v1__tertiary_channel_usage = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 1, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=named_values(('lineUnavailable', 1), ('lineDisable', 2), ('t1LineQuiesce', 3), ('dropAndInsert', 4), ('dualNetworkInterface', 5), ('tOnlineUsrInterface', 6), ('tOnlineZgrInterface', 7)))).setLabel('t1NetworkProfileV1-TertiaryChannelUsage').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_TertiaryChannelUsage.setStatus('mandatory') t1_network_profile_v1__action_o = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 1, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('noAction', 1), ('createProfile', 2), ('deleteProfile', 3)))).setLabel('t1NetworkProfileV1-Action-o').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_Action_o.setStatus('mandatory') mibt1_network_profile_v1__line_interface_table = mib_table((1, 3, 6, 1, 4, 1, 529, 23, 126, 2)).setLabel('mibt1NetworkProfileV1-LineInterfaceTable') if mibBuilder.loadTexts: mibt1NetworkProfileV1_LineInterfaceTable.setStatus('mandatory') mibt1_network_profile_v1__line_interface_entry = mib_table_row((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1)).setLabel('mibt1NetworkProfileV1-LineInterfaceEntry').setIndexNames((0, 'ASCEND-MIBT1NET-MIB', 't1NetworkProfileV1-LineInterface-Name'), (0, 'ASCEND-MIBT1NET-MIB', 't1NetworkProfileV1-LineInterface-Index-o')) if mibBuilder.loadTexts: mibt1NetworkProfileV1_LineInterfaceEntry.setStatus('mandatory') t1_network_profile_v1__line_interface__name = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 1), display_string()).setLabel('t1NetworkProfileV1-LineInterface-Name').setMaxAccess('readonly') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_Name.setStatus('mandatory') t1_network_profile_v1__line_interface__index_o = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 2), integer32()).setLabel('t1NetworkProfileV1-LineInterface-Index-o').setMaxAccess('readonly') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_Index_o.setStatus('mandatory') t1_network_profile_v1__line_interface__enabled = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('t1NetworkProfileV1-LineInterface-Enabled').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_Enabled.setStatus('mandatory') t1_network_profile_v1__line_interface_t_online_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('none', 1), ('nt', 2), ('te', 3), ('numberOfTonline', 4)))).setLabel('t1NetworkProfileV1-LineInterface-TOnlineType').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_TOnlineType.setStatus('mandatory') t1_network_profile_v1__line_interface__frame_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('d4', 1), ('esf', 2), ('g703', 3), ('n-2ds', 4)))).setLabel('t1NetworkProfileV1-LineInterface-FrameType').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_FrameType.setStatus('mandatory') t1_network_profile_v1__line_interface__encoding = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('ami', 1), ('b8zs', 2), ('hdb3', 3), ('none', 4)))).setLabel('t1NetworkProfileV1-LineInterface-Encoding').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_Encoding.setStatus('mandatory') t1_network_profile_v1__line_interface__clock_source = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('eligible', 1), ('notEligible', 2)))).setLabel('t1NetworkProfileV1-LineInterface-ClockSource').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_ClockSource.setStatus('mandatory') t1_network_profile_v1__line_interface__clock_priority = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(2, 3, 4))).clone(namedValues=named_values(('highPriority', 2), ('middlePriority', 3), ('lowPriority', 4)))).setLabel('t1NetworkProfileV1-LineInterface-ClockPriority').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_ClockPriority.setStatus('mandatory') t1_network_profile_v1__line_interface__signaling_mode = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 5, 6, 7, 8, 9, 10, 11, 13, 14, 15, 16, 17, 19, 20, 21, 22, 23, 24, 25, 27, 28, 29, 30, 31, 32, 33, 34))).clone(namedValues=named_values(('inband', 1), ('isdn', 2), ('isdnNfas', 3), ('e1R2Signaling', 5), ('e1KoreanSignaling', 6), ('e1P7Signaling', 7), ('e1ChineseSignaling', 8), ('e1MeteredSignaling', 9), ('e1NoSignaling', 10), ('e1DpnssSignaling', 11), ('e1ArgentinaSignaling', 13), ('e1BrazilSignaling', 14), ('e1PhilippineSignaling', 15), ('e1IndianSignaling', 16), ('e1CzechSignaling', 17), ('e1MalaysiaSignaling', 19), ('e1NewZealandSignaling', 20), ('e1IsraelSignaling', 21), ('e1ThailandSignaling', 22), ('e1KuwaitSignaling', 23), ('e1MexicoSignaling', 24), ('dtmfR2Signaling', 25), ('tunneledPriSignaling', 27), ('inbandFgdInFgdOut', 28), ('inbandFgdInFgcOut', 29), ('inbandFgcInFgcOut', 30), ('inbandFgcInFgdOut', 31), ('e1VietnamSignaling', 32), ('ss7SigTrunk', 33), ('h248DataTrunk', 34)))).setLabel('t1NetworkProfileV1-LineInterface-SignalingMode').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_SignalingMode.setStatus('mandatory') t1_network_profile_v1__line_interface__isdn_emulation_side = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('te', 1), ('nt', 2)))).setLabel('t1NetworkProfileV1-LineInterface-IsdnEmulationSide').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_IsdnEmulationSide.setStatus('mandatory') t1_network_profile_v1__line_interface__robbed_bit_mode = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('winkStart', 1), ('idleStart', 2), ('incW200', 3), ('incW400', 4), ('loopStart', 5), ('groundStart', 6)))).setLabel('t1NetworkProfileV1-LineInterface-RobbedBitMode').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_RobbedBitMode.setStatus('mandatory') t1_network_profile_v1__line_interface__default_call_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('digital', 1), ('voice', 2), ('dnisOrVoice', 3), ('dnisOrDigital', 4), ('voip', 5), ('dnisOrVoip', 6)))).setLabel('t1NetworkProfileV1-LineInterface-DefaultCallType').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_DefaultCallType.setStatus('mandatory') t1_network_profile_v1__line_interface__switch_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 31, 11, 12, 13, 14, 32, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30))).clone(namedValues=named_values(('attPri', 1), ('ntiPri', 2), ('globandPri', 3), ('japanPri', 4), ('vn3Pri', 5), ('onetr6Pri', 6), ('net5Pri', 7), ('danishPri', 8), ('australPri', 9), ('natIsdn2Pri', 10), ('taiwanPri', 31), ('isdxDpnss', 11), ('islxDpnss', 12), ('mercuryDpnss', 13), ('dass2', 14), ('btSs7', 32), ('unknownBri', 15), ('att5essBri', 16), ('dms100Nt1Bri', 17), ('nisdn1Bri', 18), ('vn2Bri', 19), ('btnr191Bri', 20), ('net3Bri', 21), ('ptpNet3Bri', 22), ('kddBri', 23), ('belgianBri', 24), ('australBri', 25), ('swissBri', 26), ('german1tr6Bri', 27), ('dutch1tr6Bri', 28), ('switchCas', 29), ('idslPtpBri', 30)))).setLabel('t1NetworkProfileV1-LineInterface-SwitchType').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_SwitchType.setStatus('mandatory') t1_network_profile_v1__line_interface__nfas_group_id = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 14), integer32()).setLabel('t1NetworkProfileV1-LineInterface-NfasGroupId').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_NfasGroupId.setStatus('mandatory') t1_network_profile_v1__line_interface__nfas_id = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 15), integer32()).setLabel('t1NetworkProfileV1-LineInterface-NfasId').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_NfasId.setStatus('mandatory') t1_network_profile_v1__line_interface__incoming_call_handling = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 16), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('rejectAll', 1), ('internalProcessing', 2), ('ss7GatewayProcessing', 3)))).setLabel('t1NetworkProfileV1-LineInterface-IncomingCallHandling').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_IncomingCallHandling.setStatus('mandatory') t1_network_profile_v1__line_interface__delete_digits = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 17), integer32()).setLabel('t1NetworkProfileV1-LineInterface-DeleteDigits').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_DeleteDigits.setStatus('mandatory') t1_network_profile_v1__line_interface__add_digit_string = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 18), display_string()).setLabel('t1NetworkProfileV1-LineInterface-AddDigitString').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_AddDigitString.setStatus('mandatory') t1_network_profile_v1__line_interface__call_by_call = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 19), integer32()).setLabel('t1NetworkProfileV1-LineInterface-CallByCall').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_CallByCall.setStatus('mandatory') t1_network_profile_v1__line_interface__network_specific_facilities = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 79), integer32()).setLabel('t1NetworkProfileV1-LineInterface-NetworkSpecificFacilities').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_NetworkSpecificFacilities.setStatus('mandatory') t1_network_profile_v1__line_interface__pbx_answer_number = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 20), display_string()).setLabel('t1NetworkProfileV1-LineInterface-PbxAnswerNumber').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_PbxAnswerNumber.setStatus('mandatory') t1_network_profile_v1__line_interface__answer_service = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 21), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 39, 40, 41, 42, 43, 44, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 61, 62, 63, 64, 65, 66, 67, 68, 70, 71, 72, 73, 74, 75, 76, 77, 78, 79, 80, 81, 82, 83, 255, 263))).clone(namedValues=named_values(('voice', 1), ('n-56kRestricted', 2), ('n-64kClear', 3), ('n-64kRestricted', 4), ('n-56kClear', 5), ('n-384kRestricted', 6), ('n-384kClear', 7), ('n-1536kClear', 8), ('n-1536kRestricted', 9), ('n-128kClear', 10), ('n-192kClear', 11), ('n-256kClear', 12), ('n-320kClear', 13), ('dws384Clear', 14), ('n-448Clear', 15), ('n-512Clear', 16), ('n-576Clear', 17), ('n-640Clear', 18), ('n-704Clear', 19), ('n-768Clear', 20), ('n-832Clear', 21), ('n-896Clear', 22), ('n-960Clear', 23), ('n-1024Clear', 24), ('n-1088Clear', 25), ('n-1152Clear', 26), ('n-1216Clear', 27), ('n-1280Clear', 28), ('n-1344Clear', 29), ('n-1408Clear', 30), ('n-1472Clear', 31), ('n-1600Clear', 32), ('n-1664Clear', 33), ('n-1728Clear', 34), ('n-1792Clear', 35), ('n-1856Clear', 36), ('n-1920Clear', 37), ('x30RestrictedBearer', 39), ('v110ClearBearer', 40), ('n-64kX30Restricted', 41), ('n-56kV110Clear', 42), ('modem', 43), ('atmodem', 44), ('n-2456kV110', 46), ('n-4856kV110', 47), ('n-9656kV110', 48), ('n-19256kV110', 49), ('n-38456kV110', 50), ('n-2456krV110', 51), ('n-4856krV110', 52), ('n-9656krV110', 53), ('n-19256krV110', 54), ('n-38456krV110', 55), ('n-2464kV110', 56), ('n-4864kV110', 57), ('n-9664kV110', 58), ('n-19264kV110', 59), ('n-38464kV110', 60), ('n-2464krV110', 61), ('n-4864krV110', 62), ('n-9664krV110', 63), ('n-19264krV110', 64), ('n-38464krV110', 65), ('v32', 66), ('phs64k', 67), ('voiceOverIp', 68), ('atmSvc', 70), ('frameRelaySvc', 71), ('vpnTunnel', 72), ('wormarq', 73), ('n-14456kV110', 74), ('n-28856kV110', 75), ('n-14456krV110', 76), ('n-28856krV110', 77), ('n-14464kV110', 78), ('n-28864kV110', 79), ('n-14464krV110', 80), ('n-28864krV110', 81), ('modem31khzAudio', 82), ('x25Svc', 83), ('n-144kClear', 255), ('iptoip', 263)))).setLabel('t1NetworkProfileV1-LineInterface-AnswerService').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_AnswerService.setStatus('mandatory') t1_network_profile_v1__line_interface_o_pbx_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 22), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('hostPbxVoice', 1), ('hostPbxData', 2), ('hostPbxLeasedData', 3), ('hostPbxLeased11', 4)))).setLabel('t1NetworkProfileV1-LineInterface-oPBXType').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_oPBXType.setStatus('mandatory') t1_network_profile_v1__line_interface__data_sense = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 23), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('normal', 1), ('inv', 2)))).setLabel('t1NetworkProfileV1-LineInterface-DataSense').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_DataSense.setStatus('mandatory') t1_network_profile_v1__line_interface__idle_mode = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 24), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('markIdle', 1), ('flagIdle', 2)))).setLabel('t1NetworkProfileV1-LineInterface-IdleMode').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_IdleMode.setStatus('mandatory') t1_network_profile_v1__line_interface_o_fdl = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 25), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('none', 1), ('atNT', 2), ('ansi', 3), ('sprint', 4)))).setLabel('t1NetworkProfileV1-LineInterface-oFDL').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_oFDL.setStatus('mandatory') t1_network_profile_v1__line_interface__front_end_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 26), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('csu', 1), ('dsx', 2)))).setLabel('t1NetworkProfileV1-LineInterface-FrontEndType').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_FrontEndType.setStatus('mandatory') t1_network_profile_v1__line_interface_o_dsx_line_length = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 27), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('n-1133', 1), ('n-134266', 2), ('n-267399', 3), ('n-400533', 4), ('n-534655', 5)))).setLabel('t1NetworkProfileV1-LineInterface-oDSXLineLength').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_oDSXLineLength.setStatus('mandatory') t1_network_profile_v1__line_interface_o_csu_build_out = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 28), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('n-0Db', 1), ('n-75Db', 2), ('n-15Db', 3), ('n-2255Db', 4)))).setLabel('t1NetworkProfileV1-LineInterface-oCSUBuildOut').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_oCSUBuildOut.setStatus('mandatory') t1_network_profile_v1__line_interface__overlap_receiving = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 29), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('t1NetworkProfileV1-LineInterface-OverlapReceiving').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_OverlapReceiving.setStatus('mandatory') t1_network_profile_v1__line_interface__pri_prefix_number = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 30), display_string()).setLabel('t1NetworkProfileV1-LineInterface-PriPrefixNumber').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_PriPrefixNumber.setStatus('mandatory') t1_network_profile_v1__line_interface__trailing_digits = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 31), integer32()).setLabel('t1NetworkProfileV1-LineInterface-TrailingDigits').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_TrailingDigits.setStatus('mandatory') t1_network_profile_v1__line_interface_t302_timer = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 32), integer32()).setLabel('t1NetworkProfileV1-LineInterface-T302Timer').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_T302Timer.setStatus('mandatory') t1_network_profile_v1__line_interface__layer3_end = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 33), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('false', 1), ('true', 2)))).setLabel('t1NetworkProfileV1-LineInterface-Layer3End').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_Layer3End.setStatus('mandatory') t1_network_profile_v1__line_interface__layer2_end = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 34), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('false', 1), ('true', 2)))).setLabel('t1NetworkProfileV1-LineInterface-Layer2End').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_Layer2End.setStatus('mandatory') t1_network_profile_v1__line_interface__nl_value = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 35), integer32()).setLabel('t1NetworkProfileV1-LineInterface-NlValue').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_NlValue.setStatus('mandatory') t1_network_profile_v1__line_interface__loop_avoidance = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 36), integer32()).setLabel('t1NetworkProfileV1-LineInterface-LoopAvoidance').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_LoopAvoidance.setStatus('mandatory') t1_network_profile_v1__line_interface__maintenance_state = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 37), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('t1NetworkProfileV1-LineInterface-MaintenanceState').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_MaintenanceState.setStatus('mandatory') t1_network_profile_v1__line_interface__number_complete = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 38), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18))).clone(namedValues=named_values(('n-1Digits', 1), ('n-2Digits', 2), ('n-3Digits', 3), ('n-4Digits', 4), ('n-5Digits', 5), ('n-6Digits', 6), ('n-7Digits', 7), ('n-8Digits', 8), ('n-9Digits', 9), ('n-10Digits', 10), ('endOfPulsing', 11), ('n-0Digits', 12), ('n-11Digits', 13), ('n-12Digits', 14), ('n-13Digits', 15), ('n-14Digits', 16), ('n-15Digits', 17), ('timeOut', 18)))).setLabel('t1NetworkProfileV1-LineInterface-NumberComplete').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_NumberComplete.setStatus('mandatory') t1_network_profile_v1__line_interface__group_b_answer_signal = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 39), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15))).clone(namedValues=named_values(('signalB1', 1), ('signalB2', 2), ('signalB3', 3), ('signalB4', 4), ('signalB5', 5), ('signalB6', 6), ('signalB7', 7), ('signalB8', 8), ('signalB9', 9), ('signalB10', 10), ('signalB11', 11), ('signalB12', 12), ('signalB13', 13), ('signalB14', 14), ('signalB15', 15)))).setLabel('t1NetworkProfileV1-LineInterface-GroupBAnswerSignal').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_GroupBAnswerSignal.setStatus('mandatory') t1_network_profile_v1__line_interface__group_b_busy_signal = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 40), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15))).clone(namedValues=named_values(('signalB1', 1), ('signalB2', 2), ('signalB3', 3), ('signalB4', 4), ('signalB5', 5), ('signalB6', 6), ('signalB7', 7), ('signalB8', 8), ('signalB9', 9), ('signalB10', 10), ('signalB11', 11), ('signalB12', 12), ('signalB13', 13), ('signalB14', 14), ('signalB15', 15)))).setLabel('t1NetworkProfileV1-LineInterface-GroupBBusySignal').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_GroupBBusySignal.setStatus('mandatory') t1_network_profile_v1__line_interface__group_b_no_match_signal = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 41), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15))).clone(namedValues=named_values(('signalB1', 1), ('signalB2', 2), ('signalB3', 3), ('signalB4', 4), ('signalB5', 5), ('signalB6', 6), ('signalB7', 7), ('signalB8', 8), ('signalB9', 9), ('signalB10', 10), ('signalB11', 11), ('signalB12', 12), ('signalB13', 13), ('signalB14', 14), ('signalB15', 15)))).setLabel('t1NetworkProfileV1-LineInterface-GroupBNoMatchSignal').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_GroupBNoMatchSignal.setStatus('mandatory') t1_network_profile_v1__line_interface__group_b_collect_signal = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 42), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15))).clone(namedValues=named_values(('signalB1', 1), ('signalB2', 2), ('signalB3', 3), ('signalB4', 4), ('signalB5', 5), ('signalB6', 6), ('signalB7', 7), ('signalB8', 8), ('signalB9', 9), ('signalB10', 10), ('signalB11', 11), ('signalB12', 12), ('signalB13', 13), ('signalB14', 14), ('signalB15', 15)))).setLabel('t1NetworkProfileV1-LineInterface-GroupBCollectSignal').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_GroupBCollectSignal.setStatus('mandatory') t1_network_profile_v1__line_interface__group_b_no_charge_signal = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 74), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15))).clone(namedValues=named_values(('signalB1', 1), ('signalB2', 2), ('signalB3', 3), ('signalB4', 4), ('signalB5', 5), ('signalB6', 6), ('signalB7', 7), ('signalB8', 8), ('signalB9', 9), ('signalB10', 10), ('signalB11', 11), ('signalB12', 12), ('signalB13', 13), ('signalB14', 14), ('signalB15', 15)))).setLabel('t1NetworkProfileV1-LineInterface-GroupBNoChargeSignal').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_GroupBNoChargeSignal.setStatus('mandatory') t1_network_profile_v1__line_interface__group_ii_signal = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 43), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15))).clone(namedValues=named_values(('signalIi1', 1), ('signalIi2', 2), ('signalIi3', 3), ('signalIi4', 4), ('signalIi5', 5), ('signalIi6', 6), ('signalIi7', 7), ('signalIi8', 8), ('signalIi9', 9), ('signalIi10', 10), ('signalIi11', 11), ('signalIi12', 12), ('signalIi13', 13), ('signalIi14', 14), ('signalIi15', 15)))).setLabel('t1NetworkProfileV1-LineInterface-GroupIiSignal').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_GroupIiSignal.setStatus('mandatory') t1_network_profile_v1__line_interface__input_sample_count = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 44), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('oneSample', 1), ('twoSamples', 2)))).setLabel('t1NetworkProfileV1-LineInterface-InputSampleCount').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_InputSampleCount.setStatus('mandatory') t1_network_profile_v1__line_interface__answer_delay = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 45), integer32()).setLabel('t1NetworkProfileV1-LineInterface-AnswerDelay').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_AnswerDelay.setStatus('mandatory') t1_network_profile_v1__line_interface__caller_id = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 46), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('noCallerId', 1), ('getCallerId', 2)))).setLabel('t1NetworkProfileV1-LineInterface-CallerId').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_CallerId.setStatus('mandatory') t1_network_profile_v1__line_interface__line_signaling = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 47), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('abBitsLineSignaling', 1), ('aBitOnly0EqualBBit', 2), ('aBitOnly1EqualBBit', 3)))).setLabel('t1NetworkProfileV1-LineInterface-LineSignaling').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_LineSignaling.setStatus('mandatory') t1_network_profile_v1__line_interface__timer1_collect_call = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 48), integer32()).setLabel('t1NetworkProfileV1-LineInterface-Timer1CollectCall').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_Timer1CollectCall.setStatus('mandatory') t1_network_profile_v1__line_interface__timer2_collect_call = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 49), integer32()).setLabel('t1NetworkProfileV1-LineInterface-Timer2CollectCall').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_Timer2CollectCall.setStatus('mandatory') t1_network_profile_v1__line_interface__send_disc_val = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 50), integer32()).setLabel('t1NetworkProfileV1-LineInterface-SendDiscVal').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_SendDiscVal.setStatus('mandatory') t1_network_profile_v1__line_interface__hunt_grp_phone_number1 = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 51), display_string()).setLabel('t1NetworkProfileV1-LineInterface-HuntGrpPhoneNumber1').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_HuntGrpPhoneNumber1.setStatus('mandatory') t1_network_profile_v1__line_interface__hunt_grp_phone_number2 = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 52), display_string()).setLabel('t1NetworkProfileV1-LineInterface-HuntGrpPhoneNumber2').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_HuntGrpPhoneNumber2.setStatus('mandatory') t1_network_profile_v1__line_interface__hunt_grp_phone_number3 = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 53), display_string()).setLabel('t1NetworkProfileV1-LineInterface-HuntGrpPhoneNumber3').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_HuntGrpPhoneNumber3.setStatus('mandatory') t1_network_profile_v1__line_interface__pri_type_of_number = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 54), integer32()).setLabel('t1NetworkProfileV1-LineInterface-PriTypeOfNumber').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_PriTypeOfNumber.setStatus('mandatory') t1_network_profile_v1__line_interface__pri_numbering_plan_id = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 55), integer32()).setLabel('t1NetworkProfileV1-LineInterface-PriNumberingPlanId').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_PriNumberingPlanId.setStatus('mandatory') t1_network_profile_v1__line_interface__super_frame_src_line_number = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 56), integer32()).setLabel('t1NetworkProfileV1-LineInterface-SuperFrameSrcLineNumber').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_SuperFrameSrcLineNumber.setStatus('mandatory') t1_network_profile_v1__line_interface__collect_incoming_digits = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 57), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('t1NetworkProfileV1-LineInterface-CollectIncomingDigits').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_CollectIncomingDigits.setStatus('mandatory') t1_network_profile_v1__line_interface_t1_inter_digit_timeout = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 58), integer32()).setLabel('t1NetworkProfileV1-LineInterface-T1InterDigitTimeout').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_T1InterDigitTimeout.setStatus('mandatory') t1_network_profile_v1__line_interface_r1_use_anir = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 59), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('t1NetworkProfileV1-LineInterface-R1UseAnir').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_R1UseAnir.setStatus('mandatory') t1_network_profile_v1__line_interface_r1_first_digit_timer = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 60), integer32()).setLabel('t1NetworkProfileV1-LineInterface-R1FirstDigitTimer').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_R1FirstDigitTimer.setStatus('mandatory') t1_network_profile_v1__line_interface_r1_anir_delay = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 61), integer32()).setLabel('t1NetworkProfileV1-LineInterface-R1AnirDelay').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_R1AnirDelay.setStatus('mandatory') t1_network_profile_v1__line_interface_r1_anir_timer = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 62), integer32()).setLabel('t1NetworkProfileV1-LineInterface-R1AnirTimer').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_R1AnirTimer.setStatus('mandatory') t1_network_profile_v1__line_interface_r1_modified = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 63), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('t1NetworkProfileV1-LineInterface-R1Modified').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_R1Modified.setStatus('mandatory') t1_network_profile_v1__line_interface__first_ds0 = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 64), integer32()).setLabel('t1NetworkProfileV1-LineInterface-FirstDs0').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_FirstDs0.setStatus('mandatory') t1_network_profile_v1__line_interface__last_ds0 = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 65), integer32()).setLabel('t1NetworkProfileV1-LineInterface-LastDs0').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_LastDs0.setStatus('mandatory') t1_network_profile_v1__line_interface__nailed_group = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 66), integer32()).setLabel('t1NetworkProfileV1-LineInterface-NailedGroup').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_NailedGroup.setStatus('mandatory') t1_network_profile_v1__line_interface__ss7_continuity__incoming_procedure = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 67), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(2, 3))).clone(namedValues=named_values(('loopback', 2), ('transponder', 3)))).setLabel('t1NetworkProfileV1-LineInterface-Ss7Continuity-IncomingProcedure').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_Ss7Continuity_IncomingProcedure.setStatus('mandatory') t1_network_profile_v1__line_interface__ss7_continuity__outgoing_procedure = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 68), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(2, 3, 4, 5, 6, 7))).clone(namedValues=named_values(('singleTone2010', 2), ('send2010Expect1780', 3), ('send1780Expect2010', 4), ('singleTone2000', 5), ('send2000Expect1780', 6), ('send1780Expect2000', 7)))).setLabel('t1NetworkProfileV1-LineInterface-Ss7Continuity-OutgoingProcedure').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_Ss7Continuity_OutgoingProcedure.setStatus('mandatory') t1_network_profile_v1__line_interface__line_provision = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 69), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('lineProvisionNone', 1), ('lineProvisionH0', 2), ('lineProvisionH11', 3), ('lineProvisionH0H11', 4), ('lineProvisionH12', 5), ('lineProvisionH0H12', 6), ('lineProvisionH11H12', 7), ('lineProvisionH0H11H12', 8)))).setLabel('t1NetworkProfileV1-LineInterface-LineProvision').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_LineProvision.setStatus('mandatory') t1_network_profile_v1__line_interface__gr303_mode = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 70), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('gr303Disabled', 1), ('gr3035essPri', 2), ('gr303DmsPri', 3), ('gr303Secondary', 4), ('gr303Normal', 5)))).setLabel('t1NetworkProfileV1-LineInterface-Gr303Mode').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_Gr303Mode.setStatus('mandatory') t1_network_profile_v1__line_interface__gr303_group_id = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 71), integer32()).setLabel('t1NetworkProfileV1-LineInterface-Gr303GroupId').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_Gr303GroupId.setStatus('mandatory') t1_network_profile_v1__line_interface__gr303_ds1_id = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 72), integer32()).setLabel('t1NetworkProfileV1-LineInterface-Gr303Ds1Id').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_Gr303Ds1Id.setStatus('mandatory') t1_network_profile_v1__line_interface__switch_version = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 73), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('switchVersionGeneric', 1), ('switchVersionDefinityG3v4', 2)))).setLabel('t1NetworkProfileV1-LineInterface-SwitchVersion').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_SwitchVersion.setStatus('mandatory') t1_network_profile_v1__line_interface__down_trans_delay = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 76), integer32()).setLabel('t1NetworkProfileV1-LineInterface-DownTransDelay').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_DownTransDelay.setStatus('mandatory') t1_network_profile_v1__line_interface__up_trans_delay = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 77), integer32()).setLabel('t1NetworkProfileV1-LineInterface-UpTransDelay').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_UpTransDelay.setStatus('mandatory') t1_network_profile_v1__line_interface__status_change_trap_enable = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 75), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('t1NetworkProfileV1-LineInterface-StatusChangeTrapEnable').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_StatusChangeTrapEnable.setStatus('mandatory') t1_network_profile_v1__line_interface__cause_code_verification_enable = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 2, 1, 80), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('t1NetworkProfileV1-LineInterface-CauseCodeVerificationEnable').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_CauseCodeVerificationEnable.setStatus('mandatory') mibt1_network_profile_v1__line_interface__channel_config_table = mib_table((1, 3, 6, 1, 4, 1, 529, 23, 126, 3)).setLabel('mibt1NetworkProfileV1-LineInterface-ChannelConfigTable') if mibBuilder.loadTexts: mibt1NetworkProfileV1_LineInterface_ChannelConfigTable.setStatus('mandatory') mibt1_network_profile_v1__line_interface__channel_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 529, 23, 126, 3, 1)).setLabel('mibt1NetworkProfileV1-LineInterface-ChannelConfigEntry').setIndexNames((0, 'ASCEND-MIBT1NET-MIB', 't1NetworkProfileV1-LineInterface-ChannelConfig-Name'), (0, 'ASCEND-MIBT1NET-MIB', 't1NetworkProfileV1-LineInterface-ChannelConfig-Index-o'), (0, 'ASCEND-MIBT1NET-MIB', 't1NetworkProfileV1-LineInterface-ChannelConfig-Index1-o')) if mibBuilder.loadTexts: mibt1NetworkProfileV1_LineInterface_ChannelConfigEntry.setStatus('mandatory') t1_network_profile_v1__line_interface__channel_config__name = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 3, 1, 1), display_string()).setLabel('t1NetworkProfileV1-LineInterface-ChannelConfig-Name').setMaxAccess('readonly') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_ChannelConfig_Name.setStatus('mandatory') t1_network_profile_v1__line_interface__channel_config__index_o = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 3, 1, 2), integer32()).setLabel('t1NetworkProfileV1-LineInterface-ChannelConfig-Index-o').setMaxAccess('readonly') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_ChannelConfig_Index_o.setStatus('mandatory') t1_network_profile_v1__line_interface__channel_config__index1_o = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 3, 1, 3), integer32()).setLabel('t1NetworkProfileV1-LineInterface-ChannelConfig-Index1-o').setMaxAccess('readonly') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_ChannelConfig_Index1_o.setStatus('mandatory') t1_network_profile_v1__line_interface__channel_config__channel_usage = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 3, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('unusedChannel', 1), ('switchedChannel', 2), ('nailed64Channel', 3), ('dChannel', 4), ('nfasPrimaryDChannel', 5), ('nfasSecondaryDChannel', 6), ('semiPermChannel', 7), ('ss7SignalingChannel', 8)))).setLabel('t1NetworkProfileV1-LineInterface-ChannelConfig-ChannelUsage').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_ChannelConfig_ChannelUsage.setStatus('mandatory') t1_network_profile_v1__line_interface__channel_config__trunk_group = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 3, 1, 5), integer32()).setLabel('t1NetworkProfileV1-LineInterface-ChannelConfig-TrunkGroup').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_ChannelConfig_TrunkGroup.setStatus('mandatory') t1_network_profile_v1__line_interface__channel_config__phone_number = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 3, 1, 6), display_string()).setLabel('t1NetworkProfileV1-LineInterface-ChannelConfig-PhoneNumber').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_ChannelConfig_PhoneNumber.setStatus('mandatory') t1_network_profile_v1__line_interface__channel_config__route_port__slot_number__slot_number = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 3, 1, 7), integer32()).setLabel('t1NetworkProfileV1-LineInterface-ChannelConfig-RoutePort-SlotNumber-SlotNumber').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_ChannelConfig_RoutePort_SlotNumber_SlotNumber.setStatus('mandatory') t1_network_profile_v1__line_interface__channel_config__route_port__slot_number__shelf_number = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 3, 1, 8), integer32()).setLabel('t1NetworkProfileV1-LineInterface-ChannelConfig-RoutePort-SlotNumber-ShelfNumber').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_ChannelConfig_RoutePort_SlotNumber_ShelfNumber.setStatus('mandatory') t1_network_profile_v1__line_interface__channel_config__route_port__relative_port_number__relative_port_number = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 3, 1, 9), integer32()).setLabel('t1NetworkProfileV1-LineInterface-ChannelConfig-RoutePort-RelativePortNumber-RelativePortNumber').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_ChannelConfig_RoutePort_RelativePortNumber_RelativePortNumber.setStatus('mandatory') t1_network_profile_v1__line_interface__channel_config__nailed_group = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 3, 1, 13), integer32()).setLabel('t1NetworkProfileV1-LineInterface-ChannelConfig-NailedGroup').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_ChannelConfig_NailedGroup.setStatus('mandatory') t1_network_profile_v1__line_interface__channel_config__chan_group = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 3, 1, 14), integer32()).setLabel('t1NetworkProfileV1-LineInterface-ChannelConfig-ChanGroup').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_ChannelConfig_ChanGroup.setStatus('mandatory') t1_network_profile_v1__line_interface__channel_config__dest_chan_group = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 3, 1, 15), integer32()).setLabel('t1NetworkProfileV1-LineInterface-ChannelConfig-DestChanGroup').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_ChannelConfig_DestChanGroup.setStatus('mandatory') t1_network_profile_v1__line_interface__channel_config__dial_plan_number = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 3, 1, 16), integer32()).setLabel('t1NetworkProfileV1-LineInterface-ChannelConfig-DialPlanNumber').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_ChannelConfig_DialPlanNumber.setStatus('mandatory') t1_network_profile_v1__line_interface__channel_config__number_of_dial_plan_select_digits = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 3, 1, 17), integer32()).setLabel('t1NetworkProfileV1-LineInterface-ChannelConfig-NumberOfDialPlanSelectDigits').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_ChannelConfig_NumberOfDialPlanSelectDigits.setStatus('mandatory') t1_network_profile_v1__line_interface__channel_config__idle_pattern = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 126, 3, 1, 18), integer32()).setLabel('t1NetworkProfileV1-LineInterface-ChannelConfig-IdlePattern').setMaxAccess('readwrite') if mibBuilder.loadTexts: t1NetworkProfileV1_LineInterface_ChannelConfig_IdlePattern.setStatus('mandatory') mibBuilder.exportSymbols('ASCEND-MIBT1NET-MIB', t1NetworkProfile_LineInterface_NailedGroup=t1NetworkProfile_LineInterface_NailedGroup, t1NetworkProfile_LineInterface_Timer2CollectCall=t1NetworkProfile_LineInterface_Timer2CollectCall, t1NetworkProfileV1_LineInterface_MaintenanceState=t1NetworkProfileV1_LineInterface_MaintenanceState, t1NetworkProfileV1_LineInterface_StatusChangeTrapEnable=t1NetworkProfileV1_LineInterface_StatusChangeTrapEnable, t1NetworkProfileV1_LineInterface_ChannelConfig_Index1_o=t1NetworkProfileV1_LineInterface_ChannelConfig_Index1_o, t1NetworkProfileV1_LineInterface_CallerId=t1NetworkProfileV1_LineInterface_CallerId, t1NetworkProfileV1_LineInterface_ChannelConfig_NailedGroup=t1NetworkProfileV1_LineInterface_ChannelConfig_NailedGroup, t1NetworkProfile_LineInterface_DownTransDelay=t1NetworkProfile_LineInterface_DownTransDelay, t1NetworkProfileV1_LineInterface_GroupBCollectSignal=t1NetworkProfileV1_LineInterface_GroupBCollectSignal, t1NetworkProfile_Slot_o=t1NetworkProfile_Slot_o, t1NetworkProfile_LineInterface_TOnlineType=t1NetworkProfile_LineInterface_TOnlineType, mibt1NetworkProfileV1_LineInterfaceTable=mibt1NetworkProfileV1_LineInterfaceTable, t1NetworkProfileV1_LineInterface_DefaultCallType=t1NetworkProfileV1_LineInterface_DefaultCallType, t1NetworkProfileV1_LineInterface_NlValue=t1NetworkProfileV1_LineInterface_NlValue, t1NetworkProfile_LineInterface_DefaultCallType=t1NetworkProfile_LineInterface_DefaultCallType, t1NetworkProfile_LineInterface_ChannelConfig_ChannelUsage=t1NetworkProfile_LineInterface_ChannelConfig_ChannelUsage, t1NetworkProfileV1_LineInterface_oPBXType=t1NetworkProfileV1_LineInterface_oPBXType, t1NetworkProfileV1_LineInterface_Timer2CollectCall=t1NetworkProfileV1_LineInterface_Timer2CollectCall, t1NetworkProfile_LineInterface_LoopAvoidance=t1NetworkProfile_LineInterface_LoopAvoidance, t1NetworkProfileV1_LineInterface_AnswerService=t1NetworkProfileV1_LineInterface_AnswerService, t1NetworkProfileV1_LineInterface_Ss7Continuity_OutgoingProcedure=t1NetworkProfileV1_LineInterface_Ss7Continuity_OutgoingProcedure, t1NetworkProfileV1_LineInterface_Name=t1NetworkProfileV1_LineInterface_Name, t1NetworkProfileV1_LineInterface_Layer3End=t1NetworkProfileV1_LineInterface_Layer3End, t1NetworkProfile_LineInterface_InputSampleCount=t1NetworkProfile_LineInterface_InputSampleCount, t1NetworkProfile_LineInterface_GroupBBusySignal=t1NetworkProfile_LineInterface_GroupBBusySignal, t1NetworkProfile_LineInterface_T1InterDigitTimeout=t1NetworkProfile_LineInterface_T1InterDigitTimeout, t1NetworkProfileV1_LineInterface_T1InterDigitTimeout=t1NetworkProfileV1_LineInterface_T1InterDigitTimeout, t1NetworkProfile_LineInterface_T302Timer=t1NetworkProfile_LineInterface_T302Timer, t1NetworkProfileV1_LineInterface_ChannelConfig_IdlePattern=t1NetworkProfileV1_LineInterface_ChannelConfig_IdlePattern, t1NetworkProfile_LineInterface_CauseCodeVerificationEnable=t1NetworkProfile_LineInterface_CauseCodeVerificationEnable, t1NetworkProfile_LineInterface_SignalingMode=t1NetworkProfile_LineInterface_SignalingMode, t1NetworkProfileV1_LineInterface_HuntGrpPhoneNumber2=t1NetworkProfileV1_LineInterface_HuntGrpPhoneNumber2, t1NetworkProfile_LineInterface_ChannelConfig_IdlePattern=t1NetworkProfile_LineInterface_ChannelConfig_IdlePattern, t1NetworkProfileV1_Name=t1NetworkProfileV1_Name, mibt1NetworkProfileEntry=mibt1NetworkProfileEntry, t1NetworkProfile_LineInterface_NfasGroupId=t1NetworkProfile_LineInterface_NfasGroupId, t1NetworkProfileV1_LineInterface_Enabled=t1NetworkProfileV1_LineInterface_Enabled, t1NetworkProfile_LineInterface_SwitchVersion=t1NetworkProfile_LineInterface_SwitchVersion, t1NetworkProfileV1_PhysicalAddress_ItemNumber=t1NetworkProfileV1_PhysicalAddress_ItemNumber, t1NetworkProfileV1_LineInterface_R1AnirDelay=t1NetworkProfileV1_LineInterface_R1AnirDelay, t1NetworkProfileV1_ProfileNumber=t1NetworkProfileV1_ProfileNumber, t1NetworkProfileV1_LineInterface_ChannelConfig_RoutePort_RelativePortNumber_RelativePortNumber=t1NetworkProfileV1_LineInterface_ChannelConfig_RoutePort_RelativePortNumber_RelativePortNumber, t1NetworkProfile_LineInterface_ChannelConfig_Shelf_o=t1NetworkProfile_LineInterface_ChannelConfig_Shelf_o, t1NetworkProfileV1_LineInterface_DownTransDelay=t1NetworkProfileV1_LineInterface_DownTransDelay, t1NetworkProfile_LineInterface_ChannelConfig_TrunkGroup=t1NetworkProfile_LineInterface_ChannelConfig_TrunkGroup, mibt1NetworkProfileTable=mibt1NetworkProfileTable, t1NetworkProfile_LineInterface_GroupIiSignal=t1NetworkProfile_LineInterface_GroupIiSignal, t1NetworkProfileV1_LineInterface_AddDigitString=t1NetworkProfileV1_LineInterface_AddDigitString, t1NetworkProfileV1_LineInterface_ChannelConfig_Index_o=t1NetworkProfileV1_LineInterface_ChannelConfig_Index_o, t1NetworkProfile_LineInterface_Ss7Continuity_OutgoingProcedure=t1NetworkProfile_LineInterface_Ss7Continuity_OutgoingProcedure, t1NetworkProfileV1_PhysicalAddress_Shelf=t1NetworkProfileV1_PhysicalAddress_Shelf, t1NetworkProfileV1_LineInterface_R1UseAnir=t1NetworkProfileV1_LineInterface_R1UseAnir, t1NetworkProfile_LineInterface_FrontEndType=t1NetworkProfile_LineInterface_FrontEndType, t1NetworkProfile_LineInterface_StatusChangeTrapEnable=t1NetworkProfile_LineInterface_StatusChangeTrapEnable, t1NetworkProfile_LineInterface_ChannelConfig_Slot_o=t1NetworkProfile_LineInterface_ChannelConfig_Slot_o, mibt1NetworkProfile_LineInterface_ChannelConfigTable=mibt1NetworkProfile_LineInterface_ChannelConfigTable, t1NetworkProfile_PhysicalAddress_Slot=t1NetworkProfile_PhysicalAddress_Slot, t1NetworkProfileV1_LineInterface_NetworkSpecificFacilities=t1NetworkProfileV1_LineInterface_NetworkSpecificFacilities, t1NetworkProfileV1_LineInterface_R1FirstDigitTimer=t1NetworkProfileV1_LineInterface_R1FirstDigitTimer, t1NetworkProfile_LineInterface_ChannelConfig_RoutePort_SlotNumber_ShelfNumber=t1NetworkProfile_LineInterface_ChannelConfig_RoutePort_SlotNumber_ShelfNumber, t1NetworkProfileV1_LineInterface_oFDL=t1NetworkProfileV1_LineInterface_oFDL, t1NetworkProfileV1_LineInterface_InputSampleCount=t1NetworkProfileV1_LineInterface_InputSampleCount, t1NetworkProfile_LineInterface_IdleMode=t1NetworkProfile_LineInterface_IdleMode, t1NetworkProfileV1_LineInterface_Gr303Ds1Id=t1NetworkProfileV1_LineInterface_Gr303Ds1Id, t1NetworkProfile_LineInterface_ChannelConfig_DestChanGroup=t1NetworkProfile_LineInterface_ChannelConfig_DestChanGroup, t1NetworkProfileV1_LineInterface_LastDs0=t1NetworkProfileV1_LineInterface_LastDs0, t1NetworkProfileV1_LineInterface_ChannelConfig_Name=t1NetworkProfileV1_LineInterface_ChannelConfig_Name, t1NetworkProfileV1_LineInterface_Ss7Continuity_IncomingProcedure=t1NetworkProfileV1_LineInterface_Ss7Continuity_IncomingProcedure, mibt1NetworkProfile=mibt1NetworkProfile, t1NetworkProfile_LineInterface_ChannelConfig_RoutePort_RelativePortNumber_RelativePortNumber=t1NetworkProfile_LineInterface_ChannelConfig_RoutePort_RelativePortNumber_RelativePortNumber, t1NetworkProfileV1_LineInterface_R1Modified=t1NetworkProfileV1_LineInterface_R1Modified, t1NetworkProfile_LineInterface_ClockPriority=t1NetworkProfile_LineInterface_ClockPriority, DisplayString=DisplayString, mibt1NetworkProfileV1Entry=mibt1NetworkProfileV1Entry, t1NetworkProfile_LineInterface_GroupBAnswerSignal=t1NetworkProfile_LineInterface_GroupBAnswerSignal, t1NetworkProfileV1_LineInterface_TrailingDigits=t1NetworkProfileV1_LineInterface_TrailingDigits, t1NetworkProfile_LineInterface_ClockSource=t1NetworkProfile_LineInterface_ClockSource, t1NetworkProfileV1_LineInterface_GroupBBusySignal=t1NetworkProfileV1_LineInterface_GroupBBusySignal, t1NetworkProfileV1_LineInterface_LineProvision=t1NetworkProfileV1_LineInterface_LineProvision, t1NetworkProfile_LineInterface_oFDL=t1NetworkProfile_LineInterface_oFDL, t1NetworkProfileV1_LineInterface_T302Timer=t1NetworkProfileV1_LineInterface_T302Timer, t1NetworkProfile_LineInterface_GroupBCollectSignal=t1NetworkProfile_LineInterface_GroupBCollectSignal, t1NetworkProfile_LineInterface_PriNumberingPlanId=t1NetworkProfile_LineInterface_PriNumberingPlanId, t1NetworkProfileV1_LineInterface_GroupBNoChargeSignal=t1NetworkProfileV1_LineInterface_GroupBNoChargeSignal, mibt1NetworkProfileV1_LineInterface_ChannelConfigEntry=mibt1NetworkProfileV1_LineInterface_ChannelConfigEntry, t1NetworkProfile_LineInterface_IsdnEmulationSide=t1NetworkProfile_LineInterface_IsdnEmulationSide, t1NetworkProfile_LineInterface_AddDigitString=t1NetworkProfile_LineInterface_AddDigitString, t1NetworkProfile_LineInterface_NumberComplete=t1NetworkProfile_LineInterface_NumberComplete, t1NetworkProfile_BackToBack=t1NetworkProfile_BackToBack, t1NetworkProfileV1_LineInterface_LoopAvoidance=t1NetworkProfileV1_LineInterface_LoopAvoidance, t1NetworkProfileV1_LineInterface_oCSUBuildOut=t1NetworkProfileV1_LineInterface_oCSUBuildOut, t1NetworkProfile_LineInterface_oCSUBuildOut=t1NetworkProfile_LineInterface_oCSUBuildOut, t1NetworkProfileV1_LineInterface_NailedGroup=t1NetworkProfileV1_LineInterface_NailedGroup, t1NetworkProfile_LineInterface_NetworkSpecificFacilities=t1NetworkProfile_LineInterface_NetworkSpecificFacilities, t1NetworkProfile_LineInterface_DeleteDigits=t1NetworkProfile_LineInterface_DeleteDigits, t1NetworkProfileV1_LineInterface_HuntGrpPhoneNumber3=t1NetworkProfileV1_LineInterface_HuntGrpPhoneNumber3, t1NetworkProfile_LineInterface_Enabled=t1NetworkProfile_LineInterface_Enabled, t1NetworkProfileV1_LineInterface_ClockSource=t1NetworkProfileV1_LineInterface_ClockSource, t1NetworkProfile_LineInterface_IncomingCallHandling=t1NetworkProfile_LineInterface_IncomingCallHandling, mibt1NetworkProfile_LineInterface_ChannelConfigEntry=mibt1NetworkProfile_LineInterface_ChannelConfigEntry, t1NetworkProfileV1_LineInterface_AnswerDelay=t1NetworkProfileV1_LineInterface_AnswerDelay, t1NetworkProfile_Shelf_o=t1NetworkProfile_Shelf_o, t1NetworkProfile_LineInterface_ChannelConfig_Index_o=t1NetworkProfile_LineInterface_ChannelConfig_Index_o, t1NetworkProfileV1_LineInterface_IncomingCallHandling=t1NetworkProfileV1_LineInterface_IncomingCallHandling, t1NetworkProfileV1_LineInterface_UpTransDelay=t1NetworkProfileV1_LineInterface_UpTransDelay, t1NetworkProfile_LineInterface_ChannelConfig_Item_o=t1NetworkProfile_LineInterface_ChannelConfig_Item_o, t1NetworkProfileV1_LineInterface_Gr303GroupId=t1NetworkProfileV1_LineInterface_Gr303GroupId, t1NetworkProfileV1_LineInterface_DeleteDigits=t1NetworkProfileV1_LineInterface_DeleteDigits, t1NetworkProfileV1_LineInterface_CallByCall=t1NetworkProfileV1_LineInterface_CallByCall, t1NetworkProfileV1_LineInterface_SuperFrameSrcLineNumber=t1NetworkProfileV1_LineInterface_SuperFrameSrcLineNumber, t1NetworkProfileV1_LineInterface_FirstDs0=t1NetworkProfileV1_LineInterface_FirstDs0, mibt1NetworkProfileV1Table=mibt1NetworkProfileV1Table, t1NetworkProfileV1_LineInterface_SwitchType=t1NetworkProfileV1_LineInterface_SwitchType, t1NetworkProfileV1_LineInterface_ChannelConfig_TrunkGroup=t1NetworkProfileV1_LineInterface_ChannelConfig_TrunkGroup, t1NetworkProfileV1_LineInterface_ChannelConfig_DestChanGroup=t1NetworkProfileV1_LineInterface_ChannelConfig_DestChanGroup, t1NetworkProfileV1_LineInterface_GroupBAnswerSignal=t1NetworkProfileV1_LineInterface_GroupBAnswerSignal, t1NetworkProfileV1_LineInterface_OverlapReceiving=t1NetworkProfileV1_LineInterface_OverlapReceiving, t1NetworkProfile_LineInterface_ChannelConfig_DialPlanNumber=t1NetworkProfile_LineInterface_ChannelConfig_DialPlanNumber, t1NetworkProfile_LineInterface_PriTypeOfNumber=t1NetworkProfile_LineInterface_PriTypeOfNumber, t1NetworkProfile_LineInterface_CollectIncomingDigits=t1NetworkProfile_LineInterface_CollectIncomingDigits, t1NetworkProfile_LineInterface_LineProvision=t1NetworkProfile_LineInterface_LineProvision, t1NetworkProfile_LineInterface_FirstDs0=t1NetworkProfile_LineInterface_FirstDs0, t1NetworkProfile_LineInterface_Gr303GroupId=t1NetworkProfile_LineInterface_Gr303GroupId, t1NetworkProfile_LineInterface_SuperFrameSrcLineNumber=t1NetworkProfile_LineInterface_SuperFrameSrcLineNumber, t1NetworkProfileV1_LineInterface_GroupBNoMatchSignal=t1NetworkProfileV1_LineInterface_GroupBNoMatchSignal, t1NetworkProfile_PhysicalAddress_Shelf=t1NetworkProfile_PhysicalAddress_Shelf, t1NetworkProfile_PhysicalAddress_ItemNumber=t1NetworkProfile_PhysicalAddress_ItemNumber, t1NetworkProfileV1_LineInterface_PriNumberingPlanId=t1NetworkProfileV1_LineInterface_PriNumberingPlanId, t1NetworkProfile_LineInterface_LineSignaling=t1NetworkProfile_LineInterface_LineSignaling, t1NetworkProfile_LineInterface_HuntGrpPhoneNumber2=t1NetworkProfile_LineInterface_HuntGrpPhoneNumber2, t1NetworkProfileV1_LineInterface_IdleMode=t1NetworkProfileV1_LineInterface_IdleMode, mibt1NetworkProfileV1_LineInterfaceEntry=mibt1NetworkProfileV1_LineInterfaceEntry, t1NetworkProfileV1_LineInterface_ChannelConfig_DialPlanNumber=t1NetworkProfileV1_LineInterface_ChannelConfig_DialPlanNumber, t1NetworkProfile_LineInterface_PriPrefixNumber=t1NetworkProfile_LineInterface_PriPrefixNumber, t1NetworkProfile_LineInterface_AnswerService=t1NetworkProfile_LineInterface_AnswerService, t1NetworkProfileV1_LineInterface_NfasGroupId=t1NetworkProfileV1_LineInterface_NfasGroupId, t1NetworkProfile_LineInterface_Layer2End=t1NetworkProfile_LineInterface_Layer2End, t1NetworkProfileV1_PhysicalAddress_Slot=t1NetworkProfileV1_PhysicalAddress_Slot, t1NetworkProfile_LineInterface_OverlapReceiving=t1NetworkProfile_LineInterface_OverlapReceiving, t1NetworkProfile_ChannelUsage=t1NetworkProfile_ChannelUsage, t1NetworkProfileV1_LineInterface_CollectIncomingDigits=t1NetworkProfileV1_LineInterface_CollectIncomingDigits, t1NetworkProfile_LineInterface_ChannelConfig_NailedGroup=t1NetworkProfile_LineInterface_ChannelConfig_NailedGroup, mibt1NetworkProfileV1_LineInterface_ChannelConfigTable=mibt1NetworkProfileV1_LineInterface_ChannelConfigTable, t1NetworkProfile_Item_o=t1NetworkProfile_Item_o, t1NetworkProfile_LineInterface_GroupBNoMatchSignal=t1NetworkProfile_LineInterface_GroupBNoMatchSignal, t1NetworkProfileV1_LineInterface_RobbedBitMode=t1NetworkProfileV1_LineInterface_RobbedBitMode, t1NetworkProfile_LineInterface_Gr303Mode=t1NetworkProfile_LineInterface_Gr303Mode, t1NetworkProfile_LineInterface_Layer3End=t1NetworkProfile_LineInterface_Layer3End, t1NetworkProfile_LineInterface_MaintenanceState=t1NetworkProfile_LineInterface_MaintenanceState, t1NetworkProfile_LineInterface_oDSXLineLength=t1NetworkProfile_LineInterface_oDSXLineLength, t1NetworkProfileV1_LineInterface_Layer2End=t1NetworkProfileV1_LineInterface_Layer2End, t1NetworkProfile_LineInterface_Encoding=t1NetworkProfile_LineInterface_Encoding, t1NetworkProfileV1_LineInterface_NumberComplete=t1NetworkProfileV1_LineInterface_NumberComplete, t1NetworkProfileV1_LineInterface_SwitchVersion=t1NetworkProfileV1_LineInterface_SwitchVersion, t1NetworkProfileV1_LineInterface_TOnlineType=t1NetworkProfileV1_LineInterface_TOnlineType, t1NetworkProfile_LineInterface_R1FirstDigitTimer=t1NetworkProfile_LineInterface_R1FirstDigitTimer, t1NetworkProfileV1_LineInterface_PriPrefixNumber=t1NetworkProfileV1_LineInterface_PriPrefixNumber, t1NetworkProfileV1_LineInterface_CauseCodeVerificationEnable=t1NetworkProfileV1_LineInterface_CauseCodeVerificationEnable, t1NetworkProfile_LineInterface_CallByCall=t1NetworkProfile_LineInterface_CallByCall, t1NetworkProfile_Name=t1NetworkProfile_Name, t1NetworkProfile_LineInterface_ChannelConfig_NumberOfDialPlanSelectDigits=t1NetworkProfile_LineInterface_ChannelConfig_NumberOfDialPlanSelectDigits, t1NetworkProfileV1_LineInterface_GroupIiSignal=t1NetworkProfileV1_LineInterface_GroupIiSignal, t1NetworkProfileV1_Action_o=t1NetworkProfileV1_Action_o, t1NetworkProfile_LineInterface_oPBXType=t1NetworkProfile_LineInterface_oPBXType, t1NetworkProfile_LineInterface_ChannelConfig_ChanGroup=t1NetworkProfile_LineInterface_ChannelConfig_ChanGroup, t1NetworkProfileV1_LineInterface_SignalingMode=t1NetworkProfileV1_LineInterface_SignalingMode, t1NetworkProfile_LineInterface_TrailingDigits=t1NetworkProfile_LineInterface_TrailingDigits, t1NetworkProfile_LineInterface_R1AnirDelay=t1NetworkProfile_LineInterface_R1AnirDelay, t1NetworkProfileV1_LineInterface_ChannelConfig_ChannelUsage=t1NetworkProfileV1_LineInterface_ChannelConfig_ChannelUsage, t1NetworkProfileV1_LineInterface_ChannelConfig_PhoneNumber=t1NetworkProfileV1_LineInterface_ChannelConfig_PhoneNumber, t1NetworkProfileV1_LineInterface_ClockPriority=t1NetworkProfileV1_LineInterface_ClockPriority, t1NetworkProfileV1_LineInterface_SendDiscVal=t1NetworkProfileV1_LineInterface_SendDiscVal, t1NetworkProfileV1_LineInterface_PriTypeOfNumber=t1NetworkProfileV1_LineInterface_PriTypeOfNumber, t1NetworkProfile_LineInterface_RobbedBitMode=t1NetworkProfile_LineInterface_RobbedBitMode, t1NetworkProfileV1_LineInterface_Encoding=t1NetworkProfileV1_LineInterface_Encoding, t1NetworkProfileV1_LineInterface_IsdnEmulationSide=t1NetworkProfileV1_LineInterface_IsdnEmulationSide, t1NetworkProfile_LineInterface_GroupBNoChargeSignal=t1NetworkProfile_LineInterface_GroupBNoChargeSignal, t1NetworkProfileV1_LineInterface_DataSense=t1NetworkProfileV1_LineInterface_DataSense, t1NetworkProfile_LineInterface_NfasId=t1NetworkProfile_LineInterface_NfasId, t1NetworkProfile_LineInterface_FrameType=t1NetworkProfile_LineInterface_FrameType, t1NetworkProfile_LineInterface_SendDiscVal=t1NetworkProfile_LineInterface_SendDiscVal, t1NetworkProfileV1_SecondaryChannelUsage=t1NetworkProfileV1_SecondaryChannelUsage, t1NetworkProfile_LineInterface_HuntGrpPhoneNumber1=t1NetworkProfile_LineInterface_HuntGrpPhoneNumber1, t1NetworkProfile_LineInterface_DataSense=t1NetworkProfile_LineInterface_DataSense, t1NetworkProfileV1_LineInterface_ChannelConfig_RoutePort_SlotNumber_ShelfNumber=t1NetworkProfileV1_LineInterface_ChannelConfig_RoutePort_SlotNumber_ShelfNumber, t1NetworkProfileV1_LineInterface_ChannelConfig_ChanGroup=t1NetworkProfileV1_LineInterface_ChannelConfig_ChanGroup, t1NetworkProfile_LineInterface_NlValue=t1NetworkProfile_LineInterface_NlValue, t1NetworkProfileV1_LineInterface_Gr303Mode=t1NetworkProfileV1_LineInterface_Gr303Mode, mibt1NetworkProfileV1=mibt1NetworkProfileV1, t1NetworkProfileV1_LineInterface_PbxAnswerNumber=t1NetworkProfileV1_LineInterface_PbxAnswerNumber, t1NetworkProfile_LineInterface_Gr303Ds1Id=t1NetworkProfile_LineInterface_Gr303Ds1Id, t1NetworkProfile_LineInterface_PbxAnswerNumber=t1NetworkProfile_LineInterface_PbxAnswerNumber, t1NetworkProfile_LineInterface_AnswerDelay=t1NetworkProfile_LineInterface_AnswerDelay, t1NetworkProfile_LineInterface_R1AnirTimer=t1NetworkProfile_LineInterface_R1AnirTimer, t1NetworkProfile_LineInterface_ChannelConfig_PhoneNumber=t1NetworkProfile_LineInterface_ChannelConfig_PhoneNumber, t1NetworkProfileV1_LineInterface_LineSignaling=t1NetworkProfileV1_LineInterface_LineSignaling, t1NetworkProfileV1_LineInterface_FrameType=t1NetworkProfileV1_LineInterface_FrameType, t1NetworkProfileV1_LineInterface_NfasId=t1NetworkProfileV1_LineInterface_NfasId, t1NetworkProfileV1_BackToBack=t1NetworkProfileV1_BackToBack, t1NetworkProfile_LineInterface_R1Modified=t1NetworkProfile_LineInterface_R1Modified, t1NetworkProfile_LineInterface_HuntGrpPhoneNumber3=t1NetworkProfile_LineInterface_HuntGrpPhoneNumber3, t1NetworkProfile_LineInterface_CallerId=t1NetworkProfile_LineInterface_CallerId, t1NetworkProfileV1_LineInterface_Index_o=t1NetworkProfileV1_LineInterface_Index_o, t1NetworkProfile_LineInterface_ChannelConfig_RoutePort_SlotNumber_SlotNumber=t1NetworkProfile_LineInterface_ChannelConfig_RoutePort_SlotNumber_SlotNumber, t1NetworkProfileV1_LineInterface_HuntGrpPhoneNumber1=t1NetworkProfileV1_LineInterface_HuntGrpPhoneNumber1, t1NetworkProfile_LineInterface_R1UseAnir=t1NetworkProfile_LineInterface_R1UseAnir, t1NetworkProfile_LineInterface_UpTransDelay=t1NetworkProfile_LineInterface_UpTransDelay, t1NetworkProfileV1_TertiaryChannelUsage=t1NetworkProfileV1_TertiaryChannelUsage, t1NetworkProfileV1_LineInterface_ChannelConfig_RoutePort_SlotNumber_SlotNumber=t1NetworkProfileV1_LineInterface_ChannelConfig_RoutePort_SlotNumber_SlotNumber, t1NetworkProfileV1_LineInterface_oDSXLineLength=t1NetworkProfileV1_LineInterface_oDSXLineLength, t1NetworkProfileV1_LineInterface_FrontEndType=t1NetworkProfileV1_LineInterface_FrontEndType, t1NetworkProfileV1_LineInterface_R1AnirTimer=t1NetworkProfileV1_LineInterface_R1AnirTimer, t1NetworkProfileV1_LineInterface_Timer1CollectCall=t1NetworkProfileV1_LineInterface_Timer1CollectCall, t1NetworkProfileV1_LineInterface_ChannelConfig_NumberOfDialPlanSelectDigits=t1NetworkProfileV1_LineInterface_ChannelConfig_NumberOfDialPlanSelectDigits, t1NetworkProfile_LineInterface_SwitchType=t1NetworkProfile_LineInterface_SwitchType, t1NetworkProfileV1_PrimaryChannelUsage=t1NetworkProfileV1_PrimaryChannelUsage, t1NetworkProfile_LineInterface_Timer1CollectCall=t1NetworkProfile_LineInterface_Timer1CollectCall, t1NetworkProfile_LineInterface_LastDs0=t1NetworkProfile_LineInterface_LastDs0, t1NetworkProfile_LineInterface_Ss7Continuity_IncomingProcedure=t1NetworkProfile_LineInterface_Ss7Continuity_IncomingProcedure, t1NetworkProfile_Action_o=t1NetworkProfile_Action_o)
load("@bazel_tools//tools/build_defs/repo:utils.bzl", "maybe") load("@bazel_tools//tools/build_defs/repo:http.bzl", "http_archive") def vulkan_memory_allocator_repository(): maybe( http_archive, name = "vulkan-memory-allocator", urls = [ "https://github.com/GPUOpen-LibrariesAndSDKs/VulkanMemoryAllocator/archive/7c482850344d0345a85f7c5c1c09e3d203893004.zip", ], sha256 = "67ebb2d6b717c2bc0936b92fd5a9b822e95fd7327065fef351dc696287bc0868", strip_prefix = "VulkanMemoryAllocator-7c482850344d0345a85f7c5c1c09e3d203893004/", build_file = "@third_party//vulkan-memory-allocator:package.BUILD", )
load('@bazel_tools//tools/build_defs/repo:utils.bzl', 'maybe') load('@bazel_tools//tools/build_defs/repo:http.bzl', 'http_archive') def vulkan_memory_allocator_repository(): maybe(http_archive, name='vulkan-memory-allocator', urls=['https://github.com/GPUOpen-LibrariesAndSDKs/VulkanMemoryAllocator/archive/7c482850344d0345a85f7c5c1c09e3d203893004.zip'], sha256='67ebb2d6b717c2bc0936b92fd5a9b822e95fd7327065fef351dc696287bc0868', strip_prefix='VulkanMemoryAllocator-7c482850344d0345a85f7c5c1c09e3d203893004/', build_file='@third_party//vulkan-memory-allocator:package.BUILD')
x = ["Python", "Java", "Typescript", "Rust"] # COmprobar si un valor pertenece a esa variable / objeto a = "python" in x # False a = "Python" in x # True a = "Typescrip" in x # False a = "Typescript" in x # True a = "python" not in x # True a = "Python" not in x # False a = "Typescrip" not in x # True a = "Typescript" not in x # False # cadenas de texto (strings) x = "Anartz" a = "a" in x # True a = "nar" in x # True a = "anar" in x # False a = "Anar" in x # True print("Final")
x = ['Python', 'Java', 'Typescript', 'Rust'] a = 'python' in x a = 'Python' in x a = 'Typescrip' in x a = 'Typescript' in x a = 'python' not in x a = 'Python' not in x a = 'Typescrip' not in x a = 'Typescript' not in x x = 'Anartz' a = 'a' in x a = 'nar' in x a = 'anar' in x a = 'Anar' in x print('Final')
# # PySNMP MIB module MY-FILE-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/MY-FILE-MIB # Produced by pysmi-0.3.4 at Mon Apr 29 20:06:31 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # OctetString, Integer, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "OctetString", "Integer", "ObjectIdentifier") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ValueRangeConstraint, ConstraintsIntersection, ValueSizeConstraint, SingleValueConstraint, ConstraintsUnion = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueRangeConstraint", "ConstraintsIntersection", "ValueSizeConstraint", "SingleValueConstraint", "ConstraintsUnion") myMgmt, = mibBuilder.importSymbols("MY-SMI", "myMgmt") NotificationGroup, ModuleCompliance, ObjectGroup = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance", "ObjectGroup") IpAddress, Integer32, Bits, Counter64, Unsigned32, Counter32, MibScalar, MibTable, MibTableRow, MibTableColumn, Gauge32, MibIdentifier, iso, ModuleIdentity, TimeTicks, ObjectIdentity, NotificationType = mibBuilder.importSymbols("SNMPv2-SMI", "IpAddress", "Integer32", "Bits", "Counter64", "Unsigned32", "Counter32", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Gauge32", "MibIdentifier", "iso", "ModuleIdentity", "TimeTicks", "ObjectIdentity", "NotificationType") RowStatus, TruthValue, DisplayString, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "RowStatus", "TruthValue", "DisplayString", "TextualConvention") myFileMIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11)) myFileMIB.setRevisions(('2002-03-20 00:00',)) if mibBuilder.loadTexts: myFileMIB.setLastUpdated('200203200000Z') if mibBuilder.loadTexts: myFileMIB.setOrganization('D-Link Crop.') myFileMIBObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 1)) myFileTransTable = MibTable((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 1, 1), ) if mibBuilder.loadTexts: myFileTransTable.setStatus('current') myFileTransEntry = MibTableRow((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 1, 1, 1), ).setIndexNames((0, "MY-FILE-MIB", "myFileTransIndex")) if mibBuilder.loadTexts: myFileTransEntry.setStatus('current') myFileTransIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 1, 1, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: myFileTransIndex.setStatus('current') myFileTransMeans = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 1, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("tftp", 1), ("xmodem", 2), ("other", 3))).clone('tftp')).setMaxAccess("readwrite") if mibBuilder.loadTexts: myFileTransMeans.setStatus('current') myFileTransOperType = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 1, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("upload", 1), ("download", 2), ("synchronize", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: myFileTransOperType.setStatus('current') myFileTransSrcFileName = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 1, 1, 1, 4), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: myFileTransSrcFileName.setStatus('current') myFileTransDescFileName = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 1, 1, 1, 5), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: myFileTransDescFileName.setStatus('current') myFileTransServerAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 1, 1, 1, 6), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: myFileTransServerAddr.setStatus('current') myFileTransResult = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 1, 1, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("success", 1), ("failure", 2), ("parametersIllegel", 3), ("timeout", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: myFileTransResult.setStatus('current') myFileTransComplete = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 1, 1, 1, 8), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: myFileTransComplete.setStatus('current') myFileTransDataLength = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 1, 1, 1, 9), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: myFileTransDataLength.setStatus('current') myFileTransEntryStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 1, 1, 1, 10), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: myFileTransEntryStatus.setStatus('current') myFileSystemMaxRoom = MibScalar((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 1, 2), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: myFileSystemMaxRoom.setStatus('current') myFileSystemAvailableRoom = MibScalar((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 1, 3), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: myFileSystemAvailableRoom.setStatus('current') myFileMIBConformance = MibIdentifier((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 2)) myFileMIBCompliances = MibIdentifier((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 2, 1)) myFileMIBGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 2, 2)) myFileMIBCompliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 2, 1, 1)).setObjects(("MY-FILE-MIB", "myFileMIBGroup"), ("MY-FILE-MIB", "myFileTransMeansMIBGroup")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): myFileMIBCompliance = myFileMIBCompliance.setStatus('current') myFileMIBGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 2, 2, 1)).setObjects(("MY-FILE-MIB", "myFileTransIndex"), ("MY-FILE-MIB", "myFileTransOperType"), ("MY-FILE-MIB", "myFileTransSrcFileName"), ("MY-FILE-MIB", "myFileTransDescFileName"), ("MY-FILE-MIB", "myFileTransServerAddr"), ("MY-FILE-MIB", "myFileTransResult"), ("MY-FILE-MIB", "myFileTransComplete"), ("MY-FILE-MIB", "myFileTransDataLength"), ("MY-FILE-MIB", "myFileTransEntryStatus"), ("MY-FILE-MIB", "myFileSystemMaxRoom"), ("MY-FILE-MIB", "myFileSystemAvailableRoom")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): myFileMIBGroup = myFileMIBGroup.setStatus('current') myFileTransMeansMIBGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 2, 2, 2)).setObjects(("MY-FILE-MIB", "myFileTransMeans")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): myFileTransMeansMIBGroup = myFileTransMeansMIBGroup.setStatus('current') mibBuilder.exportSymbols("MY-FILE-MIB", PYSNMP_MODULE_ID=myFileMIB, myFileTransComplete=myFileTransComplete, myFileTransDataLength=myFileTransDataLength, myFileMIBConformance=myFileMIBConformance, myFileTransResult=myFileTransResult, myFileMIBObjects=myFileMIBObjects, myFileMIBCompliances=myFileMIBCompliances, myFileSystemMaxRoom=myFileSystemMaxRoom, myFileTransSrcFileName=myFileTransSrcFileName, myFileMIBGroups=myFileMIBGroups, myFileTransTable=myFileTransTable, myFileMIB=myFileMIB, myFileTransIndex=myFileTransIndex, myFileMIBCompliance=myFileMIBCompliance, myFileSystemAvailableRoom=myFileSystemAvailableRoom, myFileTransEntryStatus=myFileTransEntryStatus, myFileTransEntry=myFileTransEntry, myFileTransOperType=myFileTransOperType, myFileTransServerAddr=myFileTransServerAddr, myFileTransMeans=myFileTransMeans, myFileTransMeansMIBGroup=myFileTransMeansMIBGroup, myFileMIBGroup=myFileMIBGroup, myFileTransDescFileName=myFileTransDescFileName)
(octet_string, integer, object_identifier) = mibBuilder.importSymbols('ASN1', 'OctetString', 'Integer', 'ObjectIdentifier') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (value_range_constraint, constraints_intersection, value_size_constraint, single_value_constraint, constraints_union) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueRangeConstraint', 'ConstraintsIntersection', 'ValueSizeConstraint', 'SingleValueConstraint', 'ConstraintsUnion') (my_mgmt,) = mibBuilder.importSymbols('MY-SMI', 'myMgmt') (notification_group, module_compliance, object_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance', 'ObjectGroup') (ip_address, integer32, bits, counter64, unsigned32, counter32, mib_scalar, mib_table, mib_table_row, mib_table_column, gauge32, mib_identifier, iso, module_identity, time_ticks, object_identity, notification_type) = mibBuilder.importSymbols('SNMPv2-SMI', 'IpAddress', 'Integer32', 'Bits', 'Counter64', 'Unsigned32', 'Counter32', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Gauge32', 'MibIdentifier', 'iso', 'ModuleIdentity', 'TimeTicks', 'ObjectIdentity', 'NotificationType') (row_status, truth_value, display_string, textual_convention) = mibBuilder.importSymbols('SNMPv2-TC', 'RowStatus', 'TruthValue', 'DisplayString', 'TextualConvention') my_file_mib = module_identity((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11)) myFileMIB.setRevisions(('2002-03-20 00:00',)) if mibBuilder.loadTexts: myFileMIB.setLastUpdated('200203200000Z') if mibBuilder.loadTexts: myFileMIB.setOrganization('D-Link Crop.') my_file_mib_objects = mib_identifier((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 1)) my_file_trans_table = mib_table((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 1, 1)) if mibBuilder.loadTexts: myFileTransTable.setStatus('current') my_file_trans_entry = mib_table_row((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 1, 1, 1)).setIndexNames((0, 'MY-FILE-MIB', 'myFileTransIndex')) if mibBuilder.loadTexts: myFileTransEntry.setStatus('current') my_file_trans_index = mib_table_column((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 1, 1, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: myFileTransIndex.setStatus('current') my_file_trans_means = mib_table_column((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 1, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('tftp', 1), ('xmodem', 2), ('other', 3))).clone('tftp')).setMaxAccess('readwrite') if mibBuilder.loadTexts: myFileTransMeans.setStatus('current') my_file_trans_oper_type = mib_table_column((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 1, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('upload', 1), ('download', 2), ('synchronize', 3)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: myFileTransOperType.setStatus('current') my_file_trans_src_file_name = mib_table_column((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 1, 1, 1, 4), display_string()).setMaxAccess('readwrite') if mibBuilder.loadTexts: myFileTransSrcFileName.setStatus('current') my_file_trans_desc_file_name = mib_table_column((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 1, 1, 1, 5), display_string()).setMaxAccess('readwrite') if mibBuilder.loadTexts: myFileTransDescFileName.setStatus('current') my_file_trans_server_addr = mib_table_column((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 1, 1, 1, 6), ip_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: myFileTransServerAddr.setStatus('current') my_file_trans_result = mib_table_column((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 1, 1, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('success', 1), ('failure', 2), ('parametersIllegel', 3), ('timeout', 4)))).setMaxAccess('readonly') if mibBuilder.loadTexts: myFileTransResult.setStatus('current') my_file_trans_complete = mib_table_column((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 1, 1, 1, 8), truth_value()).setMaxAccess('readonly') if mibBuilder.loadTexts: myFileTransComplete.setStatus('current') my_file_trans_data_length = mib_table_column((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 1, 1, 1, 9), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: myFileTransDataLength.setStatus('current') my_file_trans_entry_status = mib_table_column((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 1, 1, 1, 10), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: myFileTransEntryStatus.setStatus('current') my_file_system_max_room = mib_scalar((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 1, 2), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: myFileSystemMaxRoom.setStatus('current') my_file_system_available_room = mib_scalar((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 1, 3), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: myFileSystemAvailableRoom.setStatus('current') my_file_mib_conformance = mib_identifier((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 2)) my_file_mib_compliances = mib_identifier((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 2, 1)) my_file_mib_groups = mib_identifier((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 2, 2)) my_file_mib_compliance = module_compliance((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 2, 1, 1)).setObjects(('MY-FILE-MIB', 'myFileMIBGroup'), ('MY-FILE-MIB', 'myFileTransMeansMIBGroup')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): my_file_mib_compliance = myFileMIBCompliance.setStatus('current') my_file_mib_group = object_group((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 2, 2, 1)).setObjects(('MY-FILE-MIB', 'myFileTransIndex'), ('MY-FILE-MIB', 'myFileTransOperType'), ('MY-FILE-MIB', 'myFileTransSrcFileName'), ('MY-FILE-MIB', 'myFileTransDescFileName'), ('MY-FILE-MIB', 'myFileTransServerAddr'), ('MY-FILE-MIB', 'myFileTransResult'), ('MY-FILE-MIB', 'myFileTransComplete'), ('MY-FILE-MIB', 'myFileTransDataLength'), ('MY-FILE-MIB', 'myFileTransEntryStatus'), ('MY-FILE-MIB', 'myFileSystemMaxRoom'), ('MY-FILE-MIB', 'myFileSystemAvailableRoom')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): my_file_mib_group = myFileMIBGroup.setStatus('current') my_file_trans_means_mib_group = object_group((1, 3, 6, 1, 4, 1, 171, 10, 97, 2, 11, 2, 2, 2)).setObjects(('MY-FILE-MIB', 'myFileTransMeans')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): my_file_trans_means_mib_group = myFileTransMeansMIBGroup.setStatus('current') mibBuilder.exportSymbols('MY-FILE-MIB', PYSNMP_MODULE_ID=myFileMIB, myFileTransComplete=myFileTransComplete, myFileTransDataLength=myFileTransDataLength, myFileMIBConformance=myFileMIBConformance, myFileTransResult=myFileTransResult, myFileMIBObjects=myFileMIBObjects, myFileMIBCompliances=myFileMIBCompliances, myFileSystemMaxRoom=myFileSystemMaxRoom, myFileTransSrcFileName=myFileTransSrcFileName, myFileMIBGroups=myFileMIBGroups, myFileTransTable=myFileTransTable, myFileMIB=myFileMIB, myFileTransIndex=myFileTransIndex, myFileMIBCompliance=myFileMIBCompliance, myFileSystemAvailableRoom=myFileSystemAvailableRoom, myFileTransEntryStatus=myFileTransEntryStatus, myFileTransEntry=myFileTransEntry, myFileTransOperType=myFileTransOperType, myFileTransServerAddr=myFileTransServerAddr, myFileTransMeans=myFileTransMeans, myFileTransMeansMIBGroup=myFileTransMeansMIBGroup, myFileMIBGroup=myFileMIBGroup, myFileTransDescFileName=myFileTransDescFileName)
''' This is code that will help a game master/dungeon master get the initiative and health of the players, put them all in correct initiative order, then help you go through the turns until combat is over. ''' def validate_num_input(user_input): while True: try: num_input = int(input(user_input)) break except ValueError: print("Please enter a valid number. ") return num_input #code for getting initaitive def get_initiative(): print('Welcome to Initiative Tracker!') initiative_tracking = {} for player_name in iter(lambda: input("What is the players name? "), ''): player_initiative = validate_num_input('What is {} initiative? '.format(player_name)) if player_initiative in initiative_tracking: initiative_tracking[player_initiative].append(player_name) else: initiative_tracking[player_initiative] = [player_name] return(initiative_tracking) #code for getting health below def get_health(newinit): initiative = newinit health_tracking = {} for item in initiative: player_health = validate_num_input('What is {} health? '.format(initiative[item])) if player_health in health_tracking: health_tracking[player_health].append(item) else: health_tracking[player_health] = initiative[item] return(health_tracking) #code for sorting the list in numerical order def print_initiative(thisinit): print('\nYour initiative order is: ') for key in sorted(thisinit, reverse=True): print(thisinit[key]) if __name__ == '__main__': init_list = get_initiative() print_initiative(init_list) print(init_list) print(get_health(init_list)) while True: for key in sorted(init_list, reverse=True): print("It is", init_list[key], "'s turn.") turn_action=input("press A to change health, H to view health, S to skip turn, or L to leave combat. ") #removes from players health if turn_action.lower() == "a": print("you attacked") pass #add to players health elif turn_action.lower() == "h": print("you healed") pass #skips the players turn elif turn_action.lower() == "s": print("you skipped your turn") pass #removes the player from the turn order elif turn_action.lower() == "l": init_list.pop(key) break if init_list == "": print("combat is concluded") break else: pass
""" This is code that will help a game master/dungeon master get the initiative and health of the players, put them all in correct initiative order, then help you go through the turns until combat is over. """ def validate_num_input(user_input): while True: try: num_input = int(input(user_input)) break except ValueError: print('Please enter a valid number. ') return num_input def get_initiative(): print('Welcome to Initiative Tracker!') initiative_tracking = {} for player_name in iter(lambda : input('What is the players name? '), ''): player_initiative = validate_num_input('What is {} initiative? '.format(player_name)) if player_initiative in initiative_tracking: initiative_tracking[player_initiative].append(player_name) else: initiative_tracking[player_initiative] = [player_name] return initiative_tracking def get_health(newinit): initiative = newinit health_tracking = {} for item in initiative: player_health = validate_num_input('What is {} health? '.format(initiative[item])) if player_health in health_tracking: health_tracking[player_health].append(item) else: health_tracking[player_health] = initiative[item] return health_tracking def print_initiative(thisinit): print('\nYour initiative order is: ') for key in sorted(thisinit, reverse=True): print(thisinit[key]) if __name__ == '__main__': init_list = get_initiative() print_initiative(init_list) print(init_list) print(get_health(init_list)) while True: for key in sorted(init_list, reverse=True): print('It is', init_list[key], "'s turn.") turn_action = input('press A to change health, H to view health, S to skip turn, or L to leave combat. ') if turn_action.lower() == 'a': print('you attacked') pass elif turn_action.lower() == 'h': print('you healed') pass elif turn_action.lower() == 's': print('you skipped your turn') pass elif turn_action.lower() == 'l': init_list.pop(key) break if init_list == '': print('combat is concluded') break else: pass
expected_output = { 'ids': { '100': { 'state': 'active', 'type': 'icmp-jitter', 'destination': '192.0.2.2', 'rtt_stats': '100', 'rtt_stats_msecs': 100, 'return_code': 'OK', 'last_run': '22:49:53 PST Tue May 3 2011' }, '101': { 'state': 'active', 'type': 'udp-jitter', 'destination': '192.0.2.2', 'rtt_stats': '100', 'rtt_stats_msecs': 100, 'return_code': 'OK', 'last_run': '22:49:53 PST Tue May 3 2011' }, '102': { 'state': 'active', 'type': 'tcp-connect', 'destination': '192.0.2.2', 'rtt_stats': '-', 'return_code': 'NoConnection', 'last_run': '22:49:53 PST Tue May 3 2011' }, '103': { 'state': 'active', 'type': 'video', 'destination': '2001:db8:130f:d1c8::222', 'rtt_stats': '100', 'rtt_stats_msecs': 100, 'return_code': 'OK', 'last_run': '22:49:53 PST Tue May 3 2011' }, '104': { 'state': 'active', 'type': 'video', 'destination': '2001:db8:130f:d1c8::222', 'rtt_stats': '100', 'rtt_stats_msecs': 100, 'return_code': 'OK', 'last_run': '22:49:53 PST Tue May 3 2011' } } }
expected_output = {'ids': {'100': {'state': 'active', 'type': 'icmp-jitter', 'destination': '192.0.2.2', 'rtt_stats': '100', 'rtt_stats_msecs': 100, 'return_code': 'OK', 'last_run': '22:49:53 PST Tue May 3 2011'}, '101': {'state': 'active', 'type': 'udp-jitter', 'destination': '192.0.2.2', 'rtt_stats': '100', 'rtt_stats_msecs': 100, 'return_code': 'OK', 'last_run': '22:49:53 PST Tue May 3 2011'}, '102': {'state': 'active', 'type': 'tcp-connect', 'destination': '192.0.2.2', 'rtt_stats': '-', 'return_code': 'NoConnection', 'last_run': '22:49:53 PST Tue May 3 2011'}, '103': {'state': 'active', 'type': 'video', 'destination': '2001:db8:130f:d1c8::222', 'rtt_stats': '100', 'rtt_stats_msecs': 100, 'return_code': 'OK', 'last_run': '22:49:53 PST Tue May 3 2011'}, '104': {'state': 'active', 'type': 'video', 'destination': '2001:db8:130f:d1c8::222', 'rtt_stats': '100', 'rtt_stats_msecs': 100, 'return_code': 'OK', 'last_run': '22:49:53 PST Tue May 3 2011'}}}
def callvars_subcmd(analysis:str, args:list, outdir:str=None,env:str=None) -> None: if 'help' in args or 'h' in args: print("Help:") print("bam --> gvcf") print("==========================") print("call-variants <sample-name> <input-files> [-r reference] ") print("call-variants <sample-name> <input-files> [-r reference] [base-recalibration]") sys.exit(1) name = args_utils.get_or_fail(args, "Sample name is required") bamfile = args_utils.get_or_fail(args, "bam file required.") bamfile = os.path.abspath(bamfile) bam_index = re.sub(r'\.bam\z', '.bai', bamfile) indata = [f'input_bam={bamfile}', f'input_bam_index={bam_index}', f"base_file_name={name}", f"final_vcf_base_name={name}", ] data = json_utils.build_json(indata, "VariantCalling") data["VariantCalling"]["scatter_settings"] = {"haplotype_scatter_count": 10, "break_bands_at_multiples_of": 0 } data["VariantCalling"]["snp_recalibration_tranche_values"] = ["100.0", "99.95", "99.9", "99.8", "99.7", "99.6", "99.5", "99.4", "99.3", "99.0", "98.0", "97.0", "90.0"] data["VariantCalling"]["snp_recalibration_annotation_values"]=["AS_QD", "AS_MQRankSum", "AS_ReadPosRankSum", "AS_FS", "AS_MQ", "AS_SOR"] data["VariantCalling"]["indel_recalibration_tranche_values"]=["100.0", "99.95", "99.9", "99.5", "99.0", "97.0", "96.0", "95.0", "94.0", "93.5", "93.0", "92.0", "91.0", "90.0"] data["VariantCalling"]["indel_recalibration_annotation_values"]=["AS_FS", "AS_ReadPosRankSum", "AS_MQRankSum", "AS_QD", "AS_SOR"] data["VariantCalling"]["snp_filter_level"]=99.7 data["VariantCalling"]["indel_filter_level"]=95.0 data = json_utils.add_jsons(data, [reference], "VariantCalling") data = json_utils.pack(data, 2) tmp_inputs = write_tmp_json( data ) tmp_wf_file = cromwell_utils.fix_wdl_workflow_imports(wdl_wf) tmp_options = None if outdir: tmp_options = write_tmp_json({"final_workflow_outputs_dir": outdir}) tmp_labels = write_tmp_json({"env": env, "user": getpass.getuser()}) print(f"wdl: {tmp_wf_file}, inputs:{tmp_inputs}, options:{tmp_options}, labels:{tmp_labels}") st = cromwell_api.submit_workflow(wdl_file=wf_files['var_calling'], inputs=[tmp_inputs], options=tmp_options, labels=tmp_labels, dependency="/cluster/lib/nsm-analysis2/nsm-analysis.zip") print(f"{st['id']}: {st['status']}")
def callvars_subcmd(analysis: str, args: list, outdir: str=None, env: str=None) -> None: if 'help' in args or 'h' in args: print('Help:') print('bam --> gvcf') print('==========================') print('call-variants <sample-name> <input-files> [-r reference] ') print('call-variants <sample-name> <input-files> [-r reference] [base-recalibration]') sys.exit(1) name = args_utils.get_or_fail(args, 'Sample name is required') bamfile = args_utils.get_or_fail(args, 'bam file required.') bamfile = os.path.abspath(bamfile) bam_index = re.sub('\\.bam\\z', '.bai', bamfile) indata = [f'input_bam={bamfile}', f'input_bam_index={bam_index}', f'base_file_name={name}', f'final_vcf_base_name={name}'] data = json_utils.build_json(indata, 'VariantCalling') data['VariantCalling']['scatter_settings'] = {'haplotype_scatter_count': 10, 'break_bands_at_multiples_of': 0} data['VariantCalling']['snp_recalibration_tranche_values'] = ['100.0', '99.95', '99.9', '99.8', '99.7', '99.6', '99.5', '99.4', '99.3', '99.0', '98.0', '97.0', '90.0'] data['VariantCalling']['snp_recalibration_annotation_values'] = ['AS_QD', 'AS_MQRankSum', 'AS_ReadPosRankSum', 'AS_FS', 'AS_MQ', 'AS_SOR'] data['VariantCalling']['indel_recalibration_tranche_values'] = ['100.0', '99.95', '99.9', '99.5', '99.0', '97.0', '96.0', '95.0', '94.0', '93.5', '93.0', '92.0', '91.0', '90.0'] data['VariantCalling']['indel_recalibration_annotation_values'] = ['AS_FS', 'AS_ReadPosRankSum', 'AS_MQRankSum', 'AS_QD', 'AS_SOR'] data['VariantCalling']['snp_filter_level'] = 99.7 data['VariantCalling']['indel_filter_level'] = 95.0 data = json_utils.add_jsons(data, [reference], 'VariantCalling') data = json_utils.pack(data, 2) tmp_inputs = write_tmp_json(data) tmp_wf_file = cromwell_utils.fix_wdl_workflow_imports(wdl_wf) tmp_options = None if outdir: tmp_options = write_tmp_json({'final_workflow_outputs_dir': outdir}) tmp_labels = write_tmp_json({'env': env, 'user': getpass.getuser()}) print(f'wdl: {tmp_wf_file}, inputs:{tmp_inputs}, options:{tmp_options}, labels:{tmp_labels}') st = cromwell_api.submit_workflow(wdl_file=wf_files['var_calling'], inputs=[tmp_inputs], options=tmp_options, labels=tmp_labels, dependency='/cluster/lib/nsm-analysis2/nsm-analysis.zip') print(f"{st['id']}: {st['status']}")
sum = 0 num1, num2, temp = 1, 2, 1 while (num2 <= 4000000): if(num2%2==0): sum += num2 temp = num1 num1 = num2 num2 += temp print(sum)
sum = 0 (num1, num2, temp) = (1, 2, 1) while num2 <= 4000000: if num2 % 2 == 0: sum += num2 temp = num1 num1 = num2 num2 += temp print(sum)
# coding:utf-8 ''' @Copyright:LintCode @Author: taoleetju @Problem: http://www.lintcode.com/problem/construct-binary-tree-from-inorder-and-postorder-traversal @Language: Python @Datetime: 16-06-13 14:40 ''' """ Definition of TreeNode: class TreeNode: def __init__(self, val): self.val = val self.left, self.right = None, None """ class Solution: """ @param inorder : A list of integers that inorder traversal of a tree @param postorder : A list of integers that postorder traversal of a tree @return : Root of a tree """ def buildTree(self, inorder, postorder): # write your code here if not inorder: return None if len(inorder) == 1: return TreeNode(inorder[0]) root = TreeNode(postorder[-1]) rootIndexInorder = inorder.index(root.val) if rootIndexInorder != 0: root.left = self.buildTree(inorder[:rootIndexInorder], postorder[:rootIndexInorder]) if rootIndexInorder != len(inorder)-1: root.right = self.buildTree(inorder[rootIndexInorder+1: ], postorder[rootIndexInorder:-1]) return root
""" @Copyright:LintCode @Author: taoleetju @Problem: http://www.lintcode.com/problem/construct-binary-tree-from-inorder-and-postorder-traversal @Language: Python @Datetime: 16-06-13 14:40 """ '\nDefinition of TreeNode:\nclass TreeNode:\n def __init__(self, val):\n self.val = val\n self.left, self.right = None, None\n' class Solution: """ @param inorder : A list of integers that inorder traversal of a tree @param postorder : A list of integers that postorder traversal of a tree @return : Root of a tree """ def build_tree(self, inorder, postorder): if not inorder: return None if len(inorder) == 1: return tree_node(inorder[0]) root = tree_node(postorder[-1]) root_index_inorder = inorder.index(root.val) if rootIndexInorder != 0: root.left = self.buildTree(inorder[:rootIndexInorder], postorder[:rootIndexInorder]) if rootIndexInorder != len(inorder) - 1: root.right = self.buildTree(inorder[rootIndexInorder + 1:], postorder[rootIndexInorder:-1]) return root
def perm_check(checkSet, mainSet): checkSet = set(checkSet) mainSet = set(mainSet) if checkSet.issubset(mainSet): return True else: return False def is_subset(checkSet, mainSet): checkSet = set(checkSet) mainSet = set(mainSet) if checkSet.issubset(mainSet): return True else: return False
def perm_check(checkSet, mainSet): check_set = set(checkSet) main_set = set(mainSet) if checkSet.issubset(mainSet): return True else: return False def is_subset(checkSet, mainSet): check_set = set(checkSet) main_set = set(mainSet) if checkSet.issubset(mainSet): return True else: return False
def addition(num): b=num+1 return b
def addition(num): b = num + 1 return b
def for_Zero(): """ Pattern of Number : '0' using for loop""" for i in range(7): for j in range(5): if i in (0,6) and j not in(0,4) or j in(0,4) and i not in(0,6) or i+j==5: print('*',end=' ') else: print(' ',end=' ') print() def while_Zero(): """ Pattern of Number : '0' using while loop""" i=0 while i<7: j=0 while j<5: if i in (0,6) and j not in(0,4) or j in(0,4) and i not in(0,6) or i+j==5: print('*',end=' ') else: print(' ',end=' ') j+=1 i+=1 print()
def for__zero(): """ Pattern of Number : '0' using for loop""" for i in range(7): for j in range(5): if i in (0, 6) and j not in (0, 4) or (j in (0, 4) and i not in (0, 6)) or i + j == 5: print('*', end=' ') else: print(' ', end=' ') print() def while__zero(): """ Pattern of Number : '0' using while loop""" i = 0 while i < 7: j = 0 while j < 5: if i in (0, 6) and j not in (0, 4) or (j in (0, 4) and i not in (0, 6)) or i + j == 5: print('*', end=' ') else: print(' ', end=' ') j += 1 i += 1 print()
def get_dict_from_list(dict_list, target_key_name, value): """ Find a dictionary in a list dictionaries that has a particular value for a key. :param dict_list: :param target_key_name: :param value: :param parent_key: if the key you are looking for is nested in a parent field. :return: """ items_found = 0 target_index = -1 for index, dict_item in enumerate(dict_list): # skip dict if key doesn't exist. curr_dict_item = dict_item item_value = curr_dict_item.get(target_key_name) if item_value: # key exists in dict and has a value. if curr_dict_item[target_key_name] == value: my_dict = dict_item target_index = index items_found += 1 if items_found == 0: raise ValueError(f"No dictionary was found for key: {target_key_name}, value: {value}") elif items_found > 1: raise ValueError(f"Found {items_found} dictionaries with key: {target_key_name}, value: {value}. Value is not unique") elif items_found == 1: return my_dict, target_index else: raise NotImplementedError("Should never hit this.") def no_clobber_update(dict_, update_dict): update_dict_keys = set(update_dict.keys()) dict_keys = set(dict_.keys()) duplicate_keys = list(dict_keys & update_dict_keys) if duplicate_keys: duplicate_dicts = [{duplicate_key: [dict_[duplicate_key], update_dict[duplicate_key]]} for duplicate_key in duplicate_keys] raise ValueError(f"Duplicate keys found. {duplicate_dicts}") else: return dict_.update(update_dict)
def get_dict_from_list(dict_list, target_key_name, value): """ Find a dictionary in a list dictionaries that has a particular value for a key. :param dict_list: :param target_key_name: :param value: :param parent_key: if the key you are looking for is nested in a parent field. :return: """ items_found = 0 target_index = -1 for (index, dict_item) in enumerate(dict_list): curr_dict_item = dict_item item_value = curr_dict_item.get(target_key_name) if item_value: if curr_dict_item[target_key_name] == value: my_dict = dict_item target_index = index items_found += 1 if items_found == 0: raise value_error(f'No dictionary was found for key: {target_key_name}, value: {value}') elif items_found > 1: raise value_error(f'Found {items_found} dictionaries with key: {target_key_name}, value: {value}. Value is not unique') elif items_found == 1: return (my_dict, target_index) else: raise not_implemented_error('Should never hit this.') def no_clobber_update(dict_, update_dict): update_dict_keys = set(update_dict.keys()) dict_keys = set(dict_.keys()) duplicate_keys = list(dict_keys & update_dict_keys) if duplicate_keys: duplicate_dicts = [{duplicate_key: [dict_[duplicate_key], update_dict[duplicate_key]]} for duplicate_key in duplicate_keys] raise value_error(f'Duplicate keys found. {duplicate_dicts}') else: return dict_.update(update_dict)
RED = 0xFF0000 MAROON = 0x800000 ORANGE = 0xFF8000 YELLOW = 0xFFFF00 OLIVE = 0x808000 GREEN = 0x008000 AQUA = 0x00FFFF TEAL = 0x008080 BLUE = 0x0000FF NAVY = 0x000080 PURPLE = 0x800080 PINK = 0xFF0080 WHITE = 0xFFFFFF BLACK = 0x000000
red = 16711680 maroon = 8388608 orange = 16744448 yellow = 16776960 olive = 8421376 green = 32768 aqua = 65535 teal = 32896 blue = 255 navy = 128 purple = 8388736 pink = 16711808 white = 16777215 black = 0
# similar to partial application, but only with one level deeper def curry_add(x): def curry_add_inner(y): def curry_add_inner_2(z): return x + y + z return curry_add_inner_2 return curry_add_inner add_5 = curry_add(5) add_5_and_6 = add_5(6) print(add_5_and_6(7)) # or we can even call like below print(curry_add(5)(6)(7))
def curry_add(x): def curry_add_inner(y): def curry_add_inner_2(z): return x + y + z return curry_add_inner_2 return curry_add_inner add_5 = curry_add(5) add_5_and_6 = add_5(6) print(add_5_and_6(7)) print(curry_add(5)(6)(7))
""" Given an array of non-negative integers arr, you are initially positioned at start index of the array. When you are at index i, you can jump to i + arr[i] or i - arr[i], check if you can reach to any index with value 0. Notice that you can not jump outside of the array at any time. Example: Input: arr = [4,2,3,0,3,1,2], start = 5 Output: true Explanation: All possible ways to reach at index 3 with value 0 are: index 5 -> index 4 -> index 1 -> index 3 index 5 -> index 6 -> index 4 -> index 1 -> index 3 Example: Input: arr = [4,2,3,0,3,1,2], start = 0 Output: true Explanation: One possible way to reach at index 3 with value 0 is: index 0 -> index 4 -> index 1 -> index 3 Example: Input: arr = [3,0,2,1,2], start = 2 Output: false Explanation: There is no way to reach at index 1 with value 0. Constraints: - 1 <= arr.length <= 5 * 10^4 - 0 <= arr[i] < arr.length - 0 <= start < arr.length """ #Difficulty: Medium #54 / 54 test cases passed. #Runtime: 220 ms #Memory Usage: 21.1 MB #Runtime: 220 ms, faster than 46.20% of Python3 online submissions for Jump Game III. #Memory Usage: 21.1 MB, less than 23.53% of Python3 online submissions for Jump Game III. class Solution: def canReach(self, arr: List[int], start: int) -> bool: queue = [start] visited = [] length = len(arr) while queue: i = queue.pop(0) if arr[i] == 0: return True if i + arr[i] < length and i + arr[i] not in visited: queue.append(i + arr[i]) visited.append(i) if i - arr[i] >= 0 and i - arr[i] not in visited: queue.append(i - arr[i]) visited.append(i) return False
""" Given an array of non-negative integers arr, you are initially positioned at start index of the array. When you are at index i, you can jump to i + arr[i] or i - arr[i], check if you can reach to any index with value 0. Notice that you can not jump outside of the array at any time. Example: Input: arr = [4,2,3,0,3,1,2], start = 5 Output: true Explanation: All possible ways to reach at index 3 with value 0 are: index 5 -> index 4 -> index 1 -> index 3 index 5 -> index 6 -> index 4 -> index 1 -> index 3 Example: Input: arr = [4,2,3,0,3,1,2], start = 0 Output: true Explanation: One possible way to reach at index 3 with value 0 is: index 0 -> index 4 -> index 1 -> index 3 Example: Input: arr = [3,0,2,1,2], start = 2 Output: false Explanation: There is no way to reach at index 1 with value 0. Constraints: - 1 <= arr.length <= 5 * 10^4 - 0 <= arr[i] < arr.length - 0 <= start < arr.length """ class Solution: def can_reach(self, arr: List[int], start: int) -> bool: queue = [start] visited = [] length = len(arr) while queue: i = queue.pop(0) if arr[i] == 0: return True if i + arr[i] < length and i + arr[i] not in visited: queue.append(i + arr[i]) visited.append(i) if i - arr[i] >= 0 and i - arr[i] not in visited: queue.append(i - arr[i]) visited.append(i) return False
""" Zip - expects any no. of iterators with equal indeces to combine it into a single object. * Note * if iterators contains unequal length, iteration stops at the smallest index """ names = ["rodel", "ryan"] grades = [1, 2] # combine result = zip(names, grades) list_result = list(result) print(list_result) # [('rodel', 1), ('ryan', 2)] # unzip names, grades = zip(*list_result) print(names, grades) # ('rodel', 'ryan') (1, 2)
""" Zip - expects any no. of iterators with equal indeces to combine it into a single object. * Note * if iterators contains unequal length, iteration stops at the smallest index """ names = ['rodel', 'ryan'] grades = [1, 2] result = zip(names, grades) list_result = list(result) print(list_result) (names, grades) = zip(*list_result) print(names, grades)
def is_low_point(map: list[list[int]], x: int, y: int) -> bool: m, n = len(map), len(map[0]) val = map[x][y] for dx, dy in [(-1, 0), (1, 0), (0, -1), (0, 1)]: x1, y1 = x + dx, y + dy if x1 >= 0 and x1 < m and y1 >= 0 and y1 < n and val >= map[x1][y1]: return False return True map = [] with open('input-day9.txt') as file: for line in file: line = line.rstrip() map.append([int(c) for c in line]) total_risk = 0 for x in range(len(map)): for y in range(len(map[0])): if is_low_point(map, x, y): total_risk += map[x][y] + 1 print(total_risk)
def is_low_point(map: list[list[int]], x: int, y: int) -> bool: (m, n) = (len(map), len(map[0])) val = map[x][y] for (dx, dy) in [(-1, 0), (1, 0), (0, -1), (0, 1)]: (x1, y1) = (x + dx, y + dy) if x1 >= 0 and x1 < m and (y1 >= 0) and (y1 < n) and (val >= map[x1][y1]): return False return True map = [] with open('input-day9.txt') as file: for line in file: line = line.rstrip() map.append([int(c) for c in line]) total_risk = 0 for x in range(len(map)): for y in range(len(map[0])): if is_low_point(map, x, y): total_risk += map[x][y] + 1 print(total_risk)
# -*- coding: utf-8 -*- """Top-level package for Cloud Formation Macro Toolkit.""" __author__ = """Giuseppe Chiesa""" __email__ = 'mail@giuseppechiesa.it' __version__ = '0.6.0'
"""Top-level package for Cloud Formation Macro Toolkit.""" __author__ = 'Giuseppe Chiesa' __email__ = 'mail@giuseppechiesa.it' __version__ = '0.6.0'
# # @lc app=leetcode id=207 lang=python3 # # [207] Course Schedule # # @lc code=start class Solution: def canFinish(self, numCourses: int, prerequisites: List[List[int]]) -> bool: graph = [[] for _ in range(numCourses)] visit = [0]*numCourses for x, y in prerequisites: graph[x].append(y) def dfs(i): if visit[i] == -1: return False if visit[i] == 1: return True visit[i] = -1 for j in graph[i]: if not dfs(j): return False visit[i] = 1 return True for i in range(numCourses): if not dfs(i): return False return True # @lc code=end # Accepted # 42/42 cases passed(96 ms) # Your runtime beats 98.22 % of python3 submissions # Your memory usage beats 61.22 % of python3 submissions(15.7 MB)
class Solution: def can_finish(self, numCourses: int, prerequisites: List[List[int]]) -> bool: graph = [[] for _ in range(numCourses)] visit = [0] * numCourses for (x, y) in prerequisites: graph[x].append(y) def dfs(i): if visit[i] == -1: return False if visit[i] == 1: return True visit[i] = -1 for j in graph[i]: if not dfs(j): return False visit[i] = 1 return True for i in range(numCourses): if not dfs(i): return False return True
# Sequential Digits ''' An integer has sequential digits if and only if each digit in the number is one more than the previous digit. Return a sorted list of all the integers in the range [low, high] inclusive that have sequential digits. Example 1: Input: low = 100, high = 300 Output: [123,234] Example 2: Input: low = 1000, high = 13000 Output: [1234,2345,3456,4567,5678,6789,12345] Constraints: 10 <= low <= high <= 10^9 Hide Hint #1 Generate all numbers with sequential digits and check if they are in the given range. Hide Hint #2 Fix the starting digit then do a recursion that tries to append all valid digits. ''' class Solution: def sequentialDigits(self, low: int, high: int) -> List[int]: s='123456789' const = len(str(low))-1 ans=[] for i in range(len(s)): for j in range(i+const,len(s)): st=int(s[i:j+1]) if(st>=low and st<=high): ans.append(st) ans.sort() return ans
""" An integer has sequential digits if and only if each digit in the number is one more than the previous digit. Return a sorted list of all the integers in the range [low, high] inclusive that have sequential digits. Example 1: Input: low = 100, high = 300 Output: [123,234] Example 2: Input: low = 1000, high = 13000 Output: [1234,2345,3456,4567,5678,6789,12345] Constraints: 10 <= low <= high <= 10^9 Hide Hint #1 Generate all numbers with sequential digits and check if they are in the given range. Hide Hint #2 Fix the starting digit then do a recursion that tries to append all valid digits. """ class Solution: def sequential_digits(self, low: int, high: int) -> List[int]: s = '123456789' const = len(str(low)) - 1 ans = [] for i in range(len(s)): for j in range(i + const, len(s)): st = int(s[i:j + 1]) if st >= low and st <= high: ans.append(st) ans.sort() return ans
class Callback(): callbacks = {} def registerCallback(self, base, state): print("registered %s for %s" % (state, base)) self.callbacks[state] = base def runCallbacks(self): for key,value in self.callbacks.items(): print("state=%s value=%s, type=%s" % (key, value, type(value)) ) print(type(value)) # Note that we have no clue what/who we're calling here..just some instance with a # function called runme() value.runme() class Base(): def runme(self): print("Base") pass class One(Base): def runme(self): print("One") class Two(Base): def hold(self): pass # base = Base() # base.runme() one = One() #one.runme() two = Two() # two.runme() callback = Callback() callback.registerCallback(one, "hi") callback.registerCallback(two, "there") callback.runCallbacks()
class Callback: callbacks = {} def register_callback(self, base, state): print('registered %s for %s' % (state, base)) self.callbacks[state] = base def run_callbacks(self): for (key, value) in self.callbacks.items(): print('state=%s value=%s, type=%s' % (key, value, type(value))) print(type(value)) value.runme() class Base: def runme(self): print('Base') pass class One(Base): def runme(self): print('One') class Two(Base): def hold(self): pass one = one() two = two() callback = callback() callback.registerCallback(one, 'hi') callback.registerCallback(two, 'there') callback.runCallbacks()
a = 1; # Setting the variable a to 1 b = 2; # Setting the variable b to 2 print(a+b); # Using the arguments a and b added together using the print function.
a = 1 b = 2 print(a + b)
lista = [i for i in range(0,101)] lista = [i for i in range(0,101) if i%2 == 0] tupla = tuple( (i for i in range(0,101) if i%2 == 0)) diccionario = {i:valor for i, valor in enumerate(lista) if i<10} print(lista) print() print(tupla) print() print(diccionario)
lista = [i for i in range(0, 101)] lista = [i for i in range(0, 101) if i % 2 == 0] tupla = tuple((i for i in range(0, 101) if i % 2 == 0)) diccionario = {i: valor for (i, valor) in enumerate(lista) if i < 10} print(lista) print() print(tupla) print() print(diccionario)
# coding: utf-8 n = int(input()) d = {} for i in range(n): temp = input() if temp in d.keys(): print(temp+str(d[temp])) d[temp] += 1 else: print('OK') d[temp] = 1
n = int(input()) d = {} for i in range(n): temp = input() if temp in d.keys(): print(temp + str(d[temp])) d[temp] += 1 else: print('OK') d[temp] = 1
def lis(a): lis = [0] * len(a) # lis[0] = a[0] for i in range(0, len(a)): max = -1 for j in range(0, i): if a[i] > a[j]: if max == -1 and max < lis[j] +1: max = a[i] if max == -1: max = a[i] lis[i] = max return lis if __name__ == '__main__': A = [2, 3, 5, 4] print(lis(A))
def lis(a): lis = [0] * len(a) for i in range(0, len(a)): max = -1 for j in range(0, i): if a[i] > a[j]: if max == -1 and max < lis[j] + 1: max = a[i] if max == -1: max = a[i] lis[i] = max return lis if __name__ == '__main__': a = [2, 3, 5, 4] print(lis(A))
# Write an implementation of the Queue ADT using a Python list. # Compare the performance of this implementation to the ImprovedQueue for a range of queue lengths. class ListQueue: def __init__(self): self.list = [] def insert(self, cargo): self.list.append(cargo) def is_empty(self): return len(self.list) == 0 def remove(self): if self.is_empty(): return None listcargo = self.list[0] self.list.remove(self.list[0]) return listcargo
class Listqueue: def __init__(self): self.list = [] def insert(self, cargo): self.list.append(cargo) def is_empty(self): return len(self.list) == 0 def remove(self): if self.is_empty(): return None listcargo = self.list[0] self.list.remove(self.list[0]) return listcargo
# -------------- # Code starts here class_1 = ['Geoffrey Hinton','Andrew Ng','Sebastian Raschka','Yoshua Bengio'] class_2 = ['Hilary Mason','Carla Gentry','Corinna Cortes'] new_class = class_1 + class_2 #print(new_class) new_class.append('Peter Warden') #print(new_class) new_class.remove('Carla Gentry') print(new_class) # Code ends here # -------------- # Code starts here courses = {'Math':65, 'English':70, 'History':80,'French':70,'Science':60} print(courses) total = sum(courses.values()) print("Geoffrey's Total Marks are",total) percentage = (total/500)*100 print("Geoffrey's Percentage is",percentage) # Code ends here # -------------- # Code starts here mathematics = {'Geoffrey Hinton': 78,'Andrew Ng':95,'Sebastian Raschka':65, 'Yoshua Benjio':50,'Hilary Mason':70,'Corinna Cortes':66,'Peter Warden': 75} print(mathematics) topper = max(mathematics, key = mathematics.get) print("Student with highest Marks is",topper) # Code ends here # -------------- # Given string topper = 'andrew ng' topper.split() print(topper) first_name = topper.split()[0] print(first_name) last_name = topper.split()[1] print(last_name) # Code starts here full_name = last_name + ' ' + first_name print(full_name) certificate_name = full_name.upper() print(certificate_name) # Code ends here
class_1 = ['Geoffrey Hinton', 'Andrew Ng', 'Sebastian Raschka', 'Yoshua Bengio'] class_2 = ['Hilary Mason', 'Carla Gentry', 'Corinna Cortes'] new_class = class_1 + class_2 new_class.append('Peter Warden') new_class.remove('Carla Gentry') print(new_class) courses = {'Math': 65, 'English': 70, 'History': 80, 'French': 70, 'Science': 60} print(courses) total = sum(courses.values()) print("Geoffrey's Total Marks are", total) percentage = total / 500 * 100 print("Geoffrey's Percentage is", percentage) mathematics = {'Geoffrey Hinton': 78, 'Andrew Ng': 95, 'Sebastian Raschka': 65, 'Yoshua Benjio': 50, 'Hilary Mason': 70, 'Corinna Cortes': 66, 'Peter Warden': 75} print(mathematics) topper = max(mathematics, key=mathematics.get) print('Student with highest Marks is', topper) topper = 'andrew ng' topper.split() print(topper) first_name = topper.split()[0] print(first_name) last_name = topper.split()[1] print(last_name) full_name = last_name + ' ' + first_name print(full_name) certificate_name = full_name.upper() print(certificate_name)
""" The send_email function is defined here to enable you to play with code, but of course it doesn't send an actual email. """ def send_email(*a): """send an e-mail""" print(*a) ALERT_SYSTEM = 'console' # other value can be 'email' ERROR_SEVERITY = 'critical' # other values: 'medium' or 'low' ERROR_MESSAGE = 'OMG! Something terrible happened!' if ALERT_SYSTEM == 'console': print(ERROR_MESSAGE) # 1 elif ALERT_SYSTEM == 'email': if ERROR_SEVERITY == 'critical': send_email('admin@example.com', ERROR_MESSAGE) # 2 elif ERROR_SEVERITY == 'medium': send_email('support.1@example.com', ERROR_MESSAGE) # 3 else: send_email('support.2@example.com', ERROR_MESSAGE) # 4
""" The send_email function is defined here to enable you to play with code, but of course it doesn't send an actual email. """ def send_email(*a): """send an e-mail""" print(*a) alert_system = 'console' error_severity = 'critical' error_message = 'OMG! Something terrible happened!' if ALERT_SYSTEM == 'console': print(ERROR_MESSAGE) elif ALERT_SYSTEM == 'email': if ERROR_SEVERITY == 'critical': send_email('admin@example.com', ERROR_MESSAGE) elif ERROR_SEVERITY == 'medium': send_email('support.1@example.com', ERROR_MESSAGE) else: send_email('support.2@example.com', ERROR_MESSAGE)
# add some debug printouts debug = False # dead code elimination dce = False # assume there will be no backwards forward_only = True # assume input tensors are dynamic dynamic_shapes = True # assume weight tensors are fixed size static_weight_shapes = True # enable some approximation algorithms approximations = False # put correctness assertions in generated code size_asserts = True # enable loop reordering based on input orders pick_loop_orders = True # generate inplace computations inplace_buffers = False # config specific to codegen/cpp.pp class cpp: threads = -1 # set to cpu_count() simdlen = None min_chunk_size = 4096 cxx = ("g++-10", "g++") # cxx = "clang++-12" # config specific to codegen/triton.py class triton: cudagraphs = True hackery = False
debug = False dce = False forward_only = True dynamic_shapes = True static_weight_shapes = True approximations = False size_asserts = True pick_loop_orders = True inplace_buffers = False class Cpp: threads = -1 simdlen = None min_chunk_size = 4096 cxx = ('g++-10', 'g++') class Triton: cudagraphs = True hackery = False
def insertion_sort(l): """ Insertion Sort Implementation. Time O(n^2) run. O(1) space complexity. :param l: List :return: None, orders in place. """ # finds the next item to insert for i in range(1, len(l)): if l[i] < l[i - 1]: item = l[i] # moves the item to its right location for j in range(i, 0, -1): if item < l[j - 1]: l[j], l[j - 1] = l[j - 1], l[j] l = [2, 1, 1, -10, 10, -1, 0, 11, -1, 111, -111, -1, 0, 1000] insertion_sort(l) print(l)
def insertion_sort(l): """ Insertion Sort Implementation. Time O(n^2) run. O(1) space complexity. :param l: List :return: None, orders in place. """ for i in range(1, len(l)): if l[i] < l[i - 1]: item = l[i] for j in range(i, 0, -1): if item < l[j - 1]: (l[j], l[j - 1]) = (l[j - 1], l[j]) l = [2, 1, 1, -10, 10, -1, 0, 11, -1, 111, -111, -1, 0, 1000] insertion_sort(l) print(l)
# Copyright (C) 2019-2021 Data Ductus AB # # Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: # # 1. Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. # # 2. Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. # # 3. Neither the name of the copyright holder nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission. # # THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. # # Python version of bytesview ################################################## ### Bytesview class Bytesview(): _bytes : bytes = None _pre = None _start : int = 0 _end : int = 0 _eof : bool = False def __init__(self, b, n=None, start=None, pre=None, closed=False): self._bytes = b self._pre = pre self._start = 0 if start is None else start if n is not None: self._end = self._start + n else: self._end = len(b)-self._start self._eof = closed ### analysis of Bytesview objects def n(self): return self._end - self._start + (self._pre.n() if self._pre is not None else 0) def to_bytes(self): these = self._bytes[self._start:self._end] if self._pre is None: return these else: return self._pre.to_bytes() + these ### de-lousing def show(self): if self._pre is not None: self._pre.show() print(self._bytes, "[{}:{}]".format(self._start,self._end)) if self._eof: print("_eof = {}".format(self._eof)) ### consuming data def _consume(self, amount): if self._pre is not None: (pre, remaining) = self._pre._consume(amount) else: pre = None remaining = amount thislen = self._end - self._start if remaining < thislen: newthis = Bytesview(self._bytes, n=thislen-remaining, start=self._start+remaining, pre=pre) newremaining = 0 else: newthis = pre newremaining = remaining - thislen return(newthis,newremaining) def consume(self, amount): # assert(self.n()>=amount) (newview, remaining) = self._consume(amount) if remaining > 0: # raise IndexError return None if newview is not None: return newview else: return Bytesview(b'') # def _initialbytes(self, amount=a, end=-1, endskip=0): # # # def initialbytes(self, end=-1, endskip=0): # # remove data at end of bytesview. # # # # end == -1 implies trimming from eof (so error if -1 and not closed) # # end >= 0 implies end-endskip is the index where returned bytesview object ends. # # remove endskip bytes before end. # if end == -1 and not self._eof: # raise ValueError("Trim(end=-1) on non-closed Bytesview") # # if self._pre is None: # # thislen = self._end - self._start # thislen -= # if self._pre is None: # newstartskip = startskip # newend = end # newenskip = endskip # return Bytesview(self._bytes, start=self._start+ # else: # # if start is None: # if end is None or end == -1: # these = self._bytes[self._start:self._end] # else: # these = self._bytes[self._start:self._start+end] # else: # if end is None or end == -1: # these = self._bytes[self._start+start:self._end] # else: # these = self._bytes[self._start+start:self._start+end] # if self._pre is None: # return these # else: # return self._pre.to_bytes() + these ### reading out data from a Bytesview object (creating a new) ### ### Raises IncompleteReadError if Bytesview object does not contain ### enough data to fulfill request. def _read(self, n): # n is always >= 0 if self._pre is not None: (remaining, initial) = self._pre._read(n) else: remaining = n initial = None thislen = self._end - self._start if remaining == 0: return (remaining,initial) elif remaining >= thislen: return (remaining-thislen, self) else: # 0 < remaining < thislen return (0, Bytesview(self._bytes, start=self._start, n=remaining, pre=initial)) def read(self, n=-1): # (int) -> (bytes, Bytesview) if n == -1: if not self._eof: raise IncompleteReadError("read(-1) on non-closed Bytesview") return None else: return self else: # deliver n bytes, if there are n bytes. # if not, deliver available bytes if closed, error if not closed thislen = self._end - self._start if self._pre is not None: (remaining, initial) = self._pre._read(n) else: remaining = n initial = None if remaining == 0: return initial if initial is not None else Bytesview(b'') elif remaining < thislen: return Bytesview(self._bytes, n=remaining, start=self._start, pre=initial) elif remaining > thislen: if self._eof: return self else: #raise IncompleteReadError("read(n) on non-closed Bytesview with less than n bytes") return None else: # remaining == thislen return self def readline(self): return self.readuntil (separator=b'\n') def _readexactly(self, n): thislen = self._end - self._start if self._pre: (initial, remains) = self._pre._readexactly(n) else: (initial, remains) = (None, n) if remains == 0: return (initial, remains) elif remains >= thislen: return (self, remains-thislen) else: # remains < thislen return (Bytesview(self._bytes, start=self._start, n=remains, pre=initial), 0) def readexactly(self, n): (initial, remains) = self._readexactly(n) if remains > 0: #raise IncompleteReadError("readexactly(): Too few bytes available") return None if initial is None: initial = Bytesview(b'') return initial def _readuntil(self, separator, seplen): # len(last) < len(separator) if self._pre is not None: (last, initial, found) = self._pre._readuntil(separator, seplen) else: (last, initial, found) = (b'', None, False) # last is potential beginning of separator at end of previous Bytesview(s) if found: return (b'',initial, found) else: buf = last+self._bytes[self._start:self._start+seplen-1] idx = buf.find(separator) if idx >= 0: # found it! # end of separator at ix+seplen-len(last) #print (buf, len(buf), last, len(last), sep, idx) return (b'', Bytesview(self._bytes, n=idx+seplen-len(last), start=self._start, pre=self._pre), True) idx = self._bytes.find(separator, self._start) if idx >= 0: # found it! return (b'', Bytesview(self._bytes, n=idx-self._start+seplen, start=self._start, pre=self._pre), True) thislen = self._end-self._start if thislen >= seplen-1: last = self._bytes[self._end-(seplen-1):self._end] else: last = last[thislen-(seplen-1):] + self._bytes[self._start:self._end] return (last, self, False) def readuntil(self, separator=b'\n'): seplen = len(separator) (_, initial, found) = self._readuntil(separator, seplen) if found: return initial if initial is not None else Bytesview(b'') else: if self._eof: #raise IncompleteReadError("Separator not found and Bytesview closed") return None else: #raise IncompleteReadError("Separator not found") return None def at_eof(self): return self._eof and self._pre is None and self._start == self._end ### feeding data & closing def append(self, b, n=None): if self._eof: #raise ValueError("append() on closed Bytesview") return None if self._start < self._end: return Bytesview(b, n=n, pre=self) else: return Bytesview(b, n=n) def write(self, b, n=None): # same as append(self, b, n=None) if self._eof: #raise ValueError("write() on closed Bytesview") return None return self.append(b, n) def writelines(self,data): if self._eof: #raise ValueError("writelines() on closed Bytesview") return None for b in data: self.append(b) def close(self): if self._eof: return self return Bytesview(self._bytes, n=self._end-self._start, start=self._start, pre=self._pre, closed=True) ################################################## ### Unit tests def report(bv, name): print (name+" = ", bv) print (name+".n() = ", bv.n()) # print (name+"limits() = ", bv.limits()) print (name+".to_bytes() = ", bv.to_bytes()) print (name+".show():") bv.show() by = b'0123456789abcdef' #l = len(by) #print("by = ",by) #print("l = ", l) # #bv1 = Bytesview(by) #bv2 = Bytesview(by, n=16) # #report(bv1, "bv1") #report(bv2, "bv2") bv3 = bv2.append(by, n=16) #report(bv2, "bv2") #report(bv3, "bv3") bv4 = bv3.append(by) #report(bv4,"bv4") #bv = bv4 #n=0 #while True: # res = bv.consume(n) # print("") # res.show() # #print(res.to_bytes()) # n += 1 ########### ### read() # #bv = bv4 #n=0 #while True: # res = bv.read(n) # print("") # res.show() # #print(res.to_bytes()) # n += 1 #print("read() test") #bv = bv4 #n=0 #while n < 60: # res = bv.read(n) # print(res.to_bytes()) # n += 1 #bv = bv4.close() #print("bv length: ", bv.n()) # #n=0 #while n < 60: # res = bv.read(n) # print(res.to_bytes()) # n += 1 #bv = bv4.close() #print("bv length: ", bv.n()) # #n=0 #while n < 60: # res = bv.read(n) # print(res.to_bytes()) # res.show() # n += 1 ########### ### readuntil() # #separators = by+b'x'+by+b'y'+by+b'z'+by+b'w' #bv = Bytesview(by+b'x').append(by+b'y').append(by+b'z').append(by) #bv.close() #print("bv length: ", bv.n()) # #n=0 #while n < 4*16+3+5: # sep = separators[n:n+7] # res = bv.readuntil(separator=sep) # print(sep, " ", res.to_bytes()) # res.show() # n += 1 def bv_list(bv=None): bvl = bv if bv is not None else Bytesview(b'') n = 0 while n < 16: bvl = bvl.append(by[n:n+1]) n += 1 return bvl bvl = bv_list().append(b'x') bvl = bv_list(bvl).append(b'y') bvl = bv_list(bvl).append(b'z') bvl = bv_list(bvl) print ("bvl: ", bvl.to_bytes()) bvl.show() #bv.close() print("bv length: ", bvl.n()) separators = by+b'x'+by+b'y'+by+b'z'+by+b'w' n=0 while n < 4*16+3+5: sep = separators[n:n+7] res = bvl.readuntil(separator=sep) print(sep, " ", res.to_bytes()) res.show() n += 1 ########### ### readexactly() # #bv = Bytesview(by+b'x').append(by+b'y').append(by+b'z').append(by) #bv.close() #print("bv length: ", bv.n()) # #n=0 #while n < 4*16+3+5: # res = bv.readexactly(n) # print(res.to_bytes()) # #res.show() # n += 1 #
class Bytesview: _bytes: bytes = None _pre = None _start: int = 0 _end: int = 0 _eof: bool = False def __init__(self, b, n=None, start=None, pre=None, closed=False): self._bytes = b self._pre = pre self._start = 0 if start is None else start if n is not None: self._end = self._start + n else: self._end = len(b) - self._start self._eof = closed def n(self): return self._end - self._start + (self._pre.n() if self._pre is not None else 0) def to_bytes(self): these = self._bytes[self._start:self._end] if self._pre is None: return these else: return self._pre.to_bytes() + these def show(self): if self._pre is not None: self._pre.show() print(self._bytes, '[{}:{}]'.format(self._start, self._end)) if self._eof: print('_eof = {}'.format(self._eof)) def _consume(self, amount): if self._pre is not None: (pre, remaining) = self._pre._consume(amount) else: pre = None remaining = amount thislen = self._end - self._start if remaining < thislen: newthis = bytesview(self._bytes, n=thislen - remaining, start=self._start + remaining, pre=pre) newremaining = 0 else: newthis = pre newremaining = remaining - thislen return (newthis, newremaining) def consume(self, amount): (newview, remaining) = self._consume(amount) if remaining > 0: return None if newview is not None: return newview else: return bytesview(b'') def _read(self, n): if self._pre is not None: (remaining, initial) = self._pre._read(n) else: remaining = n initial = None thislen = self._end - self._start if remaining == 0: return (remaining, initial) elif remaining >= thislen: return (remaining - thislen, self) else: return (0, bytesview(self._bytes, start=self._start, n=remaining, pre=initial)) def read(self, n=-1): if n == -1: if not self._eof: raise incomplete_read_error('read(-1) on non-closed Bytesview') return None else: return self else: thislen = self._end - self._start if self._pre is not None: (remaining, initial) = self._pre._read(n) else: remaining = n initial = None if remaining == 0: return initial if initial is not None else bytesview(b'') elif remaining < thislen: return bytesview(self._bytes, n=remaining, start=self._start, pre=initial) elif remaining > thislen: if self._eof: return self else: return None else: return self def readline(self): return self.readuntil(separator=b'\n') def _readexactly(self, n): thislen = self._end - self._start if self._pre: (initial, remains) = self._pre._readexactly(n) else: (initial, remains) = (None, n) if remains == 0: return (initial, remains) elif remains >= thislen: return (self, remains - thislen) else: return (bytesview(self._bytes, start=self._start, n=remains, pre=initial), 0) def readexactly(self, n): (initial, remains) = self._readexactly(n) if remains > 0: return None if initial is None: initial = bytesview(b'') return initial def _readuntil(self, separator, seplen): if self._pre is not None: (last, initial, found) = self._pre._readuntil(separator, seplen) else: (last, initial, found) = (b'', None, False) if found: return (b'', initial, found) else: buf = last + self._bytes[self._start:self._start + seplen - 1] idx = buf.find(separator) if idx >= 0: return (b'', bytesview(self._bytes, n=idx + seplen - len(last), start=self._start, pre=self._pre), True) idx = self._bytes.find(separator, self._start) if idx >= 0: return (b'', bytesview(self._bytes, n=idx - self._start + seplen, start=self._start, pre=self._pre), True) thislen = self._end - self._start if thislen >= seplen - 1: last = self._bytes[self._end - (seplen - 1):self._end] else: last = last[thislen - (seplen - 1):] + self._bytes[self._start:self._end] return (last, self, False) def readuntil(self, separator=b'\n'): seplen = len(separator) (_, initial, found) = self._readuntil(separator, seplen) if found: return initial if initial is not None else bytesview(b'') elif self._eof: return None else: return None def at_eof(self): return self._eof and self._pre is None and (self._start == self._end) def append(self, b, n=None): if self._eof: return None if self._start < self._end: return bytesview(b, n=n, pre=self) else: return bytesview(b, n=n) def write(self, b, n=None): if self._eof: return None return self.append(b, n) def writelines(self, data): if self._eof: return None for b in data: self.append(b) def close(self): if self._eof: return self return bytesview(self._bytes, n=self._end - self._start, start=self._start, pre=self._pre, closed=True) def report(bv, name): print(name + ' = ', bv) print(name + '.n() = ', bv.n()) print(name + '.to_bytes() = ', bv.to_bytes()) print(name + '.show():') bv.show() by = b'0123456789abcdef' bv3 = bv2.append(by, n=16) bv4 = bv3.append(by) def bv_list(bv=None): bvl = bv if bv is not None else bytesview(b'') n = 0 while n < 16: bvl = bvl.append(by[n:n + 1]) n += 1 return bvl bvl = bv_list().append(b'x') bvl = bv_list(bvl).append(b'y') bvl = bv_list(bvl).append(b'z') bvl = bv_list(bvl) print('bvl: ', bvl.to_bytes()) bvl.show() print('bv length: ', bvl.n()) separators = by + b'x' + by + b'y' + by + b'z' + by + b'w' n = 0 while n < 4 * 16 + 3 + 5: sep = separators[n:n + 7] res = bvl.readuntil(separator=sep) print(sep, ' ', res.to_bytes()) res.show() n += 1
# Find the sum pair who is divisible by a certain integer in an arry # You modulo from the start and compute the complement and # store the modulo that way when u see a complement that matches # the modulo hashmap you add to the counter # O(n) # O(k) def divisibleSumPairs(n, k, arr): hMap = dict() counter = 0 for item in arr: modu = item % k comp = k - modu if comp in hMap.keys(): counter += hMap[comp] if modu in hMap.keys(): hMap[modu] += 1 else: hMap.setdefault(modu, 1) print(hMap) print("modulus", modu) print("comple", comp) print("couunter", counter, "\n") return counter
def divisible_sum_pairs(n, k, arr): h_map = dict() counter = 0 for item in arr: modu = item % k comp = k - modu if comp in hMap.keys(): counter += hMap[comp] if modu in hMap.keys(): hMap[modu] += 1 else: hMap.setdefault(modu, 1) print(hMap) print('modulus', modu) print('comple', comp) print('couunter', counter, '\n') return counter
"""Define version constants.""" __version__ = '0.0.1' __version_info__ = tuple(int(i) for i in __version__.split('.'))
"""Define version constants.""" __version__ = '0.0.1' __version_info__ = tuple((int(i) for i in __version__.split('.')))
s = input() k = int(input()) subst = list(s) for i in range(2, k + 1): for j in range(len(s) - i + 1): subst.append(s[j:j + i]) subst = sorted(list(set(subst))) print(subst[k - 1])
s = input() k = int(input()) subst = list(s) for i in range(2, k + 1): for j in range(len(s) - i + 1): subst.append(s[j:j + i]) subst = sorted(list(set(subst))) print(subst[k - 1])
""" @author: azubiolo (alexis.zubiolo@gmail.com) """ # Factorial of a given integer. def fact(x): if x == 0: return 1 return x * fact(x - 1) # Maximum of a list of non-negative integers. Please do not use the built-in function 'max'. def maximum_value(l): max_value = 0 for x in l: if x > max_value: max_value = x return max_value # Average value of a list. Try not to use the functions 'len' or 'sum'. def average_value(l): sum_elements = 0.0 # try with 0 instead of 0.0 n_elements = 0 for x in l: sum_elements += x n_elements += 1 return sum_elements/n_elements # Write a function filter(a, b) which finds all numbers between integers a and b (both # included) which are divisible by 7 but not by 5. def filter(a, b): result = [] for i in range(a, b+1): if (i%7 == 0) and (i%5 != 0): # if the number is divisible by 7 but not by 5 then add it. result.append(i) # else don't do anything return result # Write a function that takes a value and a list of values and returns True if the value is # in the list, False otherwise. def is_member(a, l): result = False for x in l: if a == x: result = True return result # Write a function reverse(word) that reverses a word. For example, reverse("boat") # should return "taob" def reverse(word): reversed_word = "" # for letter in word: reversed_word = letter + reversed_word # + for strings is a concatenation return reversed_word # Write a function is_palindrome(word) that recognizes palindromes (i.e. words # that look the same written backwards). For example, is_palindrome("radar") # should return True. is_palindrome("boat") should return False def is_palindrome(word): return reverse(word) == word # Write a function overlapping(list1, list2) that takes 2 lists and returns True if they # have at least one common element. def overlapping(list1, list2): result = False for x1 in list1: if is_member(x1, list2): result = True return result # Write a function char_freq() that takes a string and builds a frequency # listing of the characters contained in it. Represent the frequency listing # as a dictionary. def char_freq(word): result = dict() for letter in word: if letter in result: result[letter] += 1 else: result[letter] = 1 return result # Quick sort. Description of the algorithm here: https://en.wikipedia.org/wiki/Quicksort def quicksort(arr): if len(arr) <= 1: return arr pivot = arr[len(arr) / 2] left = [x for x in arr if x < pivot] middle = [x for x in arr if x == pivot] right = [x for x in arr if x > pivot] return quicksort(left) + middle + quicksort(right)
""" @author: azubiolo (alexis.zubiolo@gmail.com) """ def fact(x): if x == 0: return 1 return x * fact(x - 1) def maximum_value(l): max_value = 0 for x in l: if x > max_value: max_value = x return max_value def average_value(l): sum_elements = 0.0 n_elements = 0 for x in l: sum_elements += x n_elements += 1 return sum_elements / n_elements def filter(a, b): result = [] for i in range(a, b + 1): if i % 7 == 0 and i % 5 != 0: result.append(i) return result def is_member(a, l): result = False for x in l: if a == x: result = True return result def reverse(word): reversed_word = '' for letter in word: reversed_word = letter + reversed_word return reversed_word def is_palindrome(word): return reverse(word) == word def overlapping(list1, list2): result = False for x1 in list1: if is_member(x1, list2): result = True return result def char_freq(word): result = dict() for letter in word: if letter in result: result[letter] += 1 else: result[letter] = 1 return result def quicksort(arr): if len(arr) <= 1: return arr pivot = arr[len(arr) / 2] left = [x for x in arr if x < pivot] middle = [x for x in arr if x == pivot] right = [x for x in arr if x > pivot] return quicksort(left) + middle + quicksort(right)
# # PySNMP MIB module ASCEND-MIBMGW-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/ASCEND-MIBMGW-MIB # Produced by pysmi-0.3.4 at Wed May 1 11:27: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) # configuration, = mibBuilder.importSymbols("ASCEND-MIB", "configuration") OctetString, Integer, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "OctetString", "Integer", "ObjectIdentifier") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ValueRangeConstraint, ValueSizeConstraint, ConstraintsUnion, ConstraintsIntersection, SingleValueConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueRangeConstraint", "ValueSizeConstraint", "ConstraintsUnion", "ConstraintsIntersection", "SingleValueConstraint") NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance") ModuleIdentity, iso, MibIdentifier, ObjectIdentity, Gauge32, Bits, Unsigned32, NotificationType, MibScalar, MibTable, MibTableRow, MibTableColumn, Counter32, IpAddress, Integer32, Counter64, TimeTicks = mibBuilder.importSymbols("SNMPv2-SMI", "ModuleIdentity", "iso", "MibIdentifier", "ObjectIdentity", "Gauge32", "Bits", "Unsigned32", "NotificationType", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Counter32", "IpAddress", "Integer32", "Counter64", "TimeTicks") DisplayString, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention") class DisplayString(OctetString): pass mibmediaGatewayProfile = MibIdentifier((1, 3, 6, 1, 4, 1, 529, 23, 170)) mibmediaGatewayProfileTable = MibTable((1, 3, 6, 1, 4, 1, 529, 23, 170, 1), ) if mibBuilder.loadTexts: mibmediaGatewayProfileTable.setStatus('mandatory') if mibBuilder.loadTexts: mibmediaGatewayProfileTable.setDescription('A list of mibmediaGatewayProfile profile entries.') mibmediaGatewayProfileEntry = MibTableRow((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1), ).setIndexNames((0, "ASCEND-MIBMGW-MIB", "mediaGatewayProfile-Name")) if mibBuilder.loadTexts: mibmediaGatewayProfileEntry.setStatus('mandatory') if mibBuilder.loadTexts: mibmediaGatewayProfileEntry.setDescription('A mibmediaGatewayProfile entry containing objects that maps to the parameters of mibmediaGatewayProfile profile.') mediaGatewayProfile_Name = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 1), DisplayString()).setLabel("mediaGatewayProfile-Name").setMaxAccess("readonly") if mibBuilder.loadTexts: mediaGatewayProfile_Name.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_Name.setDescription('The name of the Media Gateway profile labels the MGC(s) that we are communicating with. Multiple MEDIA-GATEWAY profiles can be created if virtual media gateways are used. The name of the controlling media gateway should also be configured in the respective T1/E1 line profile(s).') mediaGatewayProfile_Active = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("mediaGatewayProfile-Active").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_Active.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_Active.setDescription("When set to 'no', interface to the Media Gateway MGC specified in this profile is disabled.") mediaGatewayProfile_ProtocolType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 3))).clone(namedValues=NamedValues(("h248", 1), ("sip", 3)))).setLabel("mediaGatewayProfile-ProtocolType").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_ProtocolType.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_ProtocolType.setDescription('The type of the signaling protocol to use.') mediaGatewayProfile_MgSigAddress_Type = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("systemDefault", 1), ("specific", 2), ("interfaceDependent", 3)))).setLabel("mediaGatewayProfile-MgSigAddress-Type").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_MgSigAddress_Type.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_MgSigAddress_Type.setDescription("Defines how the Media Gateway's source IP address is obtained.") mediaGatewayProfile_MgSigAddress_IpAddress = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 5), IpAddress()).setLabel("mediaGatewayProfile-MgSigAddress-IpAddress").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_MgSigAddress_IpAddress.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_MgSigAddress_IpAddress.setDescription("MG's IP address to be used for signaling. Valid only if type=specific.") mediaGatewayProfile_MgRtpAddress_Type = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("systemDefault", 1), ("specific", 2), ("interfaceDependent", 3)))).setLabel("mediaGatewayProfile-MgRtpAddress-Type").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_MgRtpAddress_Type.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_MgRtpAddress_Type.setDescription("Defines how the Media Gateway's source IP address is obtained.") mediaGatewayProfile_MgRtpAddress_IpAddress = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 7), IpAddress()).setLabel("mediaGatewayProfile-MgRtpAddress-IpAddress").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_MgRtpAddress_IpAddress.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_MgRtpAddress_IpAddress.setDescription("MG's IP address to be used for signaling. Valid only if type=specific.") mediaGatewayProfile_H248Options_EncodingFormat = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("text", 1), ("binary", 2)))).setLabel("mediaGatewayProfile-H248Options-EncodingFormat").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_EncodingFormat.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_EncodingFormat.setDescription('Protocol text or binary encoding. Only text encoding is supported currently.') mediaGatewayProfile_H248Options_MaxResponseTime = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 9), Integer32()).setLabel("mediaGatewayProfile-H248Options-MaxResponseTime").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_MaxResponseTime.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_MaxResponseTime.setDescription('Maximum response time value in milliseconds.') mediaGatewayProfile_H248Options_Heartbeat_Enabled = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("mediaGatewayProfile-H248Options-Heartbeat-Enabled").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_Heartbeat_Enabled.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_Heartbeat_Enabled.setDescription('When set to yes, TNT will generate signaling heartbeat to MGC at the configured interval.') mediaGatewayProfile_H248Options_Heartbeat_Interval = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 11), Integer32()).setLabel("mediaGatewayProfile-H248Options-Heartbeat-Interval").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_Heartbeat_Interval.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_Heartbeat_Interval.setDescription('Time interval between heartbeat messages, in milliseconds.') mediaGatewayProfile_H248Options_DigitmapOptions_StartTimer = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 12), Integer32()).setLabel("mediaGatewayProfile-H248Options-DigitmapOptions-StartTimer").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_DigitmapOptions_StartTimer.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_DigitmapOptions_StartTimer.setDescription('DigitMap start timer in milliseconds') mediaGatewayProfile_H248Options_DigitmapOptions_ShortTimer = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 13), Integer32()).setLabel("mediaGatewayProfile-H248Options-DigitmapOptions-ShortTimer").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_DigitmapOptions_ShortTimer.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_DigitmapOptions_ShortTimer.setDescription('DigitMap short timer in milliseconds') mediaGatewayProfile_H248Options_DigitmapOptions_LongTimer = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 14), Integer32()).setLabel("mediaGatewayProfile-H248Options-DigitmapOptions-LongTimer").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_DigitmapOptions_LongTimer.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_DigitmapOptions_LongTimer.setDescription('DigitMap long timer in milliseconds') mediaGatewayProfile_IpdcOptions_BayId = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 15), DisplayString()).setLabel("mediaGatewayProfile-IpdcOptions-BayId").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_IpdcOptions_BayId.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_IpdcOptions_BayId.setDescription('Bay ID defines the bay this device belongs to. Used for registration purposes only. The content of this field is reported to the gateway during the device registration process.') mediaGatewayProfile_IpdcOptions_SystemType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 16), DisplayString()).setLabel("mediaGatewayProfile-IpdcOptions-SystemType").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_IpdcOptions_SystemType.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_IpdcOptions_SystemType.setDescription('Model ID and/or type of equipment. Used for device registration only. Must be listed in the database on the Gateway.') mediaGatewayProfile_TransportOptions_Type = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("tcp", 1), ("udp", 2)))).setLabel("mediaGatewayProfile-TransportOptions-Type").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_TransportOptions_Type.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_TransportOptions_Type.setDescription('Transport layer to be used for signaling traffic. H248 supports TCP/TPKT and SIP uses UDP.') mediaGatewayProfile_VoipOptions_PacketAudioMode = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("g711Ulaw", 1), ("g711Alaw", 2), ("g723", 3), ("g729", 4), ("g72364kps", 5), ("rt24", 6), ("g728", 7), ("frgsm", 8)))).setLabel("mediaGatewayProfile-VoipOptions-PacketAudioMode").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_PacketAudioMode.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_PacketAudioMode.setDescription('Audio Coder to be used for voice packetization.') mediaGatewayProfile_VoipOptions_FramesPerPacket = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 19), Integer32()).setLabel("mediaGatewayProfile-VoipOptions-FramesPerPacket").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_FramesPerPacket.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_FramesPerPacket.setDescription('Voice Frames Per RTP Packet. One (1) through four (4) are valid values but must be two (2) if packet audio mode was set to one of the flavors of G.711.') mediaGatewayProfile_VoipOptions_SilenceDetCng = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("cngOnly", 3)))).setLabel("mediaGatewayProfile-VoipOptions-SilenceDetCng").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_SilenceDetCng.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_SilenceDetCng.setDescription('Silence Detection and Comfort Noise Generation selection.') mediaGatewayProfile_VoipOptions_EnaAdapJitterBuffer = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("mediaGatewayProfile-VoipOptions-EnaAdapJitterBuffer").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_EnaAdapJitterBuffer.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_EnaAdapJitterBuffer.setDescription('Enable Adaptive Jtr Buf') mediaGatewayProfile_VoipOptions_MaxJitterBufferSize = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 22), Integer32()).setLabel("mediaGatewayProfile-VoipOptions-MaxJitterBufferSize").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_MaxJitterBufferSize.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_MaxJitterBufferSize.setDescription('Max Jtr Buf Size') mediaGatewayProfile_VoipOptions_InitialJitterBufferSize = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 23), Integer32()).setLabel("mediaGatewayProfile-VoipOptions-InitialJitterBufferSize").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_InitialJitterBufferSize.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_InitialJitterBufferSize.setDescription('Initial Jtr Buf Size') mediaGatewayProfile_VoipOptions_VoiceAnnDir = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 24), DisplayString()).setLabel("mediaGatewayProfile-VoipOptions-VoiceAnnDir").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_VoiceAnnDir.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_VoiceAnnDir.setDescription('Pc Flash Card Voice Announcement Directory') mediaGatewayProfile_VoipOptions_VoiceAnnEnc = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 25), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 4))).clone(namedValues=NamedValues(("g711Ulaw", 1), ("g729", 4)))).setLabel("mediaGatewayProfile-VoipOptions-VoiceAnnEnc").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_VoiceAnnEnc.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_VoiceAnnEnc.setDescription('Voice announcement file encoding') mediaGatewayProfile_VoipOptions_CallInterDigitTimeout = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 26), Integer32()).setLabel("mediaGatewayProfile-VoipOptions-CallInterDigitTimeout").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_CallInterDigitTimeout.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_CallInterDigitTimeout.setDescription('Inter Digit Timeout') mediaGatewayProfile_VoipOptions_SilenceThreshold = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 27), Integer32()).setLabel("mediaGatewayProfile-VoipOptions-SilenceThreshold").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_SilenceThreshold.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_SilenceThreshold.setDescription('Silence Thresh (dB inc)') mediaGatewayProfile_VoipOptions_DtmfTonePassing = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 28), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("inband", 1), ("outofband", 2), ("rtp", 3)))).setLabel("mediaGatewayProfile-VoipOptions-DtmfTonePassing").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_DtmfTonePassing.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_DtmfTonePassing.setDescription('DTMF Tone Passing') mediaGatewayProfile_VoipOptions_Maxcalls = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 29), Integer32()).setLabel("mediaGatewayProfile-VoipOptions-Maxcalls").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_Maxcalls.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_Maxcalls.setDescription('Maximum Voip Calls') mediaGatewayProfile_VoipOptions_Rfc2833PayloadType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 30), Integer32()).setLabel("mediaGatewayProfile-VoipOptions-Rfc2833PayloadType").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_Rfc2833PayloadType.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_Rfc2833PayloadType.setDescription('Value to assign to payload type for rfc2833 used for rtp transport of DTMF tones.') mediaGatewayProfile_VoipOptions_G711TransparentData = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 31), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("mediaGatewayProfile-VoipOptions-G711TransparentData").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_G711TransparentData.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_G711TransparentData.setDescription('G711 Transparent Fax/Data') mediaGatewayProfile_VoipOptions_RtpProblemReporting_Enable = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 87), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("mediaGatewayProfile-VoipOptions-RtpProblemReporting-Enable").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_RtpProblemReporting_Enable.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_RtpProblemReporting_Enable.setDescription('Enable/Disable RTP (potential) problem detection and reporting.') mediaGatewayProfile_VoipOptions_RtpProblemReporting_MultMediaRcptOkTime = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 88), Integer32()).setLabel("mediaGatewayProfile-VoipOptions-RtpProblemReporting-MultMediaRcptOkTime").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_RtpProblemReporting_MultMediaRcptOkTime.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_RtpProblemReporting_MultMediaRcptOkTime.setDescription('(1-65535 seconds) Maximum time allowed to recive multiple rtp streams and still not consider it rogue.') mediaGatewayProfile_VoipOptions_RtpProblemReporting_NoMediaRcptOkTime = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 89), Integer32()).setLabel("mediaGatewayProfile-VoipOptions-RtpProblemReporting-NoMediaRcptOkTime").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_RtpProblemReporting_NoMediaRcptOkTime.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_RtpProblemReporting_NoMediaRcptOkTime.setDescription('(1-65535 seconds) A message will be generated if no rtp was received in this time. The consecutive reporting time will be exponential.') mediaGatewayProfile_DialedGwOptions_CallHairpin = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 32), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disabled", 1), ("enabled", 2)))).setLabel("mediaGatewayProfile-DialedGwOptions-CallHairpin").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_DialedGwOptions_CallHairpin.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_DialedGwOptions_CallHairpin.setDescription('Hairpin call (ingress)') mediaGatewayProfile_DialedGwOptions_TrunkQuiesce = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 33), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disabled", 1), ("enabled", 2)))).setLabel("mediaGatewayProfile-DialedGwOptions-TrunkQuiesce").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_DialedGwOptions_TrunkQuiesce.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_DialedGwOptions_TrunkQuiesce.setDescription('Trunk Quiesce (ingress)') mediaGatewayProfile_DialedGwOptions_TrunkPrefix = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 34), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disabled", 1), ("enabled", 2)))).setLabel("mediaGatewayProfile-DialedGwOptions-TrunkPrefix").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_DialedGwOptions_TrunkPrefix.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_DialedGwOptions_TrunkPrefix.setDescription('Apply Trunk prefix to DNIS. For egress trunk selection.') mediaGatewayProfile_DialedGwOptions_StartLocalRingTone = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 35), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("ringToneOnAlerting", 1), ("ringToneOnFirstMessage", 2), ("ringToneOnCallProgress", 3)))).setLabel("mediaGatewayProfile-DialedGwOptions-StartLocalRingTone").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_DialedGwOptions_StartLocalRingTone.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_DialedGwOptions_StartLocalRingTone.setDescription('When to start local ring tone (ingress).') mediaGatewayProfile_DialedGwOptions_MediaWaitForConnect = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 36), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disabled", 1), ("enabled", 2)))).setLabel("mediaGatewayProfile-DialedGwOptions-MediaWaitForConnect").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_DialedGwOptions_MediaWaitForConnect.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_DialedGwOptions_MediaWaitForConnect.setDescription('Start media flow after Q931 connect message (egress - for SIP 200 message).') mediaGatewayProfile_RtFaxOptions_RtFaxEnable = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 37), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("mediaGatewayProfile-RtFaxOptions-RtFaxEnable").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_RtFaxOptions_RtFaxEnable.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_RtFaxOptions_RtFaxEnable.setDescription('Enable/Disable the Real-Time Fax Feature.') mediaGatewayProfile_RtFaxOptions_EcmEnable = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 38), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("mediaGatewayProfile-RtFaxOptions-EcmEnable").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_RtFaxOptions_EcmEnable.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_RtFaxOptions_EcmEnable.setDescription('Enable/Disable Error Correction Mode.') mediaGatewayProfile_RtFaxOptions_LowLatencyMode = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 39), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("mediaGatewayProfile-RtFaxOptions-LowLatencyMode").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_RtFaxOptions_LowLatencyMode.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_RtFaxOptions_LowLatencyMode.setDescription('Enable/Disable Low Latency Mode.') mediaGatewayProfile_RtFaxOptions_CommandSpoof = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 40), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("mediaGatewayProfile-RtFaxOptions-CommandSpoof").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_RtFaxOptions_CommandSpoof.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_RtFaxOptions_CommandSpoof.setDescription('Enable/Disable a particular T.30 command spoof.') mediaGatewayProfile_RtFaxOptions_LocalRetransmitLsf = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 41), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("mediaGatewayProfile-RtFaxOptions-LocalRetransmitLsf").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_RtFaxOptions_LocalRetransmitLsf.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_RtFaxOptions_LocalRetransmitLsf.setDescription('Enable/Disable local low speed frame retransmission') mediaGatewayProfile_RtFaxOptions_PacketRedundancy = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 42), Integer32()).setLabel("mediaGatewayProfile-RtFaxOptions-PacketRedundancy").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_RtFaxOptions_PacketRedundancy.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_RtFaxOptions_PacketRedundancy.setDescription('UDP Packet Redundancy.') mediaGatewayProfile_RtFaxOptions_FixedPackets = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 43), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("mediaGatewayProfile-RtFaxOptions-FixedPackets").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_RtFaxOptions_FixedPackets.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_RtFaxOptions_FixedPackets.setDescription('Use fixed size image data packets') mediaGatewayProfile_RtFaxOptions_MaxDataRate = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 44), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(2401, 4801, 9601, 14401))).clone(namedValues=NamedValues(("n-2400", 2401), ("n-4800", 4801), ("n-9600", 9601), ("n-14400", 14401)))).setLabel("mediaGatewayProfile-RtFaxOptions-MaxDataRate").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_RtFaxOptions_MaxDataRate.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_RtFaxOptions_MaxDataRate.setDescription('Maximum Negotiated Data Rate') mediaGatewayProfile_RtFaxOptions_AllowCtc = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 45), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("mediaGatewayProfile-RtFaxOptions-AllowCtc").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_RtFaxOptions_AllowCtc.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_RtFaxOptions_AllowCtc.setDescription('Enable extended ECM correction beyond four retransmissions') mediaGatewayProfile_TosRtpOptions_Active = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 46), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("mediaGatewayProfile-TosRtpOptions-Active").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_TosRtpOptions_Active.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_TosRtpOptions_Active.setDescription('Activate type of service for this connection.') mediaGatewayProfile_TosRtpOptions_Precedence = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 47), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 33, 65, 97, 129, 161, 193, 225))).clone(namedValues=NamedValues(("n-000", 1), ("n-001", 33), ("n-010", 65), ("n-011", 97), ("n-100", 129), ("n-101", 161), ("n-110", 193), ("n-111", 225)))).setLabel("mediaGatewayProfile-TosRtpOptions-Precedence").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_TosRtpOptions_Precedence.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_TosRtpOptions_Precedence.setDescription('Tag the precedence bits (priority bits) in the TOS octet of IP datagram header with this value when match occurs.') mediaGatewayProfile_TosRtpOptions_TypeOfService = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 48), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 3, 5, 9, 17))).clone(namedValues=NamedValues(("normal", 1), ("cost", 3), ("reliability", 5), ("throughput", 9), ("latency", 17)))).setLabel("mediaGatewayProfile-TosRtpOptions-TypeOfService").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_TosRtpOptions_TypeOfService.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_TosRtpOptions_TypeOfService.setDescription('Tag the type of service field in the TOS octet of IP datagram header with this value when match occurs.') mediaGatewayProfile_TosRtpOptions_ApplyTo = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 49), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1025, 2049, 3073))).clone(namedValues=NamedValues(("incoming", 1025), ("outgoing", 2049), ("both", 3073)))).setLabel("mediaGatewayProfile-TosRtpOptions-ApplyTo").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_TosRtpOptions_ApplyTo.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_TosRtpOptions_ApplyTo.setDescription('Define how the type-of-service applies to data flow for this connection.') mediaGatewayProfile_TosRtpOptions_MarkingType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 50), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("precedenceTos", 1), ("dscp", 2)))).setLabel("mediaGatewayProfile-TosRtpOptions-MarkingType").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_TosRtpOptions_MarkingType.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_TosRtpOptions_MarkingType.setDescription('Select type of packet marking.') mediaGatewayProfile_TosRtpOptions_Dscp = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 51), DisplayString()).setLabel("mediaGatewayProfile-TosRtpOptions-Dscp").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_TosRtpOptions_Dscp.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_TosRtpOptions_Dscp.setDescription('DSCP tag to be used in marking of the packets (if marking-type = dscp).') mediaGatewayProfile_TosSigOptions_Active = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 90), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("mediaGatewayProfile-TosSigOptions-Active").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_TosSigOptions_Active.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_TosSigOptions_Active.setDescription('Activate type of service for this connection.') mediaGatewayProfile_TosSigOptions_Precedence = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 91), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 33, 65, 97, 129, 161, 193, 225))).clone(namedValues=NamedValues(("n-000", 1), ("n-001", 33), ("n-010", 65), ("n-011", 97), ("n-100", 129), ("n-101", 161), ("n-110", 193), ("n-111", 225)))).setLabel("mediaGatewayProfile-TosSigOptions-Precedence").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_TosSigOptions_Precedence.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_TosSigOptions_Precedence.setDescription('Tag the precedence bits (priority bits) in the TOS octet of IP datagram header with this value when match occurs.') mediaGatewayProfile_TosSigOptions_TypeOfService = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 92), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 3, 5, 9, 17))).clone(namedValues=NamedValues(("normal", 1), ("cost", 3), ("reliability", 5), ("throughput", 9), ("latency", 17)))).setLabel("mediaGatewayProfile-TosSigOptions-TypeOfService").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_TosSigOptions_TypeOfService.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_TosSigOptions_TypeOfService.setDescription('Tag the type of service field in the TOS octet of IP datagram header with this value when match occurs.') mediaGatewayProfile_TosSigOptions_ApplyTo = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 93), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1025, 2049, 3073))).clone(namedValues=NamedValues(("incoming", 1025), ("outgoing", 2049), ("both", 3073)))).setLabel("mediaGatewayProfile-TosSigOptions-ApplyTo").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_TosSigOptions_ApplyTo.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_TosSigOptions_ApplyTo.setDescription('Define how the type-of-service applies to data flow for this connection.') mediaGatewayProfile_TosSigOptions_MarkingType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 94), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("precedenceTos", 1), ("dscp", 2)))).setLabel("mediaGatewayProfile-TosSigOptions-MarkingType").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_TosSigOptions_MarkingType.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_TosSigOptions_MarkingType.setDescription('Select type of packet marking.') mediaGatewayProfile_TosSigOptions_Dscp = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 95), DisplayString()).setLabel("mediaGatewayProfile-TosSigOptions-Dscp").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_TosSigOptions_Dscp.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_TosSigOptions_Dscp.setDescription('DSCP tag to be used in marking of the packets (if marking-type = dscp).') mediaGatewayProfile_SipOptions_T1Timer = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 52), Integer32()).setLabel("mediaGatewayProfile-SipOptions-T1Timer").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_T1Timer.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_T1Timer.setDescription('T1 timer value in milliseconds.') mediaGatewayProfile_SipOptions_T2Timer = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 53), Integer32()).setLabel("mediaGatewayProfile-SipOptions-T2Timer").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_T2Timer.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_T2Timer.setDescription('T2 timer value in milliseconds.') mediaGatewayProfile_SipOptions_InviteRetries = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 54), Integer32()).setLabel("mediaGatewayProfile-SipOptions-InviteRetries").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_InviteRetries.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_InviteRetries.setDescription('Number of invite retries.') mediaGatewayProfile_SipOptions_NonInviteRetries = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 55), Integer32()).setLabel("mediaGatewayProfile-SipOptions-NonInviteRetries").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_NonInviteRetries.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_NonInviteRetries.setDescription('Number of non-invite retries.') mediaGatewayProfile_SipOptions_PrimaryProxy_IpAddress = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 56), IpAddress()).setLabel("mediaGatewayProfile-SipOptions-PrimaryProxy-IpAddress").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_PrimaryProxy_IpAddress.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_PrimaryProxy_IpAddress.setDescription('IP addr of primary proxy.') mediaGatewayProfile_SipOptions_PrimaryProxy_Name = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 57), DisplayString()).setLabel("mediaGatewayProfile-SipOptions-PrimaryProxy-Name").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_PrimaryProxy_Name.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_PrimaryProxy_Name.setDescription('Domain name of primary proxy') mediaGatewayProfile_SipOptions_PrimaryProxy_PortNumber = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 58), Integer32()).setLabel("mediaGatewayProfile-SipOptions-PrimaryProxy-PortNumber").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_PrimaryProxy_PortNumber.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_PrimaryProxy_PortNumber.setDescription('Primary proxy TCP/UDP port number.') mediaGatewayProfile_SipOptions_PrimaryProxy_MessageFormat = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 59), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("compact", 1), ("long", 2)))).setLabel("mediaGatewayProfile-SipOptions-PrimaryProxy-MessageFormat").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_PrimaryProxy_MessageFormat.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_PrimaryProxy_MessageFormat.setDescription('Proxy message format') mediaGatewayProfile_SipOptions_SecondaryProxy_IpAddress = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 60), IpAddress()).setLabel("mediaGatewayProfile-SipOptions-SecondaryProxy-IpAddress").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_SecondaryProxy_IpAddress.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_SecondaryProxy_IpAddress.setDescription('IP addr of secondary proxy.') mediaGatewayProfile_SipOptions_SecondaryProxy_Name = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 61), DisplayString()).setLabel("mediaGatewayProfile-SipOptions-SecondaryProxy-Name").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_SecondaryProxy_Name.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_SecondaryProxy_Name.setDescription('Domain name of secondary proxy') mediaGatewayProfile_SipOptions_SecondaryProxy_PortNumber = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 62), Integer32()).setLabel("mediaGatewayProfile-SipOptions-SecondaryProxy-PortNumber").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_SecondaryProxy_PortNumber.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_SecondaryProxy_PortNumber.setDescription('Secondary proxy TCP/UDP port number.') mediaGatewayProfile_SipOptions_SecondaryProxy_MessageFormat = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 63), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("compact", 1), ("long", 2)))).setLabel("mediaGatewayProfile-SipOptions-SecondaryProxy-MessageFormat").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_SecondaryProxy_MessageFormat.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_SecondaryProxy_MessageFormat.setDescription('Proxy message format') mediaGatewayProfile_SipOptions_RegistrationProxy_IpAddress = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 64), IpAddress()).setLabel("mediaGatewayProfile-SipOptions-RegistrationProxy-IpAddress").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_RegistrationProxy_IpAddress.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_RegistrationProxy_IpAddress.setDescription('IP addr of registration proxy.') mediaGatewayProfile_SipOptions_RegistrationProxy_Name = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 65), DisplayString()).setLabel("mediaGatewayProfile-SipOptions-RegistrationProxy-Name").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_RegistrationProxy_Name.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_RegistrationProxy_Name.setDescription('Domain name of registration proxy') mediaGatewayProfile_SipOptions_RegistrationProxy_PortNumber = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 66), Integer32()).setLabel("mediaGatewayProfile-SipOptions-RegistrationProxy-PortNumber").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_RegistrationProxy_PortNumber.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_RegistrationProxy_PortNumber.setDescription('Registration proxy TCP/UDP port number.') mediaGatewayProfile_SipOptions_RegistrationProxy_MessageFormat = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 67), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("compact", 1), ("long", 2)))).setLabel("mediaGatewayProfile-SipOptions-RegistrationProxy-MessageFormat").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_RegistrationProxy_MessageFormat.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_RegistrationProxy_MessageFormat.setDescription('Proxy message format') mediaGatewayProfile_SipOptions_RegistrationProxy_RegisterInterval = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 68), Integer32()).setLabel("mediaGatewayProfile-SipOptions-RegistrationProxy-RegisterInterval").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_RegistrationProxy_RegisterInterval.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_RegistrationProxy_RegisterInterval.setDescription('Time, in minutes, between requests (0 = disabled).') mediaGatewayProfile_SipOptions_TrustedProxy_AuthenticateMessages = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 69), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disabled", 1), ("enabled", 2)))).setLabel("mediaGatewayProfile-SipOptions-TrustedProxy-AuthenticateMessages").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_TrustedProxy_AuthenticateMessages.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_TrustedProxy_AuthenticateMessages.setDescription('Enable SIP authentication') mediaGatewayProfile_SipOptions_UnknownAni = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 70), DisplayString()).setLabel("mediaGatewayProfile-SipOptions-UnknownAni").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_UnknownAni.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_UnknownAni.setDescription('Unknown ANI string') mediaGatewayProfile_SipOptions_BlockedAni = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 71), DisplayString()).setLabel("mediaGatewayProfile-SipOptions-BlockedAni").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_BlockedAni.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_BlockedAni.setDescription('Unknown ANI string') mediaGatewayProfile_SipOptions_PrivacyProxyRequire = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 96), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disabled", 1), ("enabled", 2)))).setLabel("mediaGatewayProfile-SipOptions-PrivacyProxyRequire").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_PrivacyProxyRequire.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_PrivacyProxyRequire.setDescription('Include Proxy Require header for Remote Party privacy for INVITEs') mediaGatewayProfile_SipOptions_OnholdMinutes = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 72), Integer32()).setLabel("mediaGatewayProfile-SipOptions-OnholdMinutes").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_OnholdMinutes.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_OnholdMinutes.setDescription('Minutes to wait before a call on hold will disconnect. (range 0 to 1440)') mediaGatewayProfile_SipOptions_Support100rel = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 73), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disabled", 1), ("enabled", 2)))).setLabel("mediaGatewayProfile-SipOptions-Support100rel").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_Support100rel.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_Support100rel.setDescription('Enable support for SIP 100rel reliable responses') mediaGatewayProfile_SipOptions_Internationalize = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 74), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("mediaGatewayProfile-SipOptions-Internationalize").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_Internationalize.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_Internationalize.setDescription('Enable Internationalization of phone number URIs. When set to yes, uses international-prefix, country-code, and national-destination-code settings for prefixes to phone, number URIs depending on TON setting in Q.931 setup.') mediaGatewayProfile_SipOptions_InternationalPrefix = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 75), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("mediaGatewayProfile-SipOptions-InternationalPrefix").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_InternationalPrefix.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_InternationalPrefix.setDescription('When set to yes, will prepend + to phone number URIs for all Q.931 TON settings of International. When internationalization is set to yes, will also prepend to TON settings of National and Subscriber.') mediaGatewayProfile_SipOptions_CountryCode = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 76), DisplayString()).setLabel("mediaGatewayProfile-SipOptions-CountryCode").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_CountryCode.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_CountryCode.setDescription('Country Code prepended to SIP URIs. Valid when internationalize = yes and trunk groups are not enabled or not provisioned.') mediaGatewayProfile_SipOptions_NationalDestinationCode = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 77), DisplayString()).setLabel("mediaGatewayProfile-SipOptions-NationalDestinationCode").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_NationalDestinationCode.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_NationalDestinationCode.setDescription('National Destination code prepended to SIP URIs. Valid when internationalize = yes and trunk groups are not enabled or not provisioned.') mediaGatewayProfile_SipOptions_CallTransferMethod = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 97), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ipTransfer", 1), ("pstnTransfer", 2)))).setLabel("mediaGatewayProfile-SipOptions-CallTransferMethod").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_CallTransferMethod.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_CallTransferMethod.setDescription('Type of call transfer invoked by receipt of REFER request') mediaGatewayProfile_SipOptions_NotifyTimer = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 98), Integer32()).setLabel("mediaGatewayProfile-SipOptions-NotifyTimer").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_NotifyTimer.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_NotifyTimer.setDescription('Seconds to wait before a call will disconnect after sending a NOTIFY request if no response is received. (range 0 to 600) Set notify-timer to zero to disable.') mediaGatewayProfile_Voip2ipOptions_DtmfTonePassing = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 99), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("inband", 1), ("outofband", 2), ("rtp", 3)))).setLabel("mediaGatewayProfile-Voip2ipOptions-DtmfTonePassing").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_Voip2ipOptions_DtmfTonePassing.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_Voip2ipOptions_DtmfTonePassing.setDescription('DTMF Tone Passing.') mediaGatewayProfile_Voip2ipOptions_RtpTranslatorMode = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 100), Integer32()).setLabel("mediaGatewayProfile-Voip2ipOptions-RtpTranslatorMode").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_Voip2ipOptions_RtpTranslatorMode.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_Voip2ipOptions_RtpTranslatorMode.setDescription('RTP translator mode. In mode 0 the WAG acts as a strict RTP translator with no jitter buffer. In mode 1 the WAG acts as a RTP translator with a configurable jitter buffer.') mediaGatewayProfile_Voip2ipOptions_MaxNumErasures = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 101), Integer32()).setLabel("mediaGatewayProfile-Voip2ipOptions-MaxNumErasures").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_Voip2ipOptions_MaxNumErasures.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_Voip2ipOptions_MaxNumErasures.setDescription('Maximum number of erasure frames that the WAG will generate when it encounters lost or late packets.') mediaGatewayProfile_Voip2ipOptions_JitterBufferSize = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 102), Integer32()).setLabel("mediaGatewayProfile-Voip2ipOptions-JitterBufferSize").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_Voip2ipOptions_JitterBufferSize.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_Voip2ipOptions_JitterBufferSize.setDescription('The size of the WAG Jitter buffer - only applicable to rtp-translator-mode 1.') mediaGatewayProfile_Action_o = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 78), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("noAction", 1), ("createProfile", 2), ("deleteProfile", 3)))).setLabel("mediaGatewayProfile-Action-o").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_Action_o.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_Action_o.setDescription('') mibmediaGatewayProfile_SipOptions_TrustedProxy_TableTable = MibTable((1, 3, 6, 1, 4, 1, 529, 23, 170, 2), ).setLabel("mibmediaGatewayProfile-SipOptions-TrustedProxy-TableTable") if mibBuilder.loadTexts: mibmediaGatewayProfile_SipOptions_TrustedProxy_TableTable.setStatus('mandatory') if mibBuilder.loadTexts: mibmediaGatewayProfile_SipOptions_TrustedProxy_TableTable.setDescription('A list of mibmediaGatewayProfile__sip_options__trusted_proxy__table profile entries.') mibmediaGatewayProfile_SipOptions_TrustedProxy_TableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 529, 23, 170, 2, 1), ).setLabel("mibmediaGatewayProfile-SipOptions-TrustedProxy-TableEntry").setIndexNames((0, "ASCEND-MIBMGW-MIB", "mediaGatewayProfile-SipOptions-TrustedProxy-Table-Name"), (0, "ASCEND-MIBMGW-MIB", "mediaGatewayProfile-SipOptions-TrustedProxy-Table-Index-o")) if mibBuilder.loadTexts: mibmediaGatewayProfile_SipOptions_TrustedProxy_TableEntry.setStatus('mandatory') if mibBuilder.loadTexts: mibmediaGatewayProfile_SipOptions_TrustedProxy_TableEntry.setDescription('A mibmediaGatewayProfile__sip_options__trusted_proxy__table entry containing objects that maps to the parameters of mibmediaGatewayProfile__sip_options__trusted_proxy__table profile.') mediaGatewayProfile_SipOptions_TrustedProxy_Table_Name = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 2, 1, 1), DisplayString()).setLabel("mediaGatewayProfile-SipOptions-TrustedProxy-Table-Name").setMaxAccess("readonly") if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_TrustedProxy_Table_Name.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_TrustedProxy_Table_Name.setDescription('') mediaGatewayProfile_SipOptions_TrustedProxy_Table_Index_o = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 2, 1, 2), Integer32()).setLabel("mediaGatewayProfile-SipOptions-TrustedProxy-Table-Index-o").setMaxAccess("readonly") if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_TrustedProxy_Table_Index_o.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_TrustedProxy_Table_Index_o.setDescription('') mediaGatewayProfile_SipOptions_TrustedProxy_Table_HostName = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 2, 1, 3), DisplayString()).setLabel("mediaGatewayProfile-SipOptions-TrustedProxy-Table-HostName").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_TrustedProxy_Table_HostName.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_TrustedProxy_Table_HostName.setDescription('SIP proxy host name.') mediaGatewayProfile_SipOptions_TrustedProxy_Table_IpAddress = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 2, 1, 4), IpAddress()).setLabel("mediaGatewayProfile-SipOptions-TrustedProxy-Table-IpAddress").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_TrustedProxy_Table_IpAddress.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_TrustedProxy_Table_IpAddress.setDescription('SIP proxy host IP address.') mibmediaGatewayProfile_H248Options_DigitmapOptions_MapTable = MibTable((1, 3, 6, 1, 4, 1, 529, 23, 170, 3), ).setLabel("mibmediaGatewayProfile-H248Options-DigitmapOptions-MapTable") if mibBuilder.loadTexts: mibmediaGatewayProfile_H248Options_DigitmapOptions_MapTable.setStatus('mandatory') if mibBuilder.loadTexts: mibmediaGatewayProfile_H248Options_DigitmapOptions_MapTable.setDescription('A list of mibmediaGatewayProfile__h248_options__digitmap_options__map profile entries.') mibmediaGatewayProfile_H248Options_DigitmapOptions_MapEntry = MibTableRow((1, 3, 6, 1, 4, 1, 529, 23, 170, 3, 1), ).setLabel("mibmediaGatewayProfile-H248Options-DigitmapOptions-MapEntry").setIndexNames((0, "ASCEND-MIBMGW-MIB", "mediaGatewayProfile-H248Options-DigitmapOptions-Map-Name"), (0, "ASCEND-MIBMGW-MIB", "mediaGatewayProfile-H248Options-DigitmapOptions-Map-Index-o")) if mibBuilder.loadTexts: mibmediaGatewayProfile_H248Options_DigitmapOptions_MapEntry.setStatus('mandatory') if mibBuilder.loadTexts: mibmediaGatewayProfile_H248Options_DigitmapOptions_MapEntry.setDescription('A mibmediaGatewayProfile__h248_options__digitmap_options__map entry containing objects that maps to the parameters of mibmediaGatewayProfile__h248_options__digitmap_options__map profile.') mediaGatewayProfile_H248Options_DigitmapOptions_Map_Name = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 3, 1, 1), DisplayString()).setLabel("mediaGatewayProfile-H248Options-DigitmapOptions-Map-Name").setMaxAccess("readonly") if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_DigitmapOptions_Map_Name.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_DigitmapOptions_Map_Name.setDescription('') mediaGatewayProfile_H248Options_DigitmapOptions_Map_Index_o = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 3, 1, 2), Integer32()).setLabel("mediaGatewayProfile-H248Options-DigitmapOptions-Map-Index-o").setMaxAccess("readonly") if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_DigitmapOptions_Map_Index_o.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_DigitmapOptions_Map_Index_o.setDescription('') mediaGatewayProfile_H248Options_DigitmapOptions_Map_ReferenceName = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 3, 1, 3), DisplayString()).setLabel("mediaGatewayProfile-H248Options-DigitmapOptions-Map-ReferenceName").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_DigitmapOptions_Map_ReferenceName.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_DigitmapOptions_Map_ReferenceName.setDescription('The reference name of the digitmap.') mediaGatewayProfile_H248Options_DigitmapOptions_Map_Value = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 3, 1, 4), DisplayString()).setLabel("mediaGatewayProfile-H248Options-DigitmapOptions-Map-Value").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_DigitmapOptions_Map_Value.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_DigitmapOptions_Map_Value.setDescription('The value of the digitmap. Since | is treated as a special symbol for the command line interface, use ! as the separator in the digitmap value, i.e. 0!00![1-7]xxx!8xxx!Exx!9011x.') mibmediaGatewayProfile_MgcAddressTable = MibTable((1, 3, 6, 1, 4, 1, 529, 23, 170, 4), ).setLabel("mibmediaGatewayProfile-MgcAddressTable") if mibBuilder.loadTexts: mibmediaGatewayProfile_MgcAddressTable.setStatus('mandatory') if mibBuilder.loadTexts: mibmediaGatewayProfile_MgcAddressTable.setDescription('A list of mibmediaGatewayProfile__mgc_address profile entries.') mibmediaGatewayProfile_MgcAddressEntry = MibTableRow((1, 3, 6, 1, 4, 1, 529, 23, 170, 4, 1), ).setLabel("mibmediaGatewayProfile-MgcAddressEntry").setIndexNames((0, "ASCEND-MIBMGW-MIB", "mediaGatewayProfile-MgcAddress-Name"), (0, "ASCEND-MIBMGW-MIB", "mediaGatewayProfile-MgcAddress-Index-o")) if mibBuilder.loadTexts: mibmediaGatewayProfile_MgcAddressEntry.setStatus('mandatory') if mibBuilder.loadTexts: mibmediaGatewayProfile_MgcAddressEntry.setDescription('A mibmediaGatewayProfile__mgc_address entry containing objects that maps to the parameters of mibmediaGatewayProfile__mgc_address profile.') mediaGatewayProfile_MgcAddress_Name = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 4, 1, 1), DisplayString()).setLabel("mediaGatewayProfile-MgcAddress-Name").setMaxAccess("readonly") if mibBuilder.loadTexts: mediaGatewayProfile_MgcAddress_Name.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_MgcAddress_Name.setDescription('') mediaGatewayProfile_MgcAddress_Index_o = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 4, 1, 2), Integer32()).setLabel("mediaGatewayProfile-MgcAddress-Index-o").setMaxAccess("readonly") if mibBuilder.loadTexts: mediaGatewayProfile_MgcAddress_Index_o.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_MgcAddress_Index_o.setDescription('') mediaGatewayProfile_MgcAddress_Vrouter = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 4, 1, 3), DisplayString()).setLabel("mediaGatewayProfile-MgcAddress-Vrouter").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_MgcAddress_Vrouter.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_MgcAddress_Vrouter.setDescription('Vrouter the Media Gateway Controller is reachable through. Leave empty if global vrouter is used.') mediaGatewayProfile_MgcAddress_IpAddress = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 4, 1, 4), IpAddress()).setLabel("mediaGatewayProfile-MgcAddress-IpAddress").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_MgcAddress_IpAddress.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_MgcAddress_IpAddress.setDescription("Media Gateway Controller's IP address.") mediaGatewayProfile_MgcAddress_PortNumber = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 4, 1, 5), Integer32()).setLabel("mediaGatewayProfile-MgcAddress-PortNumber").setMaxAccess("readwrite") if mibBuilder.loadTexts: mediaGatewayProfile_MgcAddress_PortNumber.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_MgcAddress_PortNumber.setDescription("Media Gateway Controller's TCP/UDP port number.") mibBuilder.exportSymbols("ASCEND-MIBMGW-MIB", mediaGatewayProfile_H248Options_DigitmapOptions_Map_Value=mediaGatewayProfile_H248Options_DigitmapOptions_Map_Value, mediaGatewayProfile_SipOptions_PrimaryProxy_PortNumber=mediaGatewayProfile_SipOptions_PrimaryProxy_PortNumber, mediaGatewayProfile_SipOptions_RegistrationProxy_Name=mediaGatewayProfile_SipOptions_RegistrationProxy_Name, mediaGatewayProfile_IpdcOptions_SystemType=mediaGatewayProfile_IpdcOptions_SystemType, mediaGatewayProfile_Voip2ipOptions_JitterBufferSize=mediaGatewayProfile_Voip2ipOptions_JitterBufferSize, mediaGatewayProfile_SipOptions_TrustedProxy_Table_Name=mediaGatewayProfile_SipOptions_TrustedProxy_Table_Name, mediaGatewayProfile_SipOptions_T1Timer=mediaGatewayProfile_SipOptions_T1Timer, mediaGatewayProfile_Voip2ipOptions_MaxNumErasures=mediaGatewayProfile_Voip2ipOptions_MaxNumErasures, mediaGatewayProfile_TosRtpOptions_Dscp=mediaGatewayProfile_TosRtpOptions_Dscp, mediaGatewayProfile_SipOptions_TrustedProxy_Table_IpAddress=mediaGatewayProfile_SipOptions_TrustedProxy_Table_IpAddress, mediaGatewayProfile_TosSigOptions_Dscp=mediaGatewayProfile_TosSigOptions_Dscp, mediaGatewayProfile_SipOptions_InviteRetries=mediaGatewayProfile_SipOptions_InviteRetries, mediaGatewayProfile_VoipOptions_SilenceDetCng=mediaGatewayProfile_VoipOptions_SilenceDetCng, mediaGatewayProfile_VoipOptions_VoiceAnnEnc=mediaGatewayProfile_VoipOptions_VoiceAnnEnc, mediaGatewayProfile_H248Options_DigitmapOptions_Map_ReferenceName=mediaGatewayProfile_H248Options_DigitmapOptions_Map_ReferenceName, mediaGatewayProfile_VoipOptions_CallInterDigitTimeout=mediaGatewayProfile_VoipOptions_CallInterDigitTimeout, mediaGatewayProfile_VoipOptions_MaxJitterBufferSize=mediaGatewayProfile_VoipOptions_MaxJitterBufferSize, mediaGatewayProfile_H248Options_Heartbeat_Interval=mediaGatewayProfile_H248Options_Heartbeat_Interval, mediaGatewayProfile_VoipOptions_VoiceAnnDir=mediaGatewayProfile_VoipOptions_VoiceAnnDir, mediaGatewayProfile_SipOptions_SecondaryProxy_Name=mediaGatewayProfile_SipOptions_SecondaryProxy_Name, mediaGatewayProfile_SipOptions_PrimaryProxy_IpAddress=mediaGatewayProfile_SipOptions_PrimaryProxy_IpAddress, mediaGatewayProfile_SipOptions_OnholdMinutes=mediaGatewayProfile_SipOptions_OnholdMinutes, mediaGatewayProfile_H248Options_Heartbeat_Enabled=mediaGatewayProfile_H248Options_Heartbeat_Enabled, mediaGatewayProfile_VoipOptions_FramesPerPacket=mediaGatewayProfile_VoipOptions_FramesPerPacket, mediaGatewayProfile_TosRtpOptions_Precedence=mediaGatewayProfile_TosRtpOptions_Precedence, mediaGatewayProfile_TosSigOptions_Precedence=mediaGatewayProfile_TosSigOptions_Precedence, mediaGatewayProfile_SipOptions_BlockedAni=mediaGatewayProfile_SipOptions_BlockedAni, mediaGatewayProfile_MgcAddress_Name=mediaGatewayProfile_MgcAddress_Name, mediaGatewayProfile_SipOptions_TrustedProxy_AuthenticateMessages=mediaGatewayProfile_SipOptions_TrustedProxy_AuthenticateMessages, mediaGatewayProfile_H248Options_DigitmapOptions_Map_Index_o=mediaGatewayProfile_H248Options_DigitmapOptions_Map_Index_o, mediaGatewayProfile_Voip2ipOptions_RtpTranslatorMode=mediaGatewayProfile_Voip2ipOptions_RtpTranslatorMode, mediaGatewayProfile_TosRtpOptions_TypeOfService=mediaGatewayProfile_TosRtpOptions_TypeOfService, mediaGatewayProfile_H248Options_DigitmapOptions_StartTimer=mediaGatewayProfile_H248Options_DigitmapOptions_StartTimer, mediaGatewayProfile_TransportOptions_Type=mediaGatewayProfile_TransportOptions_Type, mediaGatewayProfile_VoipOptions_G711TransparentData=mediaGatewayProfile_VoipOptions_G711TransparentData, mibmediaGatewayProfile=mibmediaGatewayProfile, mediaGatewayProfile_DialedGwOptions_CallHairpin=mediaGatewayProfile_DialedGwOptions_CallHairpin, mediaGatewayProfile_MgSigAddress_IpAddress=mediaGatewayProfile_MgSigAddress_IpAddress, mediaGatewayProfile_IpdcOptions_BayId=mediaGatewayProfile_IpdcOptions_BayId, mediaGatewayProfile_SipOptions_Internationalize=mediaGatewayProfile_SipOptions_Internationalize, mediaGatewayProfile_MgRtpAddress_Type=mediaGatewayProfile_MgRtpAddress_Type, mediaGatewayProfile_ProtocolType=mediaGatewayProfile_ProtocolType, mediaGatewayProfile_DialedGwOptions_StartLocalRingTone=mediaGatewayProfile_DialedGwOptions_StartLocalRingTone, mediaGatewayProfile_Name=mediaGatewayProfile_Name, mediaGatewayProfile_SipOptions_RegistrationProxy_IpAddress=mediaGatewayProfile_SipOptions_RegistrationProxy_IpAddress, mediaGatewayProfile_DialedGwOptions_MediaWaitForConnect=mediaGatewayProfile_DialedGwOptions_MediaWaitForConnect, mediaGatewayProfile_RtFaxOptions_LowLatencyMode=mediaGatewayProfile_RtFaxOptions_LowLatencyMode, mediaGatewayProfile_SipOptions_SecondaryProxy_PortNumber=mediaGatewayProfile_SipOptions_SecondaryProxy_PortNumber, mediaGatewayProfile_SipOptions_PrimaryProxy_Name=mediaGatewayProfile_SipOptions_PrimaryProxy_Name, mediaGatewayProfile_Active=mediaGatewayProfile_Active, mediaGatewayProfile_VoipOptions_Rfc2833PayloadType=mediaGatewayProfile_VoipOptions_Rfc2833PayloadType, mediaGatewayProfile_RtFaxOptions_RtFaxEnable=mediaGatewayProfile_RtFaxOptions_RtFaxEnable, mediaGatewayProfile_TosSigOptions_Active=mediaGatewayProfile_TosSigOptions_Active, mediaGatewayProfile_H248Options_DigitmapOptions_ShortTimer=mediaGatewayProfile_H248Options_DigitmapOptions_ShortTimer, mediaGatewayProfile_RtFaxOptions_CommandSpoof=mediaGatewayProfile_RtFaxOptions_CommandSpoof, mediaGatewayProfile_Voip2ipOptions_DtmfTonePassing=mediaGatewayProfile_Voip2ipOptions_DtmfTonePassing, DisplayString=DisplayString, mediaGatewayProfile_VoipOptions_PacketAudioMode=mediaGatewayProfile_VoipOptions_PacketAudioMode, mediaGatewayProfile_RtFaxOptions_PacketRedundancy=mediaGatewayProfile_RtFaxOptions_PacketRedundancy, mediaGatewayProfile_SipOptions_SecondaryProxy_IpAddress=mediaGatewayProfile_SipOptions_SecondaryProxy_IpAddress, mediaGatewayProfile_RtFaxOptions_AllowCtc=mediaGatewayProfile_RtFaxOptions_AllowCtc, mediaGatewayProfile_TosRtpOptions_ApplyTo=mediaGatewayProfile_TosRtpOptions_ApplyTo, mediaGatewayProfile_RtFaxOptions_FixedPackets=mediaGatewayProfile_RtFaxOptions_FixedPackets, mibmediaGatewayProfile_MgcAddressTable=mibmediaGatewayProfile_MgcAddressTable, mibmediaGatewayProfile_H248Options_DigitmapOptions_MapEntry=mibmediaGatewayProfile_H248Options_DigitmapOptions_MapEntry, mediaGatewayProfile_SipOptions_PrivacyProxyRequire=mediaGatewayProfile_SipOptions_PrivacyProxyRequire, mediaGatewayProfile_SipOptions_TrustedProxy_Table_Index_o=mediaGatewayProfile_SipOptions_TrustedProxy_Table_Index_o, mediaGatewayProfile_VoipOptions_RtpProblemReporting_MultMediaRcptOkTime=mediaGatewayProfile_VoipOptions_RtpProblemReporting_MultMediaRcptOkTime, mediaGatewayProfile_SipOptions_NotifyTimer=mediaGatewayProfile_SipOptions_NotifyTimer, mediaGatewayProfile_RtFaxOptions_EcmEnable=mediaGatewayProfile_RtFaxOptions_EcmEnable, mediaGatewayProfile_SipOptions_RegistrationProxy_PortNumber=mediaGatewayProfile_SipOptions_RegistrationProxy_PortNumber, mediaGatewayProfile_MgcAddress_Index_o=mediaGatewayProfile_MgcAddress_Index_o, mediaGatewayProfile_SipOptions_CountryCode=mediaGatewayProfile_SipOptions_CountryCode, mediaGatewayProfile_Action_o=mediaGatewayProfile_Action_o, mediaGatewayProfile_SipOptions_Support100rel=mediaGatewayProfile_SipOptions_Support100rel, mediaGatewayProfile_DialedGwOptions_TrunkQuiesce=mediaGatewayProfile_DialedGwOptions_TrunkQuiesce, mediaGatewayProfile_H248Options_MaxResponseTime=mediaGatewayProfile_H248Options_MaxResponseTime, mediaGatewayProfile_SipOptions_RegistrationProxy_RegisterInterval=mediaGatewayProfile_SipOptions_RegistrationProxy_RegisterInterval, mediaGatewayProfile_H248Options_EncodingFormat=mediaGatewayProfile_H248Options_EncodingFormat, mibmediaGatewayProfile_SipOptions_TrustedProxy_TableTable=mibmediaGatewayProfile_SipOptions_TrustedProxy_TableTable, mibmediaGatewayProfile_SipOptions_TrustedProxy_TableEntry=mibmediaGatewayProfile_SipOptions_TrustedProxy_TableEntry, mediaGatewayProfile_TosSigOptions_MarkingType=mediaGatewayProfile_TosSigOptions_MarkingType, mibmediaGatewayProfile_MgcAddressEntry=mibmediaGatewayProfile_MgcAddressEntry, mediaGatewayProfile_DialedGwOptions_TrunkPrefix=mediaGatewayProfile_DialedGwOptions_TrunkPrefix, mediaGatewayProfile_SipOptions_UnknownAni=mediaGatewayProfile_SipOptions_UnknownAni, mediaGatewayProfile_SipOptions_SecondaryProxy_MessageFormat=mediaGatewayProfile_SipOptions_SecondaryProxy_MessageFormat, mediaGatewayProfile_H248Options_DigitmapOptions_Map_Name=mediaGatewayProfile_H248Options_DigitmapOptions_Map_Name, mediaGatewayProfile_VoipOptions_EnaAdapJitterBuffer=mediaGatewayProfile_VoipOptions_EnaAdapJitterBuffer, mediaGatewayProfile_MgSigAddress_Type=mediaGatewayProfile_MgSigAddress_Type, mediaGatewayProfile_SipOptions_PrimaryProxy_MessageFormat=mediaGatewayProfile_SipOptions_PrimaryProxy_MessageFormat, mediaGatewayProfile_SipOptions_RegistrationProxy_MessageFormat=mediaGatewayProfile_SipOptions_RegistrationProxy_MessageFormat, mediaGatewayProfile_SipOptions_InternationalPrefix=mediaGatewayProfile_SipOptions_InternationalPrefix, mediaGatewayProfile_SipOptions_CallTransferMethod=mediaGatewayProfile_SipOptions_CallTransferMethod, mediaGatewayProfile_TosSigOptions_ApplyTo=mediaGatewayProfile_TosSigOptions_ApplyTo, mibmediaGatewayProfile_H248Options_DigitmapOptions_MapTable=mibmediaGatewayProfile_H248Options_DigitmapOptions_MapTable, mediaGatewayProfile_RtFaxOptions_MaxDataRate=mediaGatewayProfile_RtFaxOptions_MaxDataRate, mediaGatewayProfile_MgRtpAddress_IpAddress=mediaGatewayProfile_MgRtpAddress_IpAddress, mediaGatewayProfile_TosRtpOptions_Active=mediaGatewayProfile_TosRtpOptions_Active, mediaGatewayProfile_VoipOptions_DtmfTonePassing=mediaGatewayProfile_VoipOptions_DtmfTonePassing, mediaGatewayProfile_TosSigOptions_TypeOfService=mediaGatewayProfile_TosSigOptions_TypeOfService, mediaGatewayProfile_VoipOptions_RtpProblemReporting_NoMediaRcptOkTime=mediaGatewayProfile_VoipOptions_RtpProblemReporting_NoMediaRcptOkTime, mediaGatewayProfile_SipOptions_NonInviteRetries=mediaGatewayProfile_SipOptions_NonInviteRetries, mediaGatewayProfile_VoipOptions_InitialJitterBufferSize=mediaGatewayProfile_VoipOptions_InitialJitterBufferSize, mediaGatewayProfile_SipOptions_T2Timer=mediaGatewayProfile_SipOptions_T2Timer, mediaGatewayProfile_MgcAddress_Vrouter=mediaGatewayProfile_MgcAddress_Vrouter, mediaGatewayProfile_SipOptions_NationalDestinationCode=mediaGatewayProfile_SipOptions_NationalDestinationCode, mediaGatewayProfile_SipOptions_TrustedProxy_Table_HostName=mediaGatewayProfile_SipOptions_TrustedProxy_Table_HostName, mibmediaGatewayProfileEntry=mibmediaGatewayProfileEntry, mediaGatewayProfile_VoipOptions_Maxcalls=mediaGatewayProfile_VoipOptions_Maxcalls, mediaGatewayProfile_TosRtpOptions_MarkingType=mediaGatewayProfile_TosRtpOptions_MarkingType, mediaGatewayProfile_MgcAddress_PortNumber=mediaGatewayProfile_MgcAddress_PortNumber, mediaGatewayProfile_RtFaxOptions_LocalRetransmitLsf=mediaGatewayProfile_RtFaxOptions_LocalRetransmitLsf, mediaGatewayProfile_VoipOptions_RtpProblemReporting_Enable=mediaGatewayProfile_VoipOptions_RtpProblemReporting_Enable, mibmediaGatewayProfileTable=mibmediaGatewayProfileTable, mediaGatewayProfile_MgcAddress_IpAddress=mediaGatewayProfile_MgcAddress_IpAddress, mediaGatewayProfile_H248Options_DigitmapOptions_LongTimer=mediaGatewayProfile_H248Options_DigitmapOptions_LongTimer, mediaGatewayProfile_VoipOptions_SilenceThreshold=mediaGatewayProfile_VoipOptions_SilenceThreshold)
(configuration,) = mibBuilder.importSymbols('ASCEND-MIB', 'configuration') (octet_string, integer, object_identifier) = mibBuilder.importSymbols('ASN1', 'OctetString', 'Integer', 'ObjectIdentifier') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (value_range_constraint, value_size_constraint, constraints_union, constraints_intersection, single_value_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueRangeConstraint', 'ValueSizeConstraint', 'ConstraintsUnion', 'ConstraintsIntersection', 'SingleValueConstraint') (notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance') (module_identity, iso, mib_identifier, object_identity, gauge32, bits, unsigned32, notification_type, mib_scalar, mib_table, mib_table_row, mib_table_column, counter32, ip_address, integer32, counter64, time_ticks) = mibBuilder.importSymbols('SNMPv2-SMI', 'ModuleIdentity', 'iso', 'MibIdentifier', 'ObjectIdentity', 'Gauge32', 'Bits', 'Unsigned32', 'NotificationType', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Counter32', 'IpAddress', 'Integer32', 'Counter64', 'TimeTicks') (display_string, textual_convention) = mibBuilder.importSymbols('SNMPv2-TC', 'DisplayString', 'TextualConvention') class Displaystring(OctetString): pass mibmedia_gateway_profile = mib_identifier((1, 3, 6, 1, 4, 1, 529, 23, 170)) mibmedia_gateway_profile_table = mib_table((1, 3, 6, 1, 4, 1, 529, 23, 170, 1)) if mibBuilder.loadTexts: mibmediaGatewayProfileTable.setStatus('mandatory') if mibBuilder.loadTexts: mibmediaGatewayProfileTable.setDescription('A list of mibmediaGatewayProfile profile entries.') mibmedia_gateway_profile_entry = mib_table_row((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1)).setIndexNames((0, 'ASCEND-MIBMGW-MIB', 'mediaGatewayProfile-Name')) if mibBuilder.loadTexts: mibmediaGatewayProfileEntry.setStatus('mandatory') if mibBuilder.loadTexts: mibmediaGatewayProfileEntry.setDescription('A mibmediaGatewayProfile entry containing objects that maps to the parameters of mibmediaGatewayProfile profile.') media_gateway_profile__name = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 1), display_string()).setLabel('mediaGatewayProfile-Name').setMaxAccess('readonly') if mibBuilder.loadTexts: mediaGatewayProfile_Name.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_Name.setDescription('The name of the Media Gateway profile labels the MGC(s) that we are communicating with. Multiple MEDIA-GATEWAY profiles can be created if virtual media gateways are used. The name of the controlling media gateway should also be configured in the respective T1/E1 line profile(s).') media_gateway_profile__active = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('mediaGatewayProfile-Active').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_Active.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_Active.setDescription("When set to 'no', interface to the Media Gateway MGC specified in this profile is disabled.") media_gateway_profile__protocol_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 3))).clone(namedValues=named_values(('h248', 1), ('sip', 3)))).setLabel('mediaGatewayProfile-ProtocolType').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_ProtocolType.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_ProtocolType.setDescription('The type of the signaling protocol to use.') media_gateway_profile__mg_sig_address__type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('systemDefault', 1), ('specific', 2), ('interfaceDependent', 3)))).setLabel('mediaGatewayProfile-MgSigAddress-Type').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_MgSigAddress_Type.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_MgSigAddress_Type.setDescription("Defines how the Media Gateway's source IP address is obtained.") media_gateway_profile__mg_sig_address__ip_address = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 5), ip_address()).setLabel('mediaGatewayProfile-MgSigAddress-IpAddress').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_MgSigAddress_IpAddress.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_MgSigAddress_IpAddress.setDescription("MG's IP address to be used for signaling. Valid only if type=specific.") media_gateway_profile__mg_rtp_address__type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('systemDefault', 1), ('specific', 2), ('interfaceDependent', 3)))).setLabel('mediaGatewayProfile-MgRtpAddress-Type').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_MgRtpAddress_Type.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_MgRtpAddress_Type.setDescription("Defines how the Media Gateway's source IP address is obtained.") media_gateway_profile__mg_rtp_address__ip_address = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 7), ip_address()).setLabel('mediaGatewayProfile-MgRtpAddress-IpAddress').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_MgRtpAddress_IpAddress.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_MgRtpAddress_IpAddress.setDescription("MG's IP address to be used for signaling. Valid only if type=specific.") media_gateway_profile_h248_options__encoding_format = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('text', 1), ('binary', 2)))).setLabel('mediaGatewayProfile-H248Options-EncodingFormat').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_EncodingFormat.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_EncodingFormat.setDescription('Protocol text or binary encoding. Only text encoding is supported currently.') media_gateway_profile_h248_options__max_response_time = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 9), integer32()).setLabel('mediaGatewayProfile-H248Options-MaxResponseTime').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_MaxResponseTime.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_MaxResponseTime.setDescription('Maximum response time value in milliseconds.') media_gateway_profile_h248_options__heartbeat__enabled = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('mediaGatewayProfile-H248Options-Heartbeat-Enabled').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_Heartbeat_Enabled.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_Heartbeat_Enabled.setDescription('When set to yes, TNT will generate signaling heartbeat to MGC at the configured interval.') media_gateway_profile_h248_options__heartbeat__interval = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 11), integer32()).setLabel('mediaGatewayProfile-H248Options-Heartbeat-Interval').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_Heartbeat_Interval.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_Heartbeat_Interval.setDescription('Time interval between heartbeat messages, in milliseconds.') media_gateway_profile_h248_options__digitmap_options__start_timer = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 12), integer32()).setLabel('mediaGatewayProfile-H248Options-DigitmapOptions-StartTimer').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_DigitmapOptions_StartTimer.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_DigitmapOptions_StartTimer.setDescription('DigitMap start timer in milliseconds') media_gateway_profile_h248_options__digitmap_options__short_timer = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 13), integer32()).setLabel('mediaGatewayProfile-H248Options-DigitmapOptions-ShortTimer').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_DigitmapOptions_ShortTimer.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_DigitmapOptions_ShortTimer.setDescription('DigitMap short timer in milliseconds') media_gateway_profile_h248_options__digitmap_options__long_timer = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 14), integer32()).setLabel('mediaGatewayProfile-H248Options-DigitmapOptions-LongTimer').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_DigitmapOptions_LongTimer.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_DigitmapOptions_LongTimer.setDescription('DigitMap long timer in milliseconds') media_gateway_profile__ipdc_options__bay_id = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 15), display_string()).setLabel('mediaGatewayProfile-IpdcOptions-BayId').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_IpdcOptions_BayId.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_IpdcOptions_BayId.setDescription('Bay ID defines the bay this device belongs to. Used for registration purposes only. The content of this field is reported to the gateway during the device registration process.') media_gateway_profile__ipdc_options__system_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 16), display_string()).setLabel('mediaGatewayProfile-IpdcOptions-SystemType').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_IpdcOptions_SystemType.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_IpdcOptions_SystemType.setDescription('Model ID and/or type of equipment. Used for device registration only. Must be listed in the database on the Gateway.') media_gateway_profile__transport_options__type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 17), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('tcp', 1), ('udp', 2)))).setLabel('mediaGatewayProfile-TransportOptions-Type').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_TransportOptions_Type.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_TransportOptions_Type.setDescription('Transport layer to be used for signaling traffic. H248 supports TCP/TPKT and SIP uses UDP.') media_gateway_profile__voip_options__packet_audio_mode = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 18), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('g711Ulaw', 1), ('g711Alaw', 2), ('g723', 3), ('g729', 4), ('g72364kps', 5), ('rt24', 6), ('g728', 7), ('frgsm', 8)))).setLabel('mediaGatewayProfile-VoipOptions-PacketAudioMode').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_PacketAudioMode.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_PacketAudioMode.setDescription('Audio Coder to be used for voice packetization.') media_gateway_profile__voip_options__frames_per_packet = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 19), integer32()).setLabel('mediaGatewayProfile-VoipOptions-FramesPerPacket').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_FramesPerPacket.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_FramesPerPacket.setDescription('Voice Frames Per RTP Packet. One (1) through four (4) are valid values but must be two (2) if packet audio mode was set to one of the flavors of G.711.') media_gateway_profile__voip_options__silence_det_cng = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 20), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('no', 1), ('yes', 2), ('cngOnly', 3)))).setLabel('mediaGatewayProfile-VoipOptions-SilenceDetCng').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_SilenceDetCng.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_SilenceDetCng.setDescription('Silence Detection and Comfort Noise Generation selection.') media_gateway_profile__voip_options__ena_adap_jitter_buffer = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 21), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('mediaGatewayProfile-VoipOptions-EnaAdapJitterBuffer').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_EnaAdapJitterBuffer.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_EnaAdapJitterBuffer.setDescription('Enable Adaptive Jtr Buf') media_gateway_profile__voip_options__max_jitter_buffer_size = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 22), integer32()).setLabel('mediaGatewayProfile-VoipOptions-MaxJitterBufferSize').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_MaxJitterBufferSize.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_MaxJitterBufferSize.setDescription('Max Jtr Buf Size') media_gateway_profile__voip_options__initial_jitter_buffer_size = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 23), integer32()).setLabel('mediaGatewayProfile-VoipOptions-InitialJitterBufferSize').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_InitialJitterBufferSize.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_InitialJitterBufferSize.setDescription('Initial Jtr Buf Size') media_gateway_profile__voip_options__voice_ann_dir = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 24), display_string()).setLabel('mediaGatewayProfile-VoipOptions-VoiceAnnDir').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_VoiceAnnDir.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_VoiceAnnDir.setDescription('Pc Flash Card Voice Announcement Directory') media_gateway_profile__voip_options__voice_ann_enc = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 25), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 4))).clone(namedValues=named_values(('g711Ulaw', 1), ('g729', 4)))).setLabel('mediaGatewayProfile-VoipOptions-VoiceAnnEnc').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_VoiceAnnEnc.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_VoiceAnnEnc.setDescription('Voice announcement file encoding') media_gateway_profile__voip_options__call_inter_digit_timeout = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 26), integer32()).setLabel('mediaGatewayProfile-VoipOptions-CallInterDigitTimeout').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_CallInterDigitTimeout.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_CallInterDigitTimeout.setDescription('Inter Digit Timeout') media_gateway_profile__voip_options__silence_threshold = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 27), integer32()).setLabel('mediaGatewayProfile-VoipOptions-SilenceThreshold').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_SilenceThreshold.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_SilenceThreshold.setDescription('Silence Thresh (dB inc)') media_gateway_profile__voip_options__dtmf_tone_passing = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 28), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('inband', 1), ('outofband', 2), ('rtp', 3)))).setLabel('mediaGatewayProfile-VoipOptions-DtmfTonePassing').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_DtmfTonePassing.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_DtmfTonePassing.setDescription('DTMF Tone Passing') media_gateway_profile__voip_options__maxcalls = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 29), integer32()).setLabel('mediaGatewayProfile-VoipOptions-Maxcalls').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_Maxcalls.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_Maxcalls.setDescription('Maximum Voip Calls') media_gateway_profile__voip_options__rfc2833_payload_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 30), integer32()).setLabel('mediaGatewayProfile-VoipOptions-Rfc2833PayloadType').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_Rfc2833PayloadType.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_Rfc2833PayloadType.setDescription('Value to assign to payload type for rfc2833 used for rtp transport of DTMF tones.') media_gateway_profile__voip_options_g711_transparent_data = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 31), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('mediaGatewayProfile-VoipOptions-G711TransparentData').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_G711TransparentData.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_G711TransparentData.setDescription('G711 Transparent Fax/Data') media_gateway_profile__voip_options__rtp_problem_reporting__enable = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 87), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('mediaGatewayProfile-VoipOptions-RtpProblemReporting-Enable').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_RtpProblemReporting_Enable.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_RtpProblemReporting_Enable.setDescription('Enable/Disable RTP (potential) problem detection and reporting.') media_gateway_profile__voip_options__rtp_problem_reporting__mult_media_rcpt_ok_time = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 88), integer32()).setLabel('mediaGatewayProfile-VoipOptions-RtpProblemReporting-MultMediaRcptOkTime').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_RtpProblemReporting_MultMediaRcptOkTime.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_RtpProblemReporting_MultMediaRcptOkTime.setDescription('(1-65535 seconds) Maximum time allowed to recive multiple rtp streams and still not consider it rogue.') media_gateway_profile__voip_options__rtp_problem_reporting__no_media_rcpt_ok_time = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 89), integer32()).setLabel('mediaGatewayProfile-VoipOptions-RtpProblemReporting-NoMediaRcptOkTime').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_RtpProblemReporting_NoMediaRcptOkTime.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_VoipOptions_RtpProblemReporting_NoMediaRcptOkTime.setDescription('(1-65535 seconds) A message will be generated if no rtp was received in this time. The consecutive reporting time will be exponential.') media_gateway_profile__dialed_gw_options__call_hairpin = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 32), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disabled', 1), ('enabled', 2)))).setLabel('mediaGatewayProfile-DialedGwOptions-CallHairpin').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_DialedGwOptions_CallHairpin.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_DialedGwOptions_CallHairpin.setDescription('Hairpin call (ingress)') media_gateway_profile__dialed_gw_options__trunk_quiesce = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 33), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disabled', 1), ('enabled', 2)))).setLabel('mediaGatewayProfile-DialedGwOptions-TrunkQuiesce').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_DialedGwOptions_TrunkQuiesce.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_DialedGwOptions_TrunkQuiesce.setDescription('Trunk Quiesce (ingress)') media_gateway_profile__dialed_gw_options__trunk_prefix = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 34), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disabled', 1), ('enabled', 2)))).setLabel('mediaGatewayProfile-DialedGwOptions-TrunkPrefix').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_DialedGwOptions_TrunkPrefix.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_DialedGwOptions_TrunkPrefix.setDescription('Apply Trunk prefix to DNIS. For egress trunk selection.') media_gateway_profile__dialed_gw_options__start_local_ring_tone = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 35), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('ringToneOnAlerting', 1), ('ringToneOnFirstMessage', 2), ('ringToneOnCallProgress', 3)))).setLabel('mediaGatewayProfile-DialedGwOptions-StartLocalRingTone').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_DialedGwOptions_StartLocalRingTone.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_DialedGwOptions_StartLocalRingTone.setDescription('When to start local ring tone (ingress).') media_gateway_profile__dialed_gw_options__media_wait_for_connect = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 36), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disabled', 1), ('enabled', 2)))).setLabel('mediaGatewayProfile-DialedGwOptions-MediaWaitForConnect').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_DialedGwOptions_MediaWaitForConnect.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_DialedGwOptions_MediaWaitForConnect.setDescription('Start media flow after Q931 connect message (egress - for SIP 200 message).') media_gateway_profile__rt_fax_options__rt_fax_enable = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 37), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('mediaGatewayProfile-RtFaxOptions-RtFaxEnable').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_RtFaxOptions_RtFaxEnable.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_RtFaxOptions_RtFaxEnable.setDescription('Enable/Disable the Real-Time Fax Feature.') media_gateway_profile__rt_fax_options__ecm_enable = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 38), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('mediaGatewayProfile-RtFaxOptions-EcmEnable').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_RtFaxOptions_EcmEnable.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_RtFaxOptions_EcmEnable.setDescription('Enable/Disable Error Correction Mode.') media_gateway_profile__rt_fax_options__low_latency_mode = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 39), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('mediaGatewayProfile-RtFaxOptions-LowLatencyMode').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_RtFaxOptions_LowLatencyMode.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_RtFaxOptions_LowLatencyMode.setDescription('Enable/Disable Low Latency Mode.') media_gateway_profile__rt_fax_options__command_spoof = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 40), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('mediaGatewayProfile-RtFaxOptions-CommandSpoof').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_RtFaxOptions_CommandSpoof.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_RtFaxOptions_CommandSpoof.setDescription('Enable/Disable a particular T.30 command spoof.') media_gateway_profile__rt_fax_options__local_retransmit_lsf = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 41), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('mediaGatewayProfile-RtFaxOptions-LocalRetransmitLsf').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_RtFaxOptions_LocalRetransmitLsf.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_RtFaxOptions_LocalRetransmitLsf.setDescription('Enable/Disable local low speed frame retransmission') media_gateway_profile__rt_fax_options__packet_redundancy = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 42), integer32()).setLabel('mediaGatewayProfile-RtFaxOptions-PacketRedundancy').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_RtFaxOptions_PacketRedundancy.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_RtFaxOptions_PacketRedundancy.setDescription('UDP Packet Redundancy.') media_gateway_profile__rt_fax_options__fixed_packets = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 43), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('mediaGatewayProfile-RtFaxOptions-FixedPackets').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_RtFaxOptions_FixedPackets.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_RtFaxOptions_FixedPackets.setDescription('Use fixed size image data packets') media_gateway_profile__rt_fax_options__max_data_rate = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 44), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(2401, 4801, 9601, 14401))).clone(namedValues=named_values(('n-2400', 2401), ('n-4800', 4801), ('n-9600', 9601), ('n-14400', 14401)))).setLabel('mediaGatewayProfile-RtFaxOptions-MaxDataRate').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_RtFaxOptions_MaxDataRate.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_RtFaxOptions_MaxDataRate.setDescription('Maximum Negotiated Data Rate') media_gateway_profile__rt_fax_options__allow_ctc = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 45), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('mediaGatewayProfile-RtFaxOptions-AllowCtc').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_RtFaxOptions_AllowCtc.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_RtFaxOptions_AllowCtc.setDescription('Enable extended ECM correction beyond four retransmissions') media_gateway_profile__tos_rtp_options__active = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 46), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('mediaGatewayProfile-TosRtpOptions-Active').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_TosRtpOptions_Active.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_TosRtpOptions_Active.setDescription('Activate type of service for this connection.') media_gateway_profile__tos_rtp_options__precedence = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 47), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 33, 65, 97, 129, 161, 193, 225))).clone(namedValues=named_values(('n-000', 1), ('n-001', 33), ('n-010', 65), ('n-011', 97), ('n-100', 129), ('n-101', 161), ('n-110', 193), ('n-111', 225)))).setLabel('mediaGatewayProfile-TosRtpOptions-Precedence').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_TosRtpOptions_Precedence.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_TosRtpOptions_Precedence.setDescription('Tag the precedence bits (priority bits) in the TOS octet of IP datagram header with this value when match occurs.') media_gateway_profile__tos_rtp_options__type_of_service = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 48), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 3, 5, 9, 17))).clone(namedValues=named_values(('normal', 1), ('cost', 3), ('reliability', 5), ('throughput', 9), ('latency', 17)))).setLabel('mediaGatewayProfile-TosRtpOptions-TypeOfService').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_TosRtpOptions_TypeOfService.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_TosRtpOptions_TypeOfService.setDescription('Tag the type of service field in the TOS octet of IP datagram header with this value when match occurs.') media_gateway_profile__tos_rtp_options__apply_to = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 49), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1025, 2049, 3073))).clone(namedValues=named_values(('incoming', 1025), ('outgoing', 2049), ('both', 3073)))).setLabel('mediaGatewayProfile-TosRtpOptions-ApplyTo').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_TosRtpOptions_ApplyTo.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_TosRtpOptions_ApplyTo.setDescription('Define how the type-of-service applies to data flow for this connection.') media_gateway_profile__tos_rtp_options__marking_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 50), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('precedenceTos', 1), ('dscp', 2)))).setLabel('mediaGatewayProfile-TosRtpOptions-MarkingType').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_TosRtpOptions_MarkingType.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_TosRtpOptions_MarkingType.setDescription('Select type of packet marking.') media_gateway_profile__tos_rtp_options__dscp = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 51), display_string()).setLabel('mediaGatewayProfile-TosRtpOptions-Dscp').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_TosRtpOptions_Dscp.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_TosRtpOptions_Dscp.setDescription('DSCP tag to be used in marking of the packets (if marking-type = dscp).') media_gateway_profile__tos_sig_options__active = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 90), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('mediaGatewayProfile-TosSigOptions-Active').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_TosSigOptions_Active.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_TosSigOptions_Active.setDescription('Activate type of service for this connection.') media_gateway_profile__tos_sig_options__precedence = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 91), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 33, 65, 97, 129, 161, 193, 225))).clone(namedValues=named_values(('n-000', 1), ('n-001', 33), ('n-010', 65), ('n-011', 97), ('n-100', 129), ('n-101', 161), ('n-110', 193), ('n-111', 225)))).setLabel('mediaGatewayProfile-TosSigOptions-Precedence').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_TosSigOptions_Precedence.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_TosSigOptions_Precedence.setDescription('Tag the precedence bits (priority bits) in the TOS octet of IP datagram header with this value when match occurs.') media_gateway_profile__tos_sig_options__type_of_service = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 92), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 3, 5, 9, 17))).clone(namedValues=named_values(('normal', 1), ('cost', 3), ('reliability', 5), ('throughput', 9), ('latency', 17)))).setLabel('mediaGatewayProfile-TosSigOptions-TypeOfService').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_TosSigOptions_TypeOfService.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_TosSigOptions_TypeOfService.setDescription('Tag the type of service field in the TOS octet of IP datagram header with this value when match occurs.') media_gateway_profile__tos_sig_options__apply_to = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 93), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1025, 2049, 3073))).clone(namedValues=named_values(('incoming', 1025), ('outgoing', 2049), ('both', 3073)))).setLabel('mediaGatewayProfile-TosSigOptions-ApplyTo').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_TosSigOptions_ApplyTo.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_TosSigOptions_ApplyTo.setDescription('Define how the type-of-service applies to data flow for this connection.') media_gateway_profile__tos_sig_options__marking_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 94), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('precedenceTos', 1), ('dscp', 2)))).setLabel('mediaGatewayProfile-TosSigOptions-MarkingType').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_TosSigOptions_MarkingType.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_TosSigOptions_MarkingType.setDescription('Select type of packet marking.') media_gateway_profile__tos_sig_options__dscp = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 95), display_string()).setLabel('mediaGatewayProfile-TosSigOptions-Dscp').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_TosSigOptions_Dscp.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_TosSigOptions_Dscp.setDescription('DSCP tag to be used in marking of the packets (if marking-type = dscp).') media_gateway_profile__sip_options_t1_timer = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 52), integer32()).setLabel('mediaGatewayProfile-SipOptions-T1Timer').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_T1Timer.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_T1Timer.setDescription('T1 timer value in milliseconds.') media_gateway_profile__sip_options_t2_timer = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 53), integer32()).setLabel('mediaGatewayProfile-SipOptions-T2Timer').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_T2Timer.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_T2Timer.setDescription('T2 timer value in milliseconds.') media_gateway_profile__sip_options__invite_retries = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 54), integer32()).setLabel('mediaGatewayProfile-SipOptions-InviteRetries').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_InviteRetries.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_InviteRetries.setDescription('Number of invite retries.') media_gateway_profile__sip_options__non_invite_retries = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 55), integer32()).setLabel('mediaGatewayProfile-SipOptions-NonInviteRetries').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_NonInviteRetries.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_NonInviteRetries.setDescription('Number of non-invite retries.') media_gateway_profile__sip_options__primary_proxy__ip_address = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 56), ip_address()).setLabel('mediaGatewayProfile-SipOptions-PrimaryProxy-IpAddress').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_PrimaryProxy_IpAddress.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_PrimaryProxy_IpAddress.setDescription('IP addr of primary proxy.') media_gateway_profile__sip_options__primary_proxy__name = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 57), display_string()).setLabel('mediaGatewayProfile-SipOptions-PrimaryProxy-Name').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_PrimaryProxy_Name.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_PrimaryProxy_Name.setDescription('Domain name of primary proxy') media_gateway_profile__sip_options__primary_proxy__port_number = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 58), integer32()).setLabel('mediaGatewayProfile-SipOptions-PrimaryProxy-PortNumber').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_PrimaryProxy_PortNumber.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_PrimaryProxy_PortNumber.setDescription('Primary proxy TCP/UDP port number.') media_gateway_profile__sip_options__primary_proxy__message_format = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 59), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('compact', 1), ('long', 2)))).setLabel('mediaGatewayProfile-SipOptions-PrimaryProxy-MessageFormat').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_PrimaryProxy_MessageFormat.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_PrimaryProxy_MessageFormat.setDescription('Proxy message format') media_gateway_profile__sip_options__secondary_proxy__ip_address = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 60), ip_address()).setLabel('mediaGatewayProfile-SipOptions-SecondaryProxy-IpAddress').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_SecondaryProxy_IpAddress.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_SecondaryProxy_IpAddress.setDescription('IP addr of secondary proxy.') media_gateway_profile__sip_options__secondary_proxy__name = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 61), display_string()).setLabel('mediaGatewayProfile-SipOptions-SecondaryProxy-Name').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_SecondaryProxy_Name.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_SecondaryProxy_Name.setDescription('Domain name of secondary proxy') media_gateway_profile__sip_options__secondary_proxy__port_number = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 62), integer32()).setLabel('mediaGatewayProfile-SipOptions-SecondaryProxy-PortNumber').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_SecondaryProxy_PortNumber.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_SecondaryProxy_PortNumber.setDescription('Secondary proxy TCP/UDP port number.') media_gateway_profile__sip_options__secondary_proxy__message_format = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 63), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('compact', 1), ('long', 2)))).setLabel('mediaGatewayProfile-SipOptions-SecondaryProxy-MessageFormat').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_SecondaryProxy_MessageFormat.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_SecondaryProxy_MessageFormat.setDescription('Proxy message format') media_gateway_profile__sip_options__registration_proxy__ip_address = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 64), ip_address()).setLabel('mediaGatewayProfile-SipOptions-RegistrationProxy-IpAddress').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_RegistrationProxy_IpAddress.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_RegistrationProxy_IpAddress.setDescription('IP addr of registration proxy.') media_gateway_profile__sip_options__registration_proxy__name = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 65), display_string()).setLabel('mediaGatewayProfile-SipOptions-RegistrationProxy-Name').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_RegistrationProxy_Name.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_RegistrationProxy_Name.setDescription('Domain name of registration proxy') media_gateway_profile__sip_options__registration_proxy__port_number = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 66), integer32()).setLabel('mediaGatewayProfile-SipOptions-RegistrationProxy-PortNumber').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_RegistrationProxy_PortNumber.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_RegistrationProxy_PortNumber.setDescription('Registration proxy TCP/UDP port number.') media_gateway_profile__sip_options__registration_proxy__message_format = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 67), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('compact', 1), ('long', 2)))).setLabel('mediaGatewayProfile-SipOptions-RegistrationProxy-MessageFormat').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_RegistrationProxy_MessageFormat.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_RegistrationProxy_MessageFormat.setDescription('Proxy message format') media_gateway_profile__sip_options__registration_proxy__register_interval = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 68), integer32()).setLabel('mediaGatewayProfile-SipOptions-RegistrationProxy-RegisterInterval').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_RegistrationProxy_RegisterInterval.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_RegistrationProxy_RegisterInterval.setDescription('Time, in minutes, between requests (0 = disabled).') media_gateway_profile__sip_options__trusted_proxy__authenticate_messages = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 69), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disabled', 1), ('enabled', 2)))).setLabel('mediaGatewayProfile-SipOptions-TrustedProxy-AuthenticateMessages').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_TrustedProxy_AuthenticateMessages.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_TrustedProxy_AuthenticateMessages.setDescription('Enable SIP authentication') media_gateway_profile__sip_options__unknown_ani = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 70), display_string()).setLabel('mediaGatewayProfile-SipOptions-UnknownAni').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_UnknownAni.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_UnknownAni.setDescription('Unknown ANI string') media_gateway_profile__sip_options__blocked_ani = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 71), display_string()).setLabel('mediaGatewayProfile-SipOptions-BlockedAni').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_BlockedAni.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_BlockedAni.setDescription('Unknown ANI string') media_gateway_profile__sip_options__privacy_proxy_require = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 96), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disabled', 1), ('enabled', 2)))).setLabel('mediaGatewayProfile-SipOptions-PrivacyProxyRequire').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_PrivacyProxyRequire.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_PrivacyProxyRequire.setDescription('Include Proxy Require header for Remote Party privacy for INVITEs') media_gateway_profile__sip_options__onhold_minutes = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 72), integer32()).setLabel('mediaGatewayProfile-SipOptions-OnholdMinutes').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_OnholdMinutes.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_OnholdMinutes.setDescription('Minutes to wait before a call on hold will disconnect. (range 0 to 1440)') media_gateway_profile__sip_options__support100rel = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 73), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disabled', 1), ('enabled', 2)))).setLabel('mediaGatewayProfile-SipOptions-Support100rel').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_Support100rel.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_Support100rel.setDescription('Enable support for SIP 100rel reliable responses') media_gateway_profile__sip_options__internationalize = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 74), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('mediaGatewayProfile-SipOptions-Internationalize').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_Internationalize.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_Internationalize.setDescription('Enable Internationalization of phone number URIs. When set to yes, uses international-prefix, country-code, and national-destination-code settings for prefixes to phone, number URIs depending on TON setting in Q.931 setup.') media_gateway_profile__sip_options__international_prefix = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 75), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('mediaGatewayProfile-SipOptions-InternationalPrefix').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_InternationalPrefix.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_InternationalPrefix.setDescription('When set to yes, will prepend + to phone number URIs for all Q.931 TON settings of International. When internationalization is set to yes, will also prepend to TON settings of National and Subscriber.') media_gateway_profile__sip_options__country_code = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 76), display_string()).setLabel('mediaGatewayProfile-SipOptions-CountryCode').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_CountryCode.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_CountryCode.setDescription('Country Code prepended to SIP URIs. Valid when internationalize = yes and trunk groups are not enabled or not provisioned.') media_gateway_profile__sip_options__national_destination_code = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 77), display_string()).setLabel('mediaGatewayProfile-SipOptions-NationalDestinationCode').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_NationalDestinationCode.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_NationalDestinationCode.setDescription('National Destination code prepended to SIP URIs. Valid when internationalize = yes and trunk groups are not enabled or not provisioned.') media_gateway_profile__sip_options__call_transfer_method = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 97), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ipTransfer', 1), ('pstnTransfer', 2)))).setLabel('mediaGatewayProfile-SipOptions-CallTransferMethod').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_CallTransferMethod.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_CallTransferMethod.setDescription('Type of call transfer invoked by receipt of REFER request') media_gateway_profile__sip_options__notify_timer = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 98), integer32()).setLabel('mediaGatewayProfile-SipOptions-NotifyTimer').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_NotifyTimer.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_NotifyTimer.setDescription('Seconds to wait before a call will disconnect after sending a NOTIFY request if no response is received. (range 0 to 600) Set notify-timer to zero to disable.') media_gateway_profile__voip2ip_options__dtmf_tone_passing = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 99), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('inband', 1), ('outofband', 2), ('rtp', 3)))).setLabel('mediaGatewayProfile-Voip2ipOptions-DtmfTonePassing').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_Voip2ipOptions_DtmfTonePassing.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_Voip2ipOptions_DtmfTonePassing.setDescription('DTMF Tone Passing.') media_gateway_profile__voip2ip_options__rtp_translator_mode = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 100), integer32()).setLabel('mediaGatewayProfile-Voip2ipOptions-RtpTranslatorMode').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_Voip2ipOptions_RtpTranslatorMode.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_Voip2ipOptions_RtpTranslatorMode.setDescription('RTP translator mode. In mode 0 the WAG acts as a strict RTP translator with no jitter buffer. In mode 1 the WAG acts as a RTP translator with a configurable jitter buffer.') media_gateway_profile__voip2ip_options__max_num_erasures = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 101), integer32()).setLabel('mediaGatewayProfile-Voip2ipOptions-MaxNumErasures').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_Voip2ipOptions_MaxNumErasures.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_Voip2ipOptions_MaxNumErasures.setDescription('Maximum number of erasure frames that the WAG will generate when it encounters lost or late packets.') media_gateway_profile__voip2ip_options__jitter_buffer_size = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 102), integer32()).setLabel('mediaGatewayProfile-Voip2ipOptions-JitterBufferSize').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_Voip2ipOptions_JitterBufferSize.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_Voip2ipOptions_JitterBufferSize.setDescription('The size of the WAG Jitter buffer - only applicable to rtp-translator-mode 1.') media_gateway_profile__action_o = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 1, 1, 78), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('noAction', 1), ('createProfile', 2), ('deleteProfile', 3)))).setLabel('mediaGatewayProfile-Action-o').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_Action_o.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_Action_o.setDescription('') mibmedia_gateway_profile__sip_options__trusted_proxy__table_table = mib_table((1, 3, 6, 1, 4, 1, 529, 23, 170, 2)).setLabel('mibmediaGatewayProfile-SipOptions-TrustedProxy-TableTable') if mibBuilder.loadTexts: mibmediaGatewayProfile_SipOptions_TrustedProxy_TableTable.setStatus('mandatory') if mibBuilder.loadTexts: mibmediaGatewayProfile_SipOptions_TrustedProxy_TableTable.setDescription('A list of mibmediaGatewayProfile__sip_options__trusted_proxy__table profile entries.') mibmedia_gateway_profile__sip_options__trusted_proxy__table_entry = mib_table_row((1, 3, 6, 1, 4, 1, 529, 23, 170, 2, 1)).setLabel('mibmediaGatewayProfile-SipOptions-TrustedProxy-TableEntry').setIndexNames((0, 'ASCEND-MIBMGW-MIB', 'mediaGatewayProfile-SipOptions-TrustedProxy-Table-Name'), (0, 'ASCEND-MIBMGW-MIB', 'mediaGatewayProfile-SipOptions-TrustedProxy-Table-Index-o')) if mibBuilder.loadTexts: mibmediaGatewayProfile_SipOptions_TrustedProxy_TableEntry.setStatus('mandatory') if mibBuilder.loadTexts: mibmediaGatewayProfile_SipOptions_TrustedProxy_TableEntry.setDescription('A mibmediaGatewayProfile__sip_options__trusted_proxy__table entry containing objects that maps to the parameters of mibmediaGatewayProfile__sip_options__trusted_proxy__table profile.') media_gateway_profile__sip_options__trusted_proxy__table__name = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 2, 1, 1), display_string()).setLabel('mediaGatewayProfile-SipOptions-TrustedProxy-Table-Name').setMaxAccess('readonly') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_TrustedProxy_Table_Name.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_TrustedProxy_Table_Name.setDescription('') media_gateway_profile__sip_options__trusted_proxy__table__index_o = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 2, 1, 2), integer32()).setLabel('mediaGatewayProfile-SipOptions-TrustedProxy-Table-Index-o').setMaxAccess('readonly') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_TrustedProxy_Table_Index_o.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_TrustedProxy_Table_Index_o.setDescription('') media_gateway_profile__sip_options__trusted_proxy__table__host_name = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 2, 1, 3), display_string()).setLabel('mediaGatewayProfile-SipOptions-TrustedProxy-Table-HostName').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_TrustedProxy_Table_HostName.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_TrustedProxy_Table_HostName.setDescription('SIP proxy host name.') media_gateway_profile__sip_options__trusted_proxy__table__ip_address = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 2, 1, 4), ip_address()).setLabel('mediaGatewayProfile-SipOptions-TrustedProxy-Table-IpAddress').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_TrustedProxy_Table_IpAddress.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_SipOptions_TrustedProxy_Table_IpAddress.setDescription('SIP proxy host IP address.') mibmedia_gateway_profile_h248_options__digitmap_options__map_table = mib_table((1, 3, 6, 1, 4, 1, 529, 23, 170, 3)).setLabel('mibmediaGatewayProfile-H248Options-DigitmapOptions-MapTable') if mibBuilder.loadTexts: mibmediaGatewayProfile_H248Options_DigitmapOptions_MapTable.setStatus('mandatory') if mibBuilder.loadTexts: mibmediaGatewayProfile_H248Options_DigitmapOptions_MapTable.setDescription('A list of mibmediaGatewayProfile__h248_options__digitmap_options__map profile entries.') mibmedia_gateway_profile_h248_options__digitmap_options__map_entry = mib_table_row((1, 3, 6, 1, 4, 1, 529, 23, 170, 3, 1)).setLabel('mibmediaGatewayProfile-H248Options-DigitmapOptions-MapEntry').setIndexNames((0, 'ASCEND-MIBMGW-MIB', 'mediaGatewayProfile-H248Options-DigitmapOptions-Map-Name'), (0, 'ASCEND-MIBMGW-MIB', 'mediaGatewayProfile-H248Options-DigitmapOptions-Map-Index-o')) if mibBuilder.loadTexts: mibmediaGatewayProfile_H248Options_DigitmapOptions_MapEntry.setStatus('mandatory') if mibBuilder.loadTexts: mibmediaGatewayProfile_H248Options_DigitmapOptions_MapEntry.setDescription('A mibmediaGatewayProfile__h248_options__digitmap_options__map entry containing objects that maps to the parameters of mibmediaGatewayProfile__h248_options__digitmap_options__map profile.') media_gateway_profile_h248_options__digitmap_options__map__name = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 3, 1, 1), display_string()).setLabel('mediaGatewayProfile-H248Options-DigitmapOptions-Map-Name').setMaxAccess('readonly') if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_DigitmapOptions_Map_Name.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_DigitmapOptions_Map_Name.setDescription('') media_gateway_profile_h248_options__digitmap_options__map__index_o = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 3, 1, 2), integer32()).setLabel('mediaGatewayProfile-H248Options-DigitmapOptions-Map-Index-o').setMaxAccess('readonly') if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_DigitmapOptions_Map_Index_o.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_DigitmapOptions_Map_Index_o.setDescription('') media_gateway_profile_h248_options__digitmap_options__map__reference_name = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 3, 1, 3), display_string()).setLabel('mediaGatewayProfile-H248Options-DigitmapOptions-Map-ReferenceName').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_DigitmapOptions_Map_ReferenceName.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_DigitmapOptions_Map_ReferenceName.setDescription('The reference name of the digitmap.') media_gateway_profile_h248_options__digitmap_options__map__value = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 3, 1, 4), display_string()).setLabel('mediaGatewayProfile-H248Options-DigitmapOptions-Map-Value').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_DigitmapOptions_Map_Value.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_H248Options_DigitmapOptions_Map_Value.setDescription('The value of the digitmap. Since | is treated as a special symbol for the command line interface, use ! as the separator in the digitmap value, i.e. 0!00![1-7]xxx!8xxx!Exx!9011x.') mibmedia_gateway_profile__mgc_address_table = mib_table((1, 3, 6, 1, 4, 1, 529, 23, 170, 4)).setLabel('mibmediaGatewayProfile-MgcAddressTable') if mibBuilder.loadTexts: mibmediaGatewayProfile_MgcAddressTable.setStatus('mandatory') if mibBuilder.loadTexts: mibmediaGatewayProfile_MgcAddressTable.setDescription('A list of mibmediaGatewayProfile__mgc_address profile entries.') mibmedia_gateway_profile__mgc_address_entry = mib_table_row((1, 3, 6, 1, 4, 1, 529, 23, 170, 4, 1)).setLabel('mibmediaGatewayProfile-MgcAddressEntry').setIndexNames((0, 'ASCEND-MIBMGW-MIB', 'mediaGatewayProfile-MgcAddress-Name'), (0, 'ASCEND-MIBMGW-MIB', 'mediaGatewayProfile-MgcAddress-Index-o')) if mibBuilder.loadTexts: mibmediaGatewayProfile_MgcAddressEntry.setStatus('mandatory') if mibBuilder.loadTexts: mibmediaGatewayProfile_MgcAddressEntry.setDescription('A mibmediaGatewayProfile__mgc_address entry containing objects that maps to the parameters of mibmediaGatewayProfile__mgc_address profile.') media_gateway_profile__mgc_address__name = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 4, 1, 1), display_string()).setLabel('mediaGatewayProfile-MgcAddress-Name').setMaxAccess('readonly') if mibBuilder.loadTexts: mediaGatewayProfile_MgcAddress_Name.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_MgcAddress_Name.setDescription('') media_gateway_profile__mgc_address__index_o = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 4, 1, 2), integer32()).setLabel('mediaGatewayProfile-MgcAddress-Index-o').setMaxAccess('readonly') if mibBuilder.loadTexts: mediaGatewayProfile_MgcAddress_Index_o.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_MgcAddress_Index_o.setDescription('') media_gateway_profile__mgc_address__vrouter = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 4, 1, 3), display_string()).setLabel('mediaGatewayProfile-MgcAddress-Vrouter').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_MgcAddress_Vrouter.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_MgcAddress_Vrouter.setDescription('Vrouter the Media Gateway Controller is reachable through. Leave empty if global vrouter is used.') media_gateway_profile__mgc_address__ip_address = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 4, 1, 4), ip_address()).setLabel('mediaGatewayProfile-MgcAddress-IpAddress').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_MgcAddress_IpAddress.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_MgcAddress_IpAddress.setDescription("Media Gateway Controller's IP address.") media_gateway_profile__mgc_address__port_number = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 170, 4, 1, 5), integer32()).setLabel('mediaGatewayProfile-MgcAddress-PortNumber').setMaxAccess('readwrite') if mibBuilder.loadTexts: mediaGatewayProfile_MgcAddress_PortNumber.setStatus('mandatory') if mibBuilder.loadTexts: mediaGatewayProfile_MgcAddress_PortNumber.setDescription("Media Gateway Controller's TCP/UDP port number.") mibBuilder.exportSymbols('ASCEND-MIBMGW-MIB', mediaGatewayProfile_H248Options_DigitmapOptions_Map_Value=mediaGatewayProfile_H248Options_DigitmapOptions_Map_Value, mediaGatewayProfile_SipOptions_PrimaryProxy_PortNumber=mediaGatewayProfile_SipOptions_PrimaryProxy_PortNumber, mediaGatewayProfile_SipOptions_RegistrationProxy_Name=mediaGatewayProfile_SipOptions_RegistrationProxy_Name, mediaGatewayProfile_IpdcOptions_SystemType=mediaGatewayProfile_IpdcOptions_SystemType, mediaGatewayProfile_Voip2ipOptions_JitterBufferSize=mediaGatewayProfile_Voip2ipOptions_JitterBufferSize, mediaGatewayProfile_SipOptions_TrustedProxy_Table_Name=mediaGatewayProfile_SipOptions_TrustedProxy_Table_Name, mediaGatewayProfile_SipOptions_T1Timer=mediaGatewayProfile_SipOptions_T1Timer, mediaGatewayProfile_Voip2ipOptions_MaxNumErasures=mediaGatewayProfile_Voip2ipOptions_MaxNumErasures, mediaGatewayProfile_TosRtpOptions_Dscp=mediaGatewayProfile_TosRtpOptions_Dscp, mediaGatewayProfile_SipOptions_TrustedProxy_Table_IpAddress=mediaGatewayProfile_SipOptions_TrustedProxy_Table_IpAddress, mediaGatewayProfile_TosSigOptions_Dscp=mediaGatewayProfile_TosSigOptions_Dscp, mediaGatewayProfile_SipOptions_InviteRetries=mediaGatewayProfile_SipOptions_InviteRetries, mediaGatewayProfile_VoipOptions_SilenceDetCng=mediaGatewayProfile_VoipOptions_SilenceDetCng, mediaGatewayProfile_VoipOptions_VoiceAnnEnc=mediaGatewayProfile_VoipOptions_VoiceAnnEnc, mediaGatewayProfile_H248Options_DigitmapOptions_Map_ReferenceName=mediaGatewayProfile_H248Options_DigitmapOptions_Map_ReferenceName, mediaGatewayProfile_VoipOptions_CallInterDigitTimeout=mediaGatewayProfile_VoipOptions_CallInterDigitTimeout, mediaGatewayProfile_VoipOptions_MaxJitterBufferSize=mediaGatewayProfile_VoipOptions_MaxJitterBufferSize, mediaGatewayProfile_H248Options_Heartbeat_Interval=mediaGatewayProfile_H248Options_Heartbeat_Interval, mediaGatewayProfile_VoipOptions_VoiceAnnDir=mediaGatewayProfile_VoipOptions_VoiceAnnDir, mediaGatewayProfile_SipOptions_SecondaryProxy_Name=mediaGatewayProfile_SipOptions_SecondaryProxy_Name, mediaGatewayProfile_SipOptions_PrimaryProxy_IpAddress=mediaGatewayProfile_SipOptions_PrimaryProxy_IpAddress, mediaGatewayProfile_SipOptions_OnholdMinutes=mediaGatewayProfile_SipOptions_OnholdMinutes, mediaGatewayProfile_H248Options_Heartbeat_Enabled=mediaGatewayProfile_H248Options_Heartbeat_Enabled, mediaGatewayProfile_VoipOptions_FramesPerPacket=mediaGatewayProfile_VoipOptions_FramesPerPacket, mediaGatewayProfile_TosRtpOptions_Precedence=mediaGatewayProfile_TosRtpOptions_Precedence, mediaGatewayProfile_TosSigOptions_Precedence=mediaGatewayProfile_TosSigOptions_Precedence, mediaGatewayProfile_SipOptions_BlockedAni=mediaGatewayProfile_SipOptions_BlockedAni, mediaGatewayProfile_MgcAddress_Name=mediaGatewayProfile_MgcAddress_Name, mediaGatewayProfile_SipOptions_TrustedProxy_AuthenticateMessages=mediaGatewayProfile_SipOptions_TrustedProxy_AuthenticateMessages, mediaGatewayProfile_H248Options_DigitmapOptions_Map_Index_o=mediaGatewayProfile_H248Options_DigitmapOptions_Map_Index_o, mediaGatewayProfile_Voip2ipOptions_RtpTranslatorMode=mediaGatewayProfile_Voip2ipOptions_RtpTranslatorMode, mediaGatewayProfile_TosRtpOptions_TypeOfService=mediaGatewayProfile_TosRtpOptions_TypeOfService, mediaGatewayProfile_H248Options_DigitmapOptions_StartTimer=mediaGatewayProfile_H248Options_DigitmapOptions_StartTimer, mediaGatewayProfile_TransportOptions_Type=mediaGatewayProfile_TransportOptions_Type, mediaGatewayProfile_VoipOptions_G711TransparentData=mediaGatewayProfile_VoipOptions_G711TransparentData, mibmediaGatewayProfile=mibmediaGatewayProfile, mediaGatewayProfile_DialedGwOptions_CallHairpin=mediaGatewayProfile_DialedGwOptions_CallHairpin, mediaGatewayProfile_MgSigAddress_IpAddress=mediaGatewayProfile_MgSigAddress_IpAddress, mediaGatewayProfile_IpdcOptions_BayId=mediaGatewayProfile_IpdcOptions_BayId, mediaGatewayProfile_SipOptions_Internationalize=mediaGatewayProfile_SipOptions_Internationalize, mediaGatewayProfile_MgRtpAddress_Type=mediaGatewayProfile_MgRtpAddress_Type, mediaGatewayProfile_ProtocolType=mediaGatewayProfile_ProtocolType, mediaGatewayProfile_DialedGwOptions_StartLocalRingTone=mediaGatewayProfile_DialedGwOptions_StartLocalRingTone, mediaGatewayProfile_Name=mediaGatewayProfile_Name, mediaGatewayProfile_SipOptions_RegistrationProxy_IpAddress=mediaGatewayProfile_SipOptions_RegistrationProxy_IpAddress, mediaGatewayProfile_DialedGwOptions_MediaWaitForConnect=mediaGatewayProfile_DialedGwOptions_MediaWaitForConnect, mediaGatewayProfile_RtFaxOptions_LowLatencyMode=mediaGatewayProfile_RtFaxOptions_LowLatencyMode, mediaGatewayProfile_SipOptions_SecondaryProxy_PortNumber=mediaGatewayProfile_SipOptions_SecondaryProxy_PortNumber, mediaGatewayProfile_SipOptions_PrimaryProxy_Name=mediaGatewayProfile_SipOptions_PrimaryProxy_Name, mediaGatewayProfile_Active=mediaGatewayProfile_Active, mediaGatewayProfile_VoipOptions_Rfc2833PayloadType=mediaGatewayProfile_VoipOptions_Rfc2833PayloadType, mediaGatewayProfile_RtFaxOptions_RtFaxEnable=mediaGatewayProfile_RtFaxOptions_RtFaxEnable, mediaGatewayProfile_TosSigOptions_Active=mediaGatewayProfile_TosSigOptions_Active, mediaGatewayProfile_H248Options_DigitmapOptions_ShortTimer=mediaGatewayProfile_H248Options_DigitmapOptions_ShortTimer, mediaGatewayProfile_RtFaxOptions_CommandSpoof=mediaGatewayProfile_RtFaxOptions_CommandSpoof, mediaGatewayProfile_Voip2ipOptions_DtmfTonePassing=mediaGatewayProfile_Voip2ipOptions_DtmfTonePassing, DisplayString=DisplayString, mediaGatewayProfile_VoipOptions_PacketAudioMode=mediaGatewayProfile_VoipOptions_PacketAudioMode, mediaGatewayProfile_RtFaxOptions_PacketRedundancy=mediaGatewayProfile_RtFaxOptions_PacketRedundancy, mediaGatewayProfile_SipOptions_SecondaryProxy_IpAddress=mediaGatewayProfile_SipOptions_SecondaryProxy_IpAddress, mediaGatewayProfile_RtFaxOptions_AllowCtc=mediaGatewayProfile_RtFaxOptions_AllowCtc, mediaGatewayProfile_TosRtpOptions_ApplyTo=mediaGatewayProfile_TosRtpOptions_ApplyTo, mediaGatewayProfile_RtFaxOptions_FixedPackets=mediaGatewayProfile_RtFaxOptions_FixedPackets, mibmediaGatewayProfile_MgcAddressTable=mibmediaGatewayProfile_MgcAddressTable, mibmediaGatewayProfile_H248Options_DigitmapOptions_MapEntry=mibmediaGatewayProfile_H248Options_DigitmapOptions_MapEntry, mediaGatewayProfile_SipOptions_PrivacyProxyRequire=mediaGatewayProfile_SipOptions_PrivacyProxyRequire, mediaGatewayProfile_SipOptions_TrustedProxy_Table_Index_o=mediaGatewayProfile_SipOptions_TrustedProxy_Table_Index_o, mediaGatewayProfile_VoipOptions_RtpProblemReporting_MultMediaRcptOkTime=mediaGatewayProfile_VoipOptions_RtpProblemReporting_MultMediaRcptOkTime, mediaGatewayProfile_SipOptions_NotifyTimer=mediaGatewayProfile_SipOptions_NotifyTimer, mediaGatewayProfile_RtFaxOptions_EcmEnable=mediaGatewayProfile_RtFaxOptions_EcmEnable, mediaGatewayProfile_SipOptions_RegistrationProxy_PortNumber=mediaGatewayProfile_SipOptions_RegistrationProxy_PortNumber, mediaGatewayProfile_MgcAddress_Index_o=mediaGatewayProfile_MgcAddress_Index_o, mediaGatewayProfile_SipOptions_CountryCode=mediaGatewayProfile_SipOptions_CountryCode, mediaGatewayProfile_Action_o=mediaGatewayProfile_Action_o, mediaGatewayProfile_SipOptions_Support100rel=mediaGatewayProfile_SipOptions_Support100rel, mediaGatewayProfile_DialedGwOptions_TrunkQuiesce=mediaGatewayProfile_DialedGwOptions_TrunkQuiesce, mediaGatewayProfile_H248Options_MaxResponseTime=mediaGatewayProfile_H248Options_MaxResponseTime, mediaGatewayProfile_SipOptions_RegistrationProxy_RegisterInterval=mediaGatewayProfile_SipOptions_RegistrationProxy_RegisterInterval, mediaGatewayProfile_H248Options_EncodingFormat=mediaGatewayProfile_H248Options_EncodingFormat, mibmediaGatewayProfile_SipOptions_TrustedProxy_TableTable=mibmediaGatewayProfile_SipOptions_TrustedProxy_TableTable, mibmediaGatewayProfile_SipOptions_TrustedProxy_TableEntry=mibmediaGatewayProfile_SipOptions_TrustedProxy_TableEntry, mediaGatewayProfile_TosSigOptions_MarkingType=mediaGatewayProfile_TosSigOptions_MarkingType, mibmediaGatewayProfile_MgcAddressEntry=mibmediaGatewayProfile_MgcAddressEntry, mediaGatewayProfile_DialedGwOptions_TrunkPrefix=mediaGatewayProfile_DialedGwOptions_TrunkPrefix, mediaGatewayProfile_SipOptions_UnknownAni=mediaGatewayProfile_SipOptions_UnknownAni, mediaGatewayProfile_SipOptions_SecondaryProxy_MessageFormat=mediaGatewayProfile_SipOptions_SecondaryProxy_MessageFormat, mediaGatewayProfile_H248Options_DigitmapOptions_Map_Name=mediaGatewayProfile_H248Options_DigitmapOptions_Map_Name, mediaGatewayProfile_VoipOptions_EnaAdapJitterBuffer=mediaGatewayProfile_VoipOptions_EnaAdapJitterBuffer, mediaGatewayProfile_MgSigAddress_Type=mediaGatewayProfile_MgSigAddress_Type, mediaGatewayProfile_SipOptions_PrimaryProxy_MessageFormat=mediaGatewayProfile_SipOptions_PrimaryProxy_MessageFormat, mediaGatewayProfile_SipOptions_RegistrationProxy_MessageFormat=mediaGatewayProfile_SipOptions_RegistrationProxy_MessageFormat, mediaGatewayProfile_SipOptions_InternationalPrefix=mediaGatewayProfile_SipOptions_InternationalPrefix, mediaGatewayProfile_SipOptions_CallTransferMethod=mediaGatewayProfile_SipOptions_CallTransferMethod, mediaGatewayProfile_TosSigOptions_ApplyTo=mediaGatewayProfile_TosSigOptions_ApplyTo, mibmediaGatewayProfile_H248Options_DigitmapOptions_MapTable=mibmediaGatewayProfile_H248Options_DigitmapOptions_MapTable, mediaGatewayProfile_RtFaxOptions_MaxDataRate=mediaGatewayProfile_RtFaxOptions_MaxDataRate, mediaGatewayProfile_MgRtpAddress_IpAddress=mediaGatewayProfile_MgRtpAddress_IpAddress, mediaGatewayProfile_TosRtpOptions_Active=mediaGatewayProfile_TosRtpOptions_Active, mediaGatewayProfile_VoipOptions_DtmfTonePassing=mediaGatewayProfile_VoipOptions_DtmfTonePassing, mediaGatewayProfile_TosSigOptions_TypeOfService=mediaGatewayProfile_TosSigOptions_TypeOfService, mediaGatewayProfile_VoipOptions_RtpProblemReporting_NoMediaRcptOkTime=mediaGatewayProfile_VoipOptions_RtpProblemReporting_NoMediaRcptOkTime, mediaGatewayProfile_SipOptions_NonInviteRetries=mediaGatewayProfile_SipOptions_NonInviteRetries, mediaGatewayProfile_VoipOptions_InitialJitterBufferSize=mediaGatewayProfile_VoipOptions_InitialJitterBufferSize, mediaGatewayProfile_SipOptions_T2Timer=mediaGatewayProfile_SipOptions_T2Timer, mediaGatewayProfile_MgcAddress_Vrouter=mediaGatewayProfile_MgcAddress_Vrouter, mediaGatewayProfile_SipOptions_NationalDestinationCode=mediaGatewayProfile_SipOptions_NationalDestinationCode, mediaGatewayProfile_SipOptions_TrustedProxy_Table_HostName=mediaGatewayProfile_SipOptions_TrustedProxy_Table_HostName, mibmediaGatewayProfileEntry=mibmediaGatewayProfileEntry, mediaGatewayProfile_VoipOptions_Maxcalls=mediaGatewayProfile_VoipOptions_Maxcalls, mediaGatewayProfile_TosRtpOptions_MarkingType=mediaGatewayProfile_TosRtpOptions_MarkingType, mediaGatewayProfile_MgcAddress_PortNumber=mediaGatewayProfile_MgcAddress_PortNumber, mediaGatewayProfile_RtFaxOptions_LocalRetransmitLsf=mediaGatewayProfile_RtFaxOptions_LocalRetransmitLsf, mediaGatewayProfile_VoipOptions_RtpProblemReporting_Enable=mediaGatewayProfile_VoipOptions_RtpProblemReporting_Enable, mibmediaGatewayProfileTable=mibmediaGatewayProfileTable, mediaGatewayProfile_MgcAddress_IpAddress=mediaGatewayProfile_MgcAddress_IpAddress, mediaGatewayProfile_H248Options_DigitmapOptions_LongTimer=mediaGatewayProfile_H248Options_DigitmapOptions_LongTimer, mediaGatewayProfile_VoipOptions_SilenceThreshold=mediaGatewayProfile_VoipOptions_SilenceThreshold)
# This object is for creating a daily report, indicating the progress of the # currently running Time Lapse. The file structure is plain text with some # slight formatting. # Every section/seperator will be represented by '-' characters on both sides # of the given text. # Every alert will be represented similarly to that of a section header, but # replacing the '-' for '*' characters. On each side of the chain of '*' # characters will be '!' class Report: fileName = "daily_report.txt" file = open(fileName, "w") line_length = 80 def section_header(self, header: str): length = len(header) + 2 number_of_indicators = (self.line_length - length) // 2 separator = ("-" * number_of_indicators) line = "{0} {1} {0}".format(separator, header) self.file.write(line + "\n\n") def section_alert(self, alert: str): length = len(alert) + 6 number_of_indicators = (self.line_length - length) // 2 separator = ("*" * number_of_indicators) line = "!{0}! {1} !{0}!".format(separator, alert) self.file.write(line + "\n\n") def empty_line(self, count: int = 1): self.file.write("\n" * count) # This will write whatever text you pass into it, and it will automatically # wrap the text based upon the line_length specified. def write(self, content: str): if len(content) > self.line_length: content_words = content.split(" ") content_arr = [] temp_line = "" for word in content_words: if len(temp_line) + (len(word) + 1) > self.line_length: content_arr.append(temp_line + "\n") temp_line = "{} ".format(word) else: temp_line += "{} ".format(word) else: if len(temp_line) > 0: content_arr.append(temp_line) self.file.writelines(content_arr) else: self.file.write(content + "\n") def close(self): self.file.close()
class Report: file_name = 'daily_report.txt' file = open(fileName, 'w') line_length = 80 def section_header(self, header: str): length = len(header) + 2 number_of_indicators = (self.line_length - length) // 2 separator = '-' * number_of_indicators line = '{0} {1} {0}'.format(separator, header) self.file.write(line + '\n\n') def section_alert(self, alert: str): length = len(alert) + 6 number_of_indicators = (self.line_length - length) // 2 separator = '*' * number_of_indicators line = '!{0}! {1} !{0}!'.format(separator, alert) self.file.write(line + '\n\n') def empty_line(self, count: int=1): self.file.write('\n' * count) def write(self, content: str): if len(content) > self.line_length: content_words = content.split(' ') content_arr = [] temp_line = '' for word in content_words: if len(temp_line) + (len(word) + 1) > self.line_length: content_arr.append(temp_line + '\n') temp_line = '{} '.format(word) else: temp_line += '{} '.format(word) else: if len(temp_line) > 0: content_arr.append(temp_line) self.file.writelines(content_arr) else: self.file.write(content + '\n') def close(self): self.file.close()
# python_version >= '3.5' #: Okay async def test(): good = 1 #: N806 async def f(): async with expr as ASYNC_VAR: pass
async def test(): good = 1 async def f(): async with expr as async_var: pass
# -*- coding: utf-8 -*- """This module defines all the constants used by pytwis.py.""" REDIS_SOCKET_CONNECT_TIMEOUT = 60 PASSWORD_HASH_METHOD = 'pbkdf2:sha512' NEXT_USER_ID_KEY = 'next_user_id' USERS_KEY = 'users' USER_PROFILE_KEY_FORMAT = 'user:{}' USERNAME_KEY = 'username' PASSWORD_HASH_KEY = 'password_hash' AUTH_KEY = 'auth' AUTHS_KEY = 'auths' FOLLOWER_KEY_FORMAT = 'follower:{}' FOLLOWING_KEY_FORMAT = 'following:{}' NEXT_TWEET_ID_KEY = 'next_tweet_id' TWEET_KEY_FORMAT = 'tweet:{}' TWEET_USERID_KEY = 'userid' TWEET_UNIXTIME_KEY = 'unix_time' TWEET_BODY_KEY = 'body' GENERAL_TIMELINE_KEY = 'timeline' GENERAL_TIMELINE_MAX_TWEET_CNT = 1000 USER_TIMELINE_KEY_FORMAT = 'timeline:{}' USER_TWEETS_KEY_FORMAT = 'tweets_by:{}' ERROR_KEY = 'error' FOLLOWER_LIST_KEY = 'follower_list' FOLLOWING_LIST_KEY = 'following_list' TWEETS_KEY = 'tweets' ERROR_USERNAME_NOT_EXIST_FORMAT = "username {} doesn't exist" ERROR_USERNAME_ALREADY_EXISTS = 'username {} already exists' ERROR_INVALID_USERNAME = '''Invalid username. A valid username must * have 3 characters more; * have only letters (either uppercase or lowercase), digits, '_', or '-'; * start with a letter. ''' ERROR_NOT_LOGGED_IN = 'Not logged in' ERROR_INCORRECT_PASSWORD = 'Incorrect password' ERROR_INCORRECT_OLD_PASSWORD = 'Incorrect old password' ERROR_NEW_PASSWORD_NO_CHANGE = 'New password same as old one' ERROR_WEAK_PASSWORD = '''Weak password. A strong password must have * 8 characters or more; * 1 digit or more; * 1 uppercase letter or more; * 1 lowercase letter or more; * 1 symbol (excluding whitespace characters) or more. ''' ERROR_FOLLOWEE_NOT_EXIST_FORMAT = "Followee {} doesn't exist" ERROR_FOLLOW_YOURSELF_FORMAT = "Can't follow yourself {}"
"""This module defines all the constants used by pytwis.py.""" redis_socket_connect_timeout = 60 password_hash_method = 'pbkdf2:sha512' next_user_id_key = 'next_user_id' users_key = 'users' user_profile_key_format = 'user:{}' username_key = 'username' password_hash_key = 'password_hash' auth_key = 'auth' auths_key = 'auths' follower_key_format = 'follower:{}' following_key_format = 'following:{}' next_tweet_id_key = 'next_tweet_id' tweet_key_format = 'tweet:{}' tweet_userid_key = 'userid' tweet_unixtime_key = 'unix_time' tweet_body_key = 'body' general_timeline_key = 'timeline' general_timeline_max_tweet_cnt = 1000 user_timeline_key_format = 'timeline:{}' user_tweets_key_format = 'tweets_by:{}' error_key = 'error' follower_list_key = 'follower_list' following_list_key = 'following_list' tweets_key = 'tweets' error_username_not_exist_format = "username {} doesn't exist" error_username_already_exists = 'username {} already exists' error_invalid_username = "Invalid username. A valid username must\n * have 3 characters more;\n * have only letters (either uppercase or lowercase), digits, '_', or '-';\n * start with a letter.\n " error_not_logged_in = 'Not logged in' error_incorrect_password = 'Incorrect password' error_incorrect_old_password = 'Incorrect old password' error_new_password_no_change = 'New password same as old one' error_weak_password = 'Weak password. A strong password must have\n * 8 characters or more;\n * 1 digit or more;\n * 1 uppercase letter or more;\n * 1 lowercase letter or more;\n * 1 symbol (excluding whitespace characters) or more.\n ' error_followee_not_exist_format = "Followee {} doesn't exist" error_follow_yourself_format = "Can't follow yourself {}"
# birth_year=input("please enter your bith year: ") curr=2021 # age=curr-int(birth_year) # print("you are "+ str(age)+" years old)") # f_name=input("enter your name: ") # l_name=input("enter your last name: ") # print(f"hello {l_name} {f_name} you are {age} years old)") # user_data=input(" Enter Ur name , last name , birth year separated by pint: ").split(".") # print(user_data) # age= curr- int(user_data[2]) # print(f" hello {user_data[1]} {user_data[0]} you are {age} years old)")
curr = 2021
# -*- coding: utf-8 -*- class HostsNotFound(OSError): pass class InvalidFormat(ValueError): pass
class Hostsnotfound(OSError): pass class Invalidformat(ValueError): pass
def printall(*args, **kwargs): # Handle the args values print('args:') for arg in args: print(arg) print('-' * 20) # Handle the key value pairs in kwargs print('kwargs:') for arg in kwargs.values(): print(arg) printall(1, 2, 3, a="John", b="Hunt")
def printall(*args, **kwargs): print('args:') for arg in args: print(arg) print('-' * 20) print('kwargs:') for arg in kwargs.values(): print(arg) printall(1, 2, 3, a='John', b='Hunt')
""" We distribute some number of candies, to a row of n = num_people people in the following way: We then give 1 candy to the first person, 2 candies to the second person, and so on until we give n candies to the last person. Then, we go back to the start of the row, giving n + 1 candies to the first person, n + 2 candies to the second person, and so on until we give 2 * n candies to the last person. This process repeats (with us giving one more candy each time, and moving to the start of the row after we reach the end) until we run out of candies. The last person will receive all of our remaining candies (not necessarily one more than the previous gift). Return an array (of length num_people and sum candies) that represents the final distribution of candies. Example: Input: candies = 7, num_people = 4 Output: [1,2,3,1] Explanation: On the first turn, ans[0] += 1, and the array is [1,0,0,0]. On the second turn, ans[1] += 2, and the array is [1,2,0,0]. On the third turn, ans[2] += 3, and the array is [1,2,3,0]. On the fourth turn, ans[3] += 1 (because there is only one candy left), and the final array is [1,2,3,1]. Example: Input: candies = 10, num_people = 3 Output: [5,2,3] Explanation: On the first turn, ans[0] += 1, and the array is [1,0,0]. On the second turn, ans[1] += 2, and the array is [1,2,0]. On the third turn, ans[2] += 3, and the array is [1,2,3]. On the fourth turn, ans[0] += 4, and the final array is [5,2,3]. Constraints: - 1 <= candies <= 10^9 - 1 <= num_people <= 1000 """ #Difficulty: Easy #27 / 27 test cases passed. #Runtime: 40 ms #Memory Usage: 13.9 MB #Runtime: 40 ms, faster than 73.23% of Python3 online submissions for Distribute Candies to People. #Memory Usage: 13.9 MB, less than 60.99% of Python3 online submissions for Distribute Candies to People. class Solution: def distributeCandies(self, candies: int, num_people: int) -> List[int]: i = 0 candy = 1 candies -= candy people = [0] * num_people while candies >= 0: people[i] += candy if candies <= candy: i += 1 if i == num_people: i = 0 people[i] += candies break candy += 1 candies -= candy i += 1 if i == num_people: i = 0 return people
""" We distribute some number of candies, to a row of n = num_people people in the following way: We then give 1 candy to the first person, 2 candies to the second person, and so on until we give n candies to the last person. Then, we go back to the start of the row, giving n + 1 candies to the first person, n + 2 candies to the second person, and so on until we give 2 * n candies to the last person. This process repeats (with us giving one more candy each time, and moving to the start of the row after we reach the end) until we run out of candies. The last person will receive all of our remaining candies (not necessarily one more than the previous gift). Return an array (of length num_people and sum candies) that represents the final distribution of candies. Example: Input: candies = 7, num_people = 4 Output: [1,2,3,1] Explanation: On the first turn, ans[0] += 1, and the array is [1,0,0,0]. On the second turn, ans[1] += 2, and the array is [1,2,0,0]. On the third turn, ans[2] += 3, and the array is [1,2,3,0]. On the fourth turn, ans[3] += 1 (because there is only one candy left), and the final array is [1,2,3,1]. Example: Input: candies = 10, num_people = 3 Output: [5,2,3] Explanation: On the first turn, ans[0] += 1, and the array is [1,0,0]. On the second turn, ans[1] += 2, and the array is [1,2,0]. On the third turn, ans[2] += 3, and the array is [1,2,3]. On the fourth turn, ans[0] += 4, and the final array is [5,2,3]. Constraints: - 1 <= candies <= 10^9 - 1 <= num_people <= 1000 """ class Solution: def distribute_candies(self, candies: int, num_people: int) -> List[int]: i = 0 candy = 1 candies -= candy people = [0] * num_people while candies >= 0: people[i] += candy if candies <= candy: i += 1 if i == num_people: i = 0 people[i] += candies break candy += 1 candies -= candy i += 1 if i == num_people: i = 0 return people
P,K=map(int,input().split()) L=[i for i in range(K)] k=[] L[0]=-1 L[1]=-1 for i in range(K): if L[i] == i: k.append(i) for j in range(i+i,K,i): L[j]=-1 for i in k: if P%i == 0: print("BAD",i) break else: print("GOOD")
(p, k) = map(int, input().split()) l = [i for i in range(K)] k = [] L[0] = -1 L[1] = -1 for i in range(K): if L[i] == i: k.append(i) for j in range(i + i, K, i): L[j] = -1 for i in k: if P % i == 0: print('BAD', i) break else: print('GOOD')
# Photon/energy g_eV_per_Hartree = 27.211396641308 g_omega_IR = 0.0569614*g_eV_per_Hartree # Plot parameters g_linewidth = 2 g_fontsize = 20 g_colors_list = ['royalblue', 'crimson', 'lawngreen', 'violet', 'orange', 'black', 'deepskyblue', 'pink', 'lightseagreen'] g_linestyles = ["solid", "dotted", "dashdot", "dashed", (0, (3, 1, 1, 1, 1, 1))]
g_e_v_per__hartree = 27.211396641308 g_omega_ir = 0.0569614 * g_eV_per_Hartree g_linewidth = 2 g_fontsize = 20 g_colors_list = ['royalblue', 'crimson', 'lawngreen', 'violet', 'orange', 'black', 'deepskyblue', 'pink', 'lightseagreen'] g_linestyles = ['solid', 'dotted', 'dashdot', 'dashed', (0, (3, 1, 1, 1, 1, 1))]
# work dir root_workdir = 'workdir' # seed seed = 0 # 1. logging logger = dict( handlers=( dict(type='StreamHandler', level='INFO'), # dict(type='FileHandler', level='INFO'), ), ) # 2. data test_cfg = dict( scales=[0.5, 0.75, 1.0, 1.25, 1.5, 1.75], bias=[0.5, 0.25, 0.0, -0.25, -0.5, -0.75], flip=True, ) img_norm_cfg = dict(mean=(123.675, 116.280, 103.530), std=(58.395, 57.120, 57.375)) ignore_label = 255 dataset_type = 'VOCDataset' dataset_root = 'data/VOCdevkit/VOC2012' data = dict( train=dict( dataset=dict( type=dataset_type, root=dataset_root, imglist_name='trainaug.txt', ), transforms=[ dict(type='RandomScale', min_scale=0.5, max_scale=2.0, mode='bilinear'), dict(type='RandomCrop', height=513, width=513, image_value=img_norm_cfg['mean'], mask_value=ignore_label), dict(type='RandomRotate', p=0.5, degrees=10, mode='bilinear', border_mode='constant', image_value=img_norm_cfg['mean'], mask_value=ignore_label), dict(type='GaussianBlur', p=0.5, ksize=7), dict(type='HorizontalFlip', p=0.5), dict(type='Normalize', **img_norm_cfg), dict(type='ToTensor'), ], loader=dict( type='DataLoader', batch_size=16, num_workers=4, shuffle=True, drop_last=True, ), ), val=dict( dataset=dict( type=dataset_type, root=dataset_root, imglist_name='val.txt', ), transforms=[ dict(type='PadIfNeeded', height=513, width=513, image_value=img_norm_cfg['mean'], mask_value=ignore_label), dict(type='Normalize', **img_norm_cfg), dict(type='ToTensor'), ], loader=dict( type='DataLoader', batch_size=8, num_workers=4, shuffle=False, drop_last=False, ), ), ) # 3. model nclasses = 21 model = dict( # model/encoder encoder=dict( backbone=dict( type='ResNet', arch='resnet101', replace_stride_with_dilation=[False, True, True], ), enhance=dict( type='PPM', from_layer='c5', to_layer='enhance', in_channels=2048, out_channels=512, bins=[1, 2, 3, 6], ), ), collect=dict(type='CollectBlock', from_layer='enhance'), # model/head head=dict( type='Head', in_channels=4096, inter_channels=512, out_channels=nclasses, num_convs=1, dropouts=[0.1], upsample=dict( type='Upsample', size=(513,513), mode='bilinear', align_corners=True ), ) ) ## 3.1 resume resume = None # 4. criterion criterion = dict(type='CrossEntropyLoss', ignore_index=ignore_label) # 5. optim optimizer = dict(type='SGD', lr=0.01, momentum=0.9, weight_decay=0.0001) # 6. lr scheduler max_epochs = 50 lr_scheduler = dict(type='PolyLR', max_epochs=max_epochs) # 7. runner runner = dict( type='Runner', max_epochs=max_epochs, trainval_ratio=1, snapshot_interval=5, ) # 8. device gpu_id = '0,1,2,3'
root_workdir = 'workdir' seed = 0 logger = dict(handlers=(dict(type='StreamHandler', level='INFO'),)) test_cfg = dict(scales=[0.5, 0.75, 1.0, 1.25, 1.5, 1.75], bias=[0.5, 0.25, 0.0, -0.25, -0.5, -0.75], flip=True) img_norm_cfg = dict(mean=(123.675, 116.28, 103.53), std=(58.395, 57.12, 57.375)) ignore_label = 255 dataset_type = 'VOCDataset' dataset_root = 'data/VOCdevkit/VOC2012' data = dict(train=dict(dataset=dict(type=dataset_type, root=dataset_root, imglist_name='trainaug.txt'), transforms=[dict(type='RandomScale', min_scale=0.5, max_scale=2.0, mode='bilinear'), dict(type='RandomCrop', height=513, width=513, image_value=img_norm_cfg['mean'], mask_value=ignore_label), dict(type='RandomRotate', p=0.5, degrees=10, mode='bilinear', border_mode='constant', image_value=img_norm_cfg['mean'], mask_value=ignore_label), dict(type='GaussianBlur', p=0.5, ksize=7), dict(type='HorizontalFlip', p=0.5), dict(type='Normalize', **img_norm_cfg), dict(type='ToTensor')], loader=dict(type='DataLoader', batch_size=16, num_workers=4, shuffle=True, drop_last=True)), val=dict(dataset=dict(type=dataset_type, root=dataset_root, imglist_name='val.txt'), transforms=[dict(type='PadIfNeeded', height=513, width=513, image_value=img_norm_cfg['mean'], mask_value=ignore_label), dict(type='Normalize', **img_norm_cfg), dict(type='ToTensor')], loader=dict(type='DataLoader', batch_size=8, num_workers=4, shuffle=False, drop_last=False))) nclasses = 21 model = dict(encoder=dict(backbone=dict(type='ResNet', arch='resnet101', replace_stride_with_dilation=[False, True, True]), enhance=dict(type='PPM', from_layer='c5', to_layer='enhance', in_channels=2048, out_channels=512, bins=[1, 2, 3, 6])), collect=dict(type='CollectBlock', from_layer='enhance'), head=dict(type='Head', in_channels=4096, inter_channels=512, out_channels=nclasses, num_convs=1, dropouts=[0.1], upsample=dict(type='Upsample', size=(513, 513), mode='bilinear', align_corners=True))) resume = None criterion = dict(type='CrossEntropyLoss', ignore_index=ignore_label) optimizer = dict(type='SGD', lr=0.01, momentum=0.9, weight_decay=0.0001) max_epochs = 50 lr_scheduler = dict(type='PolyLR', max_epochs=max_epochs) runner = dict(type='Runner', max_epochs=max_epochs, trainval_ratio=1, snapshot_interval=5) gpu_id = '0,1,2,3'
#!/usr/bin/env python3 ####################################################################################### # # # Program purpose: Reverses a user provided string. # # Program Author : Happi Yvan <ivensteinpoker@gmail.com> # # Creation Date : October 17, 2019 # # # ####################################################################################### def get_user_data(input_mess: str): is_valid = False user_data = '' while is_valid is not True: try: user_data = input(input_mess) if len(user_data) == 0: raise ValueError('Please provide some data') is_valid = True except ValueError as ve: print(f'[ERROR]: {ve}') return user_data def reverse_string(main_str: str): main_str = main_str.strip() return main_str[::-1] if __name__ == "__main__": main_data = get_user_data(input_mess='Enter some string to reverse: ') print(f'Reverse of main string: {reverse_string(main_str=main_data)}')
def get_user_data(input_mess: str): is_valid = False user_data = '' while is_valid is not True: try: user_data = input(input_mess) if len(user_data) == 0: raise value_error('Please provide some data') is_valid = True except ValueError as ve: print(f'[ERROR]: {ve}') return user_data def reverse_string(main_str: str): main_str = main_str.strip() return main_str[::-1] if __name__ == '__main__': main_data = get_user_data(input_mess='Enter some string to reverse: ') print(f'Reverse of main string: {reverse_string(main_str=main_data)}')
# from OME def get_headers_csv(file_dir): f = open(file_dir) header_str = "" for line in f.readlines(): header_str = line break header = [] start_q = False start_idx = 0 print("header_string: "+header_str) for idx, ch in enumerate(header_str): if ch == '"' and start_q == True: start_q = False elif ch=='"': start_q = True elif ch=="," and start_q == False: curr = header_str[start_idx:idx] header.append(curr) start_idx = idx+1 header.append(header_str[start_idx:]) return header
def get_headers_csv(file_dir): f = open(file_dir) header_str = '' for line in f.readlines(): header_str = line break header = [] start_q = False start_idx = 0 print('header_string: ' + header_str) for (idx, ch) in enumerate(header_str): if ch == '"' and start_q == True: start_q = False elif ch == '"': start_q = True elif ch == ',' and start_q == False: curr = header_str[start_idx:idx] header.append(curr) start_idx = idx + 1 header.append(header_str[start_idx:]) return header
class Dafsm(object): # Constructor def __init__(self, name): self.name = name def trigger(self, fname, cntx): raise NotImplementedError() def call(self, fname, cntx): raise NotImplementedError() def queuecall(self, cntx): raise NotImplementedError() def switch(self, cntx, sstate): raise NotImplementedError() def unswitch(self, cntx): raise NotImplementedError() def getByKey(self, obj, key, value): item = None if type(obj) is list: for x in obj: if x[key] == value: item = x elif type(obj) is dict: item = obj[value] return item def eventListener(self, cntx): # fsm = cntx.get(cntx)["logic"] # state = self.getByKey(fsm.get("states"), "key", cntx.get(cntx)["keystate"]) state = cntx.get()["keystate"] if state is None: return None transitions = state.get("transitions") if transitions is not None: for trans in transitions: triggers = trans.get("triggers") if triggers is not None: for trig in triggers: res = self.trigger(trig.get("name"), cntx) if res: return trans return None def gotoNextstate(self, trans, fsm): return self.getByKey(fsm.get("states"), "key", trans.get("nextstatename")) def exitAction(self, cntx): # fsm = cntx.get(cntx)["logic"] # state = self.getByKey(fsm.get("states"), "key", cntx.get(cntx)["keystate"]) state = cntx.get()["keystate"] if state is None: return None exits = state.get("exits") if exits is not None: for action in exits: self.call(action.get("name"), cntx) return def entryAction(self, cntx): # fsm = cntx.get(cntx)["logic"] # state = self.getByKey(fsm.get("states"), "key", cntx.get(cntx)["keystate"]) state = cntx.get()["keystate"] if state is None: return None entries = state.get("entries") if entries is not None: for action in entries: self.call(action.get("name"), cntx) return def stayAction(self, cntx): # fsm = cntx.get(cntx)["logic"] # state = self.getByKey(fsm.get("states"), "key", cntx.get(cntx)["keystate"]) state = cntx.get()["keystate"] if state is None: return None stays = state.get("stays") if stays is not None: for action in stays: self.call(action.get("name"), cntx) return def effectAction(self, trans, cntx): effects = trans.get("effects") if effects is not None: for eff in effects: self.call(eff.get("name"), cntx) return def event(self, cntx): try: keystate = cntx.get()["keystate"] if keystate is not None: #print(cntx.get(cntx)['logic']['id'],"[",keystate['key'],"]") trans = self.eventListener(cntx) if trans is not None: nextstate = self.gotoNextstate(trans, cntx.get()["logic"]) if nextstate is not None: self.exitAction(cntx) self.effectAction(trans, cntx) cntx.set("keystate", nextstate) self.entryAction(cntx) superstate = nextstate.get("superstate") if superstate is not None: self.switch(cntx, superstate, nextstate.get("name")) self.queuecall(cntx) #print(cntx.get(cntx)['logic']['id'], "[", cntx.get(cntx)["keystate"]['key'], "]") else: print("FSM error: next state missing") else: self.stayAction(cntx) self.queuecall(cntx) except BaseException as err: print(err) finally: state = cntx.get()["keystate"] if state and state.get("transitions") is None: cntx.set("complete", True) self.unswitch(cntx) return cntx
class Dafsm(object): def __init__(self, name): self.name = name def trigger(self, fname, cntx): raise not_implemented_error() def call(self, fname, cntx): raise not_implemented_error() def queuecall(self, cntx): raise not_implemented_error() def switch(self, cntx, sstate): raise not_implemented_error() def unswitch(self, cntx): raise not_implemented_error() def get_by_key(self, obj, key, value): item = None if type(obj) is list: for x in obj: if x[key] == value: item = x elif type(obj) is dict: item = obj[value] return item def event_listener(self, cntx): state = cntx.get()['keystate'] if state is None: return None transitions = state.get('transitions') if transitions is not None: for trans in transitions: triggers = trans.get('triggers') if triggers is not None: for trig in triggers: res = self.trigger(trig.get('name'), cntx) if res: return trans return None def goto_nextstate(self, trans, fsm): return self.getByKey(fsm.get('states'), 'key', trans.get('nextstatename')) def exit_action(self, cntx): state = cntx.get()['keystate'] if state is None: return None exits = state.get('exits') if exits is not None: for action in exits: self.call(action.get('name'), cntx) return def entry_action(self, cntx): state = cntx.get()['keystate'] if state is None: return None entries = state.get('entries') if entries is not None: for action in entries: self.call(action.get('name'), cntx) return def stay_action(self, cntx): state = cntx.get()['keystate'] if state is None: return None stays = state.get('stays') if stays is not None: for action in stays: self.call(action.get('name'), cntx) return def effect_action(self, trans, cntx): effects = trans.get('effects') if effects is not None: for eff in effects: self.call(eff.get('name'), cntx) return def event(self, cntx): try: keystate = cntx.get()['keystate'] if keystate is not None: trans = self.eventListener(cntx) if trans is not None: nextstate = self.gotoNextstate(trans, cntx.get()['logic']) if nextstate is not None: self.exitAction(cntx) self.effectAction(trans, cntx) cntx.set('keystate', nextstate) self.entryAction(cntx) superstate = nextstate.get('superstate') if superstate is not None: self.switch(cntx, superstate, nextstate.get('name')) self.queuecall(cntx) else: print('FSM error: next state missing') else: self.stayAction(cntx) self.queuecall(cntx) except BaseException as err: print(err) finally: state = cntx.get()['keystate'] if state and state.get('transitions') is None: cntx.set('complete', True) self.unswitch(cntx) return cntx
RED = "0;31" GREEN = "0;32" YELLOW = "0;33" BLUE = "0;34" GRAY = "0;37" def _ansicolorize(text, color_code): return "\033[{}m{}\033[0m".format(color_code, text) def color_print(text, color_code): if color_code: print(_ansicolorize(text, color_code)) else: print(text)
red = '0;31' green = '0;32' yellow = '0;33' blue = '0;34' gray = '0;37' def _ansicolorize(text, color_code): return '\x1b[{}m{}\x1b[0m'.format(color_code, text) def color_print(text, color_code): if color_code: print(_ansicolorize(text, color_code)) else: print(text)
expected_output = { "version": { "version_short": "03.04", "platform": "Catalyst 4500 L3 Switch", "version": "03.04.06.SG", "image_id": "cat4500e-UNIVERSALK9-M", "os": "IOS-XE", "image_type": "production image", "compiled_date": "Mon 04-May-15 02:44", "compiled_by": "prod_rel_team", "rom": "15.0(1r)SG10", "hostname": "sample_4510r_e", "uptime": "2 years, 11 weeks, 3 days, 3 hours, 3 minutes", "uptime_this_cp": "2 years, 11 weeks, 1 day, 22 hours, 18 minutes", "returned_to_rom_by": "SSO Switchover", "system_restarted_at": "19:11:28 GMT Tue Aug 22 2017", "system_image": "bootflash:cat4500e-universalk9.SPA.03.04.06.SG.151-2.SG6.bin", "jawa_revision": "7", "snowtrooper_revision": "0x0.0x1C", "last_reload_reason": "PowerUp", "license_type": "Permanent", "license_level": "entservices", "next_reload_license_level": "entservices", "chassis": "WS-C4510R+E", "main_mem": "2097152", "processor_type": "MPC8572", "rtr_type": "WS-C4510R+E", "chassis_sn": "JAD213101PP", "processor": {"cpu_type": "MPC8572", "speed": "1.5GHz", "supervisor": "7"}, "number_of_intfs": { "Virtual Ethernet": "8", "Gigabit Ethernet": "384", "Ten Gigabit Ethernet": "8", }, "mem_size": {"non-volatile configuration": "511"}, "curr_config_register": "0x2102", } }
expected_output = {'version': {'version_short': '03.04', 'platform': 'Catalyst 4500 L3 Switch', 'version': '03.04.06.SG', 'image_id': 'cat4500e-UNIVERSALK9-M', 'os': 'IOS-XE', 'image_type': 'production image', 'compiled_date': 'Mon 04-May-15 02:44', 'compiled_by': 'prod_rel_team', 'rom': '15.0(1r)SG10', 'hostname': 'sample_4510r_e', 'uptime': '2 years, 11 weeks, 3 days, 3 hours, 3 minutes', 'uptime_this_cp': '2 years, 11 weeks, 1 day, 22 hours, 18 minutes', 'returned_to_rom_by': 'SSO Switchover', 'system_restarted_at': '19:11:28 GMT Tue Aug 22 2017', 'system_image': 'bootflash:cat4500e-universalk9.SPA.03.04.06.SG.151-2.SG6.bin', 'jawa_revision': '7', 'snowtrooper_revision': '0x0.0x1C', 'last_reload_reason': 'PowerUp', 'license_type': 'Permanent', 'license_level': 'entservices', 'next_reload_license_level': 'entservices', 'chassis': 'WS-C4510R+E', 'main_mem': '2097152', 'processor_type': 'MPC8572', 'rtr_type': 'WS-C4510R+E', 'chassis_sn': 'JAD213101PP', 'processor': {'cpu_type': 'MPC8572', 'speed': '1.5GHz', 'supervisor': '7'}, 'number_of_intfs': {'Virtual Ethernet': '8', 'Gigabit Ethernet': '384', 'Ten Gigabit Ethernet': '8'}, 'mem_size': {'non-volatile configuration': '511'}, 'curr_config_register': '0x2102'}}
class Executions(object): def __init__(self): self.executions = [] def append(self, execution): self.executions.append(execution) def shares_traded(self): return sum([abs(item.qty) for item in self.executions]) def __len__(self): return len(self.executions)
class Executions(object): def __init__(self): self.executions = [] def append(self, execution): self.executions.append(execution) def shares_traded(self): return sum([abs(item.qty) for item in self.executions]) def __len__(self): return len(self.executions)
# Copyright (c) 2018, Red Hat, Inc. # All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); you may # not use this file except in compliance with the License. You may obtain # a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, WITHOUT # WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the # License for the specific language governing permissions and limitations # under the License. NAME = 'ember-csi.io' REVERSE_NAME = 'io.ember-csi' ENDPOINT = '[::]:50051' MODE = 'all' PERSISTENCE_CFG = {'storage': 'crd', 'namespace': 'default'} ROOT_HELPER = 'sudo' STATE_PATH = '/var/lib/ember-csi' VOL_BINDS_DIR = '$state_path/vols' LOCKS_DIR = '$state_path/locks' REQUEST_MULTIPATH = False WORKERS = 30 ENABLE_PROBE = False HAS_SLOW_OPERATIONS = True EMBER_CFG = {'project_id': NAME, 'user_id': NAME, 'plugin_name': '', 'root_helper': ROOT_HELPER, 'request_multipath': REQUEST_MULTIPATH, 'file_locks_path': LOCKS_DIR, 'state_path': STATE_PATH, 'enable_probe': ENABLE_PROBE, 'grpc_workers': WORKERS, 'slow_operations': HAS_SLOW_OPERATIONS, 'disabled': tuple()} LOGGING_FORMAT = ('%(asctime)s %(project_name)s %(levelname)s %(name)s ' '[%(request_id)s] %(message)s') LOG_LEVELS = ('amqp=WARN', 'amqplib=WARN', 'boto=WARN', 'qpid=WARN', 'sqlalchemy=WARN', 'suds=WARN', 'oslo.messaging=WARN', 'oslo_messaging=WARN', 'iso8601=WARN', 'requests.packages.urllib3.connectionpool=WARN', 'urllib3.connectionpool=WARN', 'websocket=WARN', 'requests.packages.urllib3.util.retry=WARN', 'urllib3.util.retry=WARN', 'keystonemiddleware=WARN', 'routes.middleware=WARN', 'stevedore=WARN', 'taskflow=WARN', 'keystoneauth=WARN', 'oslo.cache=WARN', 'dogpile.core.dogpile=WARN', 'cinderlib=WARN', 'cinder=WARN', 'os_brick=WARN') DEBUG_LOG_LEVELS = ('amqp=WARN', 'amqplib=WARN', 'boto=WARN', 'qpid=WARN', 'sqlalchemy=WARN', 'suds=INFO', 'oslo.messaging=INFO', 'oslo_messaging=INFO', 'iso8601=WARN', 'requests.packages.urllib3.connectionpool=WARN', 'urllib3.connectionpool=WARN', 'websocket=WARN', 'requests.packages.urllib3.util.retry=WARN', 'urllib3.util.retry=WARN', 'keystonemiddleware=WARN', 'routes.middleware=WARN', 'stevedore=WARN', 'taskflow=WARN', 'keystoneauth=WARN', 'oslo.cache=INFO', 'dogpile.core.dogpile=INFO') MOUNT_FS = 'ext4' MKFS = '/sbin/mkfs.' VOLUME_SIZE = 1.0 SPEC_VERSION = '0.2.0' CRD_NAMESPACE = 'default'
name = 'ember-csi.io' reverse_name = 'io.ember-csi' endpoint = '[::]:50051' mode = 'all' persistence_cfg = {'storage': 'crd', 'namespace': 'default'} root_helper = 'sudo' state_path = '/var/lib/ember-csi' vol_binds_dir = '$state_path/vols' locks_dir = '$state_path/locks' request_multipath = False workers = 30 enable_probe = False has_slow_operations = True ember_cfg = {'project_id': NAME, 'user_id': NAME, 'plugin_name': '', 'root_helper': ROOT_HELPER, 'request_multipath': REQUEST_MULTIPATH, 'file_locks_path': LOCKS_DIR, 'state_path': STATE_PATH, 'enable_probe': ENABLE_PROBE, 'grpc_workers': WORKERS, 'slow_operations': HAS_SLOW_OPERATIONS, 'disabled': tuple()} logging_format = '%(asctime)s %(project_name)s %(levelname)s %(name)s [%(request_id)s] %(message)s' log_levels = ('amqp=WARN', 'amqplib=WARN', 'boto=WARN', 'qpid=WARN', 'sqlalchemy=WARN', 'suds=WARN', 'oslo.messaging=WARN', 'oslo_messaging=WARN', 'iso8601=WARN', 'requests.packages.urllib3.connectionpool=WARN', 'urllib3.connectionpool=WARN', 'websocket=WARN', 'requests.packages.urllib3.util.retry=WARN', 'urllib3.util.retry=WARN', 'keystonemiddleware=WARN', 'routes.middleware=WARN', 'stevedore=WARN', 'taskflow=WARN', 'keystoneauth=WARN', 'oslo.cache=WARN', 'dogpile.core.dogpile=WARN', 'cinderlib=WARN', 'cinder=WARN', 'os_brick=WARN') debug_log_levels = ('amqp=WARN', 'amqplib=WARN', 'boto=WARN', 'qpid=WARN', 'sqlalchemy=WARN', 'suds=INFO', 'oslo.messaging=INFO', 'oslo_messaging=INFO', 'iso8601=WARN', 'requests.packages.urllib3.connectionpool=WARN', 'urllib3.connectionpool=WARN', 'websocket=WARN', 'requests.packages.urllib3.util.retry=WARN', 'urllib3.util.retry=WARN', 'keystonemiddleware=WARN', 'routes.middleware=WARN', 'stevedore=WARN', 'taskflow=WARN', 'keystoneauth=WARN', 'oslo.cache=INFO', 'dogpile.core.dogpile=INFO') mount_fs = 'ext4' mkfs = '/sbin/mkfs.' volume_size = 1.0 spec_version = '0.2.0' crd_namespace = 'default'
# Write a program that repeatedly prompts a user for integer numbers until the user enters 'done'. Once 'done' is entered, print out the largest and smallest of the numbers. If the user enters anything other than a valid number catch it with a try/except and put out an appropriate message and ignore the number. Enter 7, 2, bob, 10, and 4 and match the output below. # Desired Output # Invalid input # Maximum is 10 # Minimum is 2 largest = None smallest = None while True: num = input("Enter a number: ") if num == "done" : break else: try: n = int(num) if largest is None: largest = n elif largest < n: largest = n if smallest is None: smallest = n elif smallest > n: smallest = n except: print("Invalid input") print("Maximum is", largest) print("Minimum is", smallest)
largest = None smallest = None while True: num = input('Enter a number: ') if num == 'done': break else: try: n = int(num) if largest is None: largest = n elif largest < n: largest = n if smallest is None: smallest = n elif smallest > n: smallest = n except: print('Invalid input') print('Maximum is', largest) print('Minimum is', smallest)
def bogota_to_mio(bogota_id): lookup = { 0: 0, # ... background 1: 1, # articulated-truck - articulated-truck 2: 2, # bicycle 3: 3, # bus 4: 4, # car 5: 5, # motorcycle 6: 4, # suv-car 7: 4, # taxi-car 8: 8, # person/pedestrian 9: 9 , # pickup-truck 10: 10, # single unit truck -truck 11: 11 # work van - truck } return lookup[bogota_id]
def bogota_to_mio(bogota_id): lookup = {0: 0, 1: 1, 2: 2, 3: 3, 4: 4, 5: 5, 6: 4, 7: 4, 8: 8, 9: 9, 10: 10, 11: 11} return lookup[bogota_id]