content
stringlengths
7
1.05M
fixed_cases
stringlengths
1
1.28M
class Cat: name = '' age = 0 color = '' def __init__(self, name, age=0, color ='White'): self.name = name self.age = age self.color = color def meow(self): print(f'{self.name} meow') def sleep(self): print(f' {self.name} zzz') def hungry(self): for x in range(5): self.meow() def description(self): print(f'{self.name} is a {self.color} color Cat, who is {self.age} years old')
class Cat: name = '' age = 0 color = '' def __init__(self, name, age=0, color='White'): self.name = name self.age = age self.color = color def meow(self): print(f'{self.name} meow') def sleep(self): print(f' {self.name} zzz') def hungry(self): for x in range(5): self.meow() def description(self): print(f'{self.name} is a {self.color} color Cat, who is {self.age} years old')
def ascending_order(arr): if(len(arr) == 1): return 0 else: count = 0 for i in range(0, len(arr)-1): if(arr[i+1]<arr[i]): diff = arr[i] - arr[i+1] arr[i+1]+=diff count+=diff return count if __name__=="__main__": n = int(input()) arr = [int(i) for i in input().split(" ")][:n] print(ascending_order(arr))
def ascending_order(arr): if len(arr) == 1: return 0 else: count = 0 for i in range(0, len(arr) - 1): if arr[i + 1] < arr[i]: diff = arr[i] - arr[i + 1] arr[i + 1] += diff count += diff return count if __name__ == '__main__': n = int(input()) arr = [int(i) for i in input().split(' ')][:n] print(ascending_order(arr))
class Products: # Surface Reflectance 8-day 500m modisRefl = 'MODIS/006/MOD09A1' # => NDDI # Surface Temperature 8-day 1000m */ modisTemp = 'MODIS/006/MOD11A2' # => T/NDVI # fAPAR 8-day 500m modisFpar = 'MODIS/006/MOD15A2H' # => fAPAR #Evapotranspiration 8-day 500m modisEt = 'MODIS/006/MOD16A2' # => ET # EVI 16-day 500m modisEvi = 'MODIS/006/MOD13A1' # => EVI
class Products: modis_refl = 'MODIS/006/MOD09A1' modis_temp = 'MODIS/006/MOD11A2' modis_fpar = 'MODIS/006/MOD15A2H' modis_et = 'MODIS/006/MOD16A2' modis_evi = 'MODIS/006/MOD13A1'
# 3. Longest Substring Without Repeating Characters # Runtime: 60 ms, faster than 74.37% of Python3 online submissions for Longest Substring Without Repeating Characters. # Memory Usage: 14.4 MB, less than 53.07% of Python3 online submissions for Longest Substring Without Repeating Characters. class Solution: # Two Pointers def lengthOfLongestSubstring(self, s: str) -> int: # Define a mapping of the characters to its index. idx = {} max_len = 0 left = 0 for right in range(len(s)): char = s[right] if char in idx: # Skip the characters immediately when finding a repeated character. left = max(left, idx[char]) max_len = max(max_len, right - left + 1) idx[char] = right + 1 return max_len
class Solution: def length_of_longest_substring(self, s: str) -> int: idx = {} max_len = 0 left = 0 for right in range(len(s)): char = s[right] if char in idx: left = max(left, idx[char]) max_len = max(max_len, right - left + 1) idx[char] = right + 1 return max_len
# Party member and chosen four names CHOSEN_FOUR = ( 'NESS', 'PAULA', 'JEFF', 'POO', ) PARTY_MEMBERS = ( 'NESS', 'PAULA', 'JEFF', 'POO', 'POKEY', 'PICKY', 'KING', 'TONY', 'BUBBLE_MONKEY', 'DUNGEON_MAN', 'FLYING_MAN_1', 'FLYING_MAN_2', 'FLYING_MAN_3', 'FLYING_MAN_4', 'FLYING_MAN_5', 'TEDDY_BEAR', 'SUPER_PLUSH_BEAR', )
chosen_four = ('NESS', 'PAULA', 'JEFF', 'POO') party_members = ('NESS', 'PAULA', 'JEFF', 'POO', 'POKEY', 'PICKY', 'KING', 'TONY', 'BUBBLE_MONKEY', 'DUNGEON_MAN', 'FLYING_MAN_1', 'FLYING_MAN_2', 'FLYING_MAN_3', 'FLYING_MAN_4', 'FLYING_MAN_5', 'TEDDY_BEAR', 'SUPER_PLUSH_BEAR')
# -*- coding: utf-8 -*- def test_receiving_events(vim): vim.command('call rpcnotify(%d, "test-event", 1, 2, 3)' % vim.channel_id) event = vim.next_message() assert event[1] == 'test-event' assert event[2] == [1, 2, 3] vim.command('au FileType python call rpcnotify(%d, "py!", bufnr("$"))' % vim.channel_id) vim.command('set filetype=python') event = vim.next_message() assert event[1] == 'py!' assert event[2] == [vim.current.buffer.number] def test_sending_notify(vim): # notify after notify vim.command("let g:test = 3", async_=True) cmd = 'call rpcnotify(%d, "test-event", g:test)' % vim.channel_id vim.command(cmd, async_=True) event = vim.next_message() assert event[1] == 'test-event' assert event[2] == [3] # request after notify vim.command("let g:data = 'xyz'", async_=True) assert vim.eval('g:data') == 'xyz' def test_broadcast(vim): vim.subscribe('event2') vim.command('call rpcnotify(0, "event1", 1, 2, 3)') vim.command('call rpcnotify(0, "event2", 4, 5, 6)') vim.command('call rpcnotify(0, "event2", 7, 8, 9)') event = vim.next_message() assert event[1] == 'event2' assert event[2] == [4, 5, 6] event = vim.next_message() assert event[1] == 'event2' assert event[2] == [7, 8, 9] vim.unsubscribe('event2') vim.subscribe('event1') vim.command('call rpcnotify(0, "event2", 10, 11, 12)') vim.command('call rpcnotify(0, "event1", 13, 14, 15)') msg = vim.next_message() assert msg[1] == 'event1' assert msg[2] == [13, 14, 15]
def test_receiving_events(vim): vim.command('call rpcnotify(%d, "test-event", 1, 2, 3)' % vim.channel_id) event = vim.next_message() assert event[1] == 'test-event' assert event[2] == [1, 2, 3] vim.command('au FileType python call rpcnotify(%d, "py!", bufnr("$"))' % vim.channel_id) vim.command('set filetype=python') event = vim.next_message() assert event[1] == 'py!' assert event[2] == [vim.current.buffer.number] def test_sending_notify(vim): vim.command('let g:test = 3', async_=True) cmd = 'call rpcnotify(%d, "test-event", g:test)' % vim.channel_id vim.command(cmd, async_=True) event = vim.next_message() assert event[1] == 'test-event' assert event[2] == [3] vim.command("let g:data = 'xyz'", async_=True) assert vim.eval('g:data') == 'xyz' def test_broadcast(vim): vim.subscribe('event2') vim.command('call rpcnotify(0, "event1", 1, 2, 3)') vim.command('call rpcnotify(0, "event2", 4, 5, 6)') vim.command('call rpcnotify(0, "event2", 7, 8, 9)') event = vim.next_message() assert event[1] == 'event2' assert event[2] == [4, 5, 6] event = vim.next_message() assert event[1] == 'event2' assert event[2] == [7, 8, 9] vim.unsubscribe('event2') vim.subscribe('event1') vim.command('call rpcnotify(0, "event2", 10, 11, 12)') vim.command('call rpcnotify(0, "event1", 13, 14, 15)') msg = vim.next_message() assert msg[1] == 'event1' assert msg[2] == [13, 14, 15]
class TreeError: TYPE_ERROR = 'ERROR' TYPE_ANOMALY = 'ANOMALY' ON_INDI = 'INDIVIDUAL' ON_FAM = 'FAMILY' def __init__(self, err_type, err_on, err_us, err_on_id, err_msg): self.err_type = err_type self.err_on = err_on self.err_us = err_us self.err_on_id = err_on_id self.err_msg = err_msg def __str__(self): return f'{self.err_type}: {self.err_on}: {self.err_us}: {self.err_on_id}: {self.err_msg}'
class Treeerror: type_error = 'ERROR' type_anomaly = 'ANOMALY' on_indi = 'INDIVIDUAL' on_fam = 'FAMILY' def __init__(self, err_type, err_on, err_us, err_on_id, err_msg): self.err_type = err_type self.err_on = err_on self.err_us = err_us self.err_on_id = err_on_id self.err_msg = err_msg def __str__(self): return f'{self.err_type}: {self.err_on}: {self.err_us}: {self.err_on_id}: {self.err_msg}'
budget_header = 'Budget' forecast_total_header = 'Forecast outturn' variance_header = 'Variance -overspend/underspend' variance_percentage_header = 'Variance %' year_to_date_header = 'Year to Date Actuals' budget_spent_percentage_header = '% of budget spent to date' variance_outturn_header = "Forecast movement"
budget_header = 'Budget' forecast_total_header = 'Forecast outturn' variance_header = 'Variance -overspend/underspend' variance_percentage_header = 'Variance %' year_to_date_header = 'Year to Date Actuals' budget_spent_percentage_header = '% of budget spent to date' variance_outturn_header = 'Forecast movement'
def get_distance_matrix(orig, edited): # initialize the matrix orig_len = len(orig) + 1 edit_len = len(edited) + 1 distance_matrix = [[0] * edit_len for _ in range(orig_len)] for i in range(orig_len): distance_matrix[i][0] = i for j in range(edit_len): distance_matrix[0][j] = j # calculate the edit distances for i in range(1, orig_len): for j in range(1, edit_len): deletion = distance_matrix[i - 1][j] + 1 insertion = distance_matrix[i][j - 1] + 1 substitution = distance_matrix[i - 1][j - 1] if orig[i - 1] != edited[j - 1]: substitution += 1 distance_matrix[i][j] = min(insertion, deletion, substitution) return distance_matrix class Compare: def __init__(self, original, edited): self.original = original self.edited = edited self.distance_matrix = get_distance_matrix(original, edited) i = len(self.distance_matrix) - 1 j = len(self.distance_matrix[i]) - 1 self.edit_distance = self.distance_matrix[i][j] self.num_orig_elements = i def __repr__(self): edited_str = str(self.edited) original_str = str(self.original) if len(edited_str) > 10: edited_str = edited_str[10:] + " ..." if len(original_str) > 10: original_str = original_str[10:] + " ..." return "Compare({}, {})".format(edited_str, original_str) def set_alignment_strings(self): original = self.original edited = self.edited num_orig_elements = self.num_orig_elements i = num_orig_elements j = len(self.edited) # edit_distance = self.edit_distance distance_matrix = self.distance_matrix num_deletions = 0 num_insertions = 0 num_substitutions = 0 align_orig_elements = [] align_edited_elements = [] align_label_str = [] # start at the cell containing the edit distance and analyze the # matrix to figure out what is a deletion, insertion, or # substitution. while i or j: # if deletion if distance_matrix[i][j] == distance_matrix[i - 1][j] + 1: num_deletions += 1 align_orig_elements.append(original[i - 1]) align_edited_elements.append(" ") align_label_str.append('D') i -= 1 # if insertion elif distance_matrix[i][j] == distance_matrix[i][j - 1] + 1: num_insertions += 1 align_orig_elements.append(" ") align_edited_elements.append(edited[j - 1]) align_label_str.append('I') j -= 1 # if match or substitution else: orig_element = original[i - 1] edited_element = edited[j - 1] if orig_element != edited_element: num_substitutions += 1 label = 'S' else: label = ' ' align_orig_elements.append(orig_element) align_edited_elements.append(edited_element) align_label_str.append(label) i -= 1 j -= 1 align_orig_elements.reverse() align_edited_elements.reverse() align_label_str.reverse() self.align_orig_elements = align_orig_elements self.align_edited_elements = align_edited_elements self.align_label_str = align_label_str def show_changes(self): if not hasattr(self, 'align_orig_elements'): self.set_alignment_strings() assert (len(self.align_orig_elements) == len(self.align_edited_elements) == len(self.align_label_str)) assert len(self.align_label_str) == len(self.align_edited_elements) == len( self.align_orig_elements), "different number of elements" # for each word in line, determine whether there's a change and append with the according format print_string = '' for index in range(len(self.align_label_str)): if self.align_label_str[index] == ' ': print_string += self.align_edited_elements[index] + ' ' elif self.align_label_str[index] == 'S' or self.align_label_str[index] == 'I': element = self.align_edited_elements[index] print_string += changed(element) + ' ' else: # a deletion - need to print what was in the original that got deleted element = self.align_orig_elements[index] print_string += changed(element) return print_string def changed(plain_text): return "<CORRECTION>" + plain_text + "</CORRECTION>"
def get_distance_matrix(orig, edited): orig_len = len(orig) + 1 edit_len = len(edited) + 1 distance_matrix = [[0] * edit_len for _ in range(orig_len)] for i in range(orig_len): distance_matrix[i][0] = i for j in range(edit_len): distance_matrix[0][j] = j for i in range(1, orig_len): for j in range(1, edit_len): deletion = distance_matrix[i - 1][j] + 1 insertion = distance_matrix[i][j - 1] + 1 substitution = distance_matrix[i - 1][j - 1] if orig[i - 1] != edited[j - 1]: substitution += 1 distance_matrix[i][j] = min(insertion, deletion, substitution) return distance_matrix class Compare: def __init__(self, original, edited): self.original = original self.edited = edited self.distance_matrix = get_distance_matrix(original, edited) i = len(self.distance_matrix) - 1 j = len(self.distance_matrix[i]) - 1 self.edit_distance = self.distance_matrix[i][j] self.num_orig_elements = i def __repr__(self): edited_str = str(self.edited) original_str = str(self.original) if len(edited_str) > 10: edited_str = edited_str[10:] + ' ...' if len(original_str) > 10: original_str = original_str[10:] + ' ...' return 'Compare({}, {})'.format(edited_str, original_str) def set_alignment_strings(self): original = self.original edited = self.edited num_orig_elements = self.num_orig_elements i = num_orig_elements j = len(self.edited) distance_matrix = self.distance_matrix num_deletions = 0 num_insertions = 0 num_substitutions = 0 align_orig_elements = [] align_edited_elements = [] align_label_str = [] while i or j: if distance_matrix[i][j] == distance_matrix[i - 1][j] + 1: num_deletions += 1 align_orig_elements.append(original[i - 1]) align_edited_elements.append(' ') align_label_str.append('D') i -= 1 elif distance_matrix[i][j] == distance_matrix[i][j - 1] + 1: num_insertions += 1 align_orig_elements.append(' ') align_edited_elements.append(edited[j - 1]) align_label_str.append('I') j -= 1 else: orig_element = original[i - 1] edited_element = edited[j - 1] if orig_element != edited_element: num_substitutions += 1 label = 'S' else: label = ' ' align_orig_elements.append(orig_element) align_edited_elements.append(edited_element) align_label_str.append(label) i -= 1 j -= 1 align_orig_elements.reverse() align_edited_elements.reverse() align_label_str.reverse() self.align_orig_elements = align_orig_elements self.align_edited_elements = align_edited_elements self.align_label_str = align_label_str def show_changes(self): if not hasattr(self, 'align_orig_elements'): self.set_alignment_strings() assert len(self.align_orig_elements) == len(self.align_edited_elements) == len(self.align_label_str) assert len(self.align_label_str) == len(self.align_edited_elements) == len(self.align_orig_elements), 'different number of elements' print_string = '' for index in range(len(self.align_label_str)): if self.align_label_str[index] == ' ': print_string += self.align_edited_elements[index] + ' ' elif self.align_label_str[index] == 'S' or self.align_label_str[index] == 'I': element = self.align_edited_elements[index] print_string += changed(element) + ' ' else: element = self.align_orig_elements[index] print_string += changed(element) return print_string def changed(plain_text): return '<CORRECTION>' + plain_text + '</CORRECTION>'
plural_suffixes = { 'ches': 'ch', 'shes': 'sh', 'ies': 'y', 'ves': 'fe', 'oes': 'o', 'zes': 'z', 's': '' } plural_words = { 'pieces': 'piece', 'bunches': 'bunch', 'haunches': 'haunch', 'flasks': 'flask', 'veins': 'vein', 'bowls': 'bowl' }
plural_suffixes = {'ches': 'ch', 'shes': 'sh', 'ies': 'y', 'ves': 'fe', 'oes': 'o', 'zes': 'z', 's': ''} plural_words = {'pieces': 'piece', 'bunches': 'bunch', 'haunches': 'haunch', 'flasks': 'flask', 'veins': 'vein', 'bowls': 'bowl'}
def insert_space(msg, idx): msg = msg[:idx] + " " + msg[idx:] print(msg) return msg def reverse(msg, substring): if substring in msg: msg = msg.replace(substring, "", 1) msg += substring[::-1] print(msg) return msg else: print("error") return msg def change_all(msg, old_substring, new_substring): msg = msg.replace(old_substring, new_substring) print(msg) return msg concealed_msg = input() command = input() while not command == "Reveal": cmd = command.split(":|:") operation = cmd[0] if operation == "InsertSpace": curr_idx = int(cmd[1]) concealed_msg = insert_space(concealed_msg, curr_idx) elif operation == "Reverse": curr_substring = cmd[1] concealed_msg = reverse(concealed_msg, curr_substring) elif operation == "ChangeAll": curr_substring, replacement = cmd[1:] concealed_msg = change_all(concealed_msg, curr_substring, replacement) command = input() print(f"You have a new text message: {concealed_msg}")
def insert_space(msg, idx): msg = msg[:idx] + ' ' + msg[idx:] print(msg) return msg def reverse(msg, substring): if substring in msg: msg = msg.replace(substring, '', 1) msg += substring[::-1] print(msg) return msg else: print('error') return msg def change_all(msg, old_substring, new_substring): msg = msg.replace(old_substring, new_substring) print(msg) return msg concealed_msg = input() command = input() while not command == 'Reveal': cmd = command.split(':|:') operation = cmd[0] if operation == 'InsertSpace': curr_idx = int(cmd[1]) concealed_msg = insert_space(concealed_msg, curr_idx) elif operation == 'Reverse': curr_substring = cmd[1] concealed_msg = reverse(concealed_msg, curr_substring) elif operation == 'ChangeAll': (curr_substring, replacement) = cmd[1:] concealed_msg = change_all(concealed_msg, curr_substring, replacement) command = input() print(f'You have a new text message: {concealed_msg}')
class PokepayResponse(object): def __init__(self, response, response_body): self.body = response_body self.elapsed = response.elapsed self.status_code = response.status_code self.ok = response.ok self.headers = response.headers self.url = response.url def body(self): return self.body def elapsed(self): return self.elapsed def status_code(self): return self.status_code def ok(self): return self.ok def headers(self): return self.headers def url(self): return self.url
class Pokepayresponse(object): def __init__(self, response, response_body): self.body = response_body self.elapsed = response.elapsed self.status_code = response.status_code self.ok = response.ok self.headers = response.headers self.url = response.url def body(self): return self.body def elapsed(self): return self.elapsed def status_code(self): return self.status_code def ok(self): return self.ok def headers(self): return self.headers def url(self): return self.url
str1=input("enter first string:") str2=input("enter second string:") new_a = str2[:2] + str1[2:] new_b = str1[:2] + str2[2:] print("the new string after swapping first two charaters of both string:",(new_a+' ' +new_b))
str1 = input('enter first string:') str2 = input('enter second string:') new_a = str2[:2] + str1[2:] new_b = str1[:2] + str2[2:] print('the new string after swapping first two charaters of both string:', new_a + ' ' + new_b)
a = int(input()) b = int(input()) if a > b: print(1) elif a == b: print(0) else: print(2)
a = int(input()) b = int(input()) if a > b: print(1) elif a == b: print(0) else: print(2)
keys = ['a', 'b', 'c'] values = [1, 2, 3] hash = dict(list(zip(keys, values))) # Lazily, Python 2.3+, not 3.x: hash = dict(zip(keys, values))
keys = ['a', 'b', 'c'] values = [1, 2, 3] hash = dict(list(zip(keys, values))) hash = dict(zip(keys, values))
description = 'Refsans 4 analog 1 GPIO on Raspberry' group = 'optional' tango_base = 'tango://%s:10000/test/ads/' % setupname lowlevel = () devices = { '%s_ch1' % setupname : device('nicos.devices.entangle.Sensor', description = 'ADin0', tangodevice = tango_base + 'ch1', unit = 'V', fmtstr = '%.4f', visibility = lowlevel, ), '%s_ch2' % setupname : device('nicos.devices.entangle.Sensor', description = 'ADin1', tangodevice = tango_base + 'ch2', unit = 'V', fmtstr = '%.4f', visibility = lowlevel, ), '%s_ch3' % setupname : device('nicos.devices.entangle.Sensor', description = 'ADin2', tangodevice = tango_base + 'ch3', unit = 'V', fmtstr = '%.4f', visibility = lowlevel, ), '%s_ch4' % setupname : device('nicos.devices.entangle.Sensor', description = 'ADin3', tangodevice = tango_base + 'ch4', unit = 'V', fmtstr = '%.4f', visibility = lowlevel, ), }
description = 'Refsans 4 analog 1 GPIO on Raspberry' group = 'optional' tango_base = 'tango://%s:10000/test/ads/' % setupname lowlevel = () devices = {'%s_ch1' % setupname: device('nicos.devices.entangle.Sensor', description='ADin0', tangodevice=tango_base + 'ch1', unit='V', fmtstr='%.4f', visibility=lowlevel), '%s_ch2' % setupname: device('nicos.devices.entangle.Sensor', description='ADin1', tangodevice=tango_base + 'ch2', unit='V', fmtstr='%.4f', visibility=lowlevel), '%s_ch3' % setupname: device('nicos.devices.entangle.Sensor', description='ADin2', tangodevice=tango_base + 'ch3', unit='V', fmtstr='%.4f', visibility=lowlevel), '%s_ch4' % setupname: device('nicos.devices.entangle.Sensor', description='ADin3', tangodevice=tango_base + 'ch4', unit='V', fmtstr='%.4f', visibility=lowlevel)}
file = open('JacobiMatrix.java', 'w') for i in range(10): for j in range(10): file.write('jacobiMatrix.setEntry(' + str(i) + ', ' + str(j) + ', Allfunc.cg' + str(i) + str(j) + '(currentApprox));\n') file.close()
file = open('JacobiMatrix.java', 'w') for i in range(10): for j in range(10): file.write('jacobiMatrix.setEntry(' + str(i) + ', ' + str(j) + ', Allfunc.cg' + str(i) + str(j) + '(currentApprox));\n') file.close()
#!/usr/bin/python2 lst = [] with open('lst.txt', 'r') as f: lst = f.read().split('\n') i=1 for img in lst: if 'resized' in img: with open(img, 'r') as rd: with open("combined/%05d.%s.png" % (i, img.split('.')[1]), 'w') as wr: wr.write(rd.read()) i+=1
lst = [] with open('lst.txt', 'r') as f: lst = f.read().split('\n') i = 1 for img in lst: if 'resized' in img: with open(img, 'r') as rd: with open('combined/%05d.%s.png' % (i, img.split('.')[1]), 'w') as wr: wr.write(rd.read()) i += 1
class Task: def __init__(self): self.name = ""; self.active = False; def activate(self): pass def update(self, dt): pass def is_complete(self): pass def close(self): pass
class Task: def __init__(self): self.name = '' self.active = False def activate(self): pass def update(self, dt): pass def is_complete(self): pass def close(self): pass
''' define some function to use. ''' def bytes_to_int(bytes_string, order_type): ''' the bind of the int.from_bytes function. ''' return int.from_bytes(bytes_string, byteorder=order_type) def bits_to_int(bit_string): ''' the bind of int(string, 2) function. ''' return int(bit_string, 2)
""" define some function to use. """ def bytes_to_int(bytes_string, order_type): """ the bind of the int.from_bytes function. """ return int.from_bytes(bytes_string, byteorder=order_type) def bits_to_int(bit_string): """ the bind of int(string, 2) function. """ return int(bit_string, 2)
def _calc_product(series, start_idx, end_idx): product = 1 for digit in series[start_idx:end_idx + 1]: product *= int(digit) return product def largest_product_in_series(num_digits, series): largest_product = 0 for i in range(num_digits, len(series) + 1): product = _calc_product(series, max(0, i - num_digits), i - 1) largest_product = max(largest_product, product) return largest_product
def _calc_product(series, start_idx, end_idx): product = 1 for digit in series[start_idx:end_idx + 1]: product *= int(digit) return product def largest_product_in_series(num_digits, series): largest_product = 0 for i in range(num_digits, len(series) + 1): product = _calc_product(series, max(0, i - num_digits), i - 1) largest_product = max(largest_product, product) return largest_product
class Solution: def countOfAtoms(self, formula: str) -> str: formula = "(" + formula + ")" l = len(formula) def mmerge(dst, src, xs): for k, v in src.items(): t = dst.get(k, 0) dst[k] = v * xs + t def aux(st): nonlocal formula, l res = {} st += 1 while st < l and formula[st] != ')': if formula[st].isupper(): j = st + 1 while j < l and formula[j].islower(): j += 1 rp = j while j < l and formula[j].isdigit(): j += 1 x = 1 if j == rp else int(formula[rp: j]) x += res.get(formula[st: rp], 0) res[formula[st: rp]] = x st = j elif formula[st] == '(': endp, rres = aux(st) j = endp + 1 while j < l and formula[j].isdigit(): j += 1 xs = 1 if j == endp + 1 else int(formula[endp + 1: j]) mmerge(res, rres, xs) st = j return st, res _, ans = aux(0) lis = sorted(ans.keys()) aans = [] for s in lis: aans.append(s) t = ans[s] if t > 1: aans.append(str(t)) return "".join(aans)
class Solution: def count_of_atoms(self, formula: str) -> str: formula = '(' + formula + ')' l = len(formula) def mmerge(dst, src, xs): for (k, v) in src.items(): t = dst.get(k, 0) dst[k] = v * xs + t def aux(st): nonlocal formula, l res = {} st += 1 while st < l and formula[st] != ')': if formula[st].isupper(): j = st + 1 while j < l and formula[j].islower(): j += 1 rp = j while j < l and formula[j].isdigit(): j += 1 x = 1 if j == rp else int(formula[rp:j]) x += res.get(formula[st:rp], 0) res[formula[st:rp]] = x st = j elif formula[st] == '(': (endp, rres) = aux(st) j = endp + 1 while j < l and formula[j].isdigit(): j += 1 xs = 1 if j == endp + 1 else int(formula[endp + 1:j]) mmerge(res, rres, xs) st = j return (st, res) (_, ans) = aux(0) lis = sorted(ans.keys()) aans = [] for s in lis: aans.append(s) t = ans[s] if t > 1: aans.append(str(t)) return ''.join(aans)
#Program to be tested def boarding(seat_number): if seat_number >= 1 and seat_number <= 25: batch_no = 1 elif seat_number >= 26 and seat_number <= 100: batch_no = 2 elif seat_number >= 101 and seat_number <= 200: batch_no = 3 else: batch_no = -1 return batch_no
def boarding(seat_number): if seat_number >= 1 and seat_number <= 25: batch_no = 1 elif seat_number >= 26 and seat_number <= 100: batch_no = 2 elif seat_number >= 101 and seat_number <= 200: batch_no = 3 else: batch_no = -1 return batch_no
# PRE PROCESSING def symmetric_NaN_replacement(dataset): np_dataset = dataset.to_numpy() for col in range(0,(np_dataset.shape[1])): ss_idx = 0 for row in range(1,(dataset.shape[0]-1)): if (np.isnan(np_dataset[row,col]) and (~np.isnan(np_dataset[row-1,col]))): # if a NaN is found, and it is the first one in the range -> start of a window ss_idx = row if ((ss_idx != 0) and (~np.isnan(np_dataset[row+1,col]))): # end of the window has just be found es_idx = row # perform symmetric interpolation for i in range(0,es_idx-ss_idx+1): np_dataset[ss_idx+i,col] = np_dataset[ss_idx-i-1,col] ss_idx = 0 dataset = pd.DataFrame(np_dataset, columns = dataset.columns) return dataset # inspect_dataframe(dataset, dataset.columns) # original # Dealing with flat zones boolidx = np.ones(dataset['Sponginess'].shape[0]) dataset_np = [] for i, col in enumerate(dataset.columns): diff_null = (dataset[col][0:dataset[col].shape[0]].diff() == 0)*1 for j in range(0,dataset[col].shape[0]): if (diff_null[j] >= 1): diff_null[j] = diff_null[j-1]+1 boolidx = np.logical_and(boolidx, diff_null < 5) dataset[~boolidx] = np.NaN symmetric_NaN_replacement(dataset) #Dealing with Meme creativity mean removal THRESHOLD = 1.3 real_value_idx = np.ones(dataset.shape[0]) real_value_idx = np.logical_and(real_value_idx, dataset['Meme creativity'] > THRESHOLD) print(np.mean(dataset['Meme creativity'])) print(np.mean(dataset['Meme creativity'][~real_value_idx])) print(np.mean(dataset['Meme creativity'][real_value_idx])) dataset['Meme creativity'][~real_value_idx] = dataset['Meme creativity'][~real_value_idx] + np.mean(dataset['Meme creativity'][real_value_idx]) inspect_dataframe(dataset, dataset.columns) #pre processed
def symmetric__na_n_replacement(dataset): np_dataset = dataset.to_numpy() for col in range(0, np_dataset.shape[1]): ss_idx = 0 for row in range(1, dataset.shape[0] - 1): if np.isnan(np_dataset[row, col]) and ~np.isnan(np_dataset[row - 1, col]): ss_idx = row if ss_idx != 0 and ~np.isnan(np_dataset[row + 1, col]): es_idx = row for i in range(0, es_idx - ss_idx + 1): np_dataset[ss_idx + i, col] = np_dataset[ss_idx - i - 1, col] ss_idx = 0 dataset = pd.DataFrame(np_dataset, columns=dataset.columns) return dataset boolidx = np.ones(dataset['Sponginess'].shape[0]) dataset_np = [] for (i, col) in enumerate(dataset.columns): diff_null = (dataset[col][0:dataset[col].shape[0]].diff() == 0) * 1 for j in range(0, dataset[col].shape[0]): if diff_null[j] >= 1: diff_null[j] = diff_null[j - 1] + 1 boolidx = np.logical_and(boolidx, diff_null < 5) dataset[~boolidx] = np.NaN symmetric__na_n_replacement(dataset) threshold = 1.3 real_value_idx = np.ones(dataset.shape[0]) real_value_idx = np.logical_and(real_value_idx, dataset['Meme creativity'] > THRESHOLD) print(np.mean(dataset['Meme creativity'])) print(np.mean(dataset['Meme creativity'][~real_value_idx])) print(np.mean(dataset['Meme creativity'][real_value_idx])) dataset['Meme creativity'][~real_value_idx] = dataset['Meme creativity'][~real_value_idx] + np.mean(dataset['Meme creativity'][real_value_idx]) inspect_dataframe(dataset, dataset.columns)
name0_0_1_0_0_2_0 = None name0_0_1_0_0_2_1 = None name0_0_1_0_0_2_2 = None name0_0_1_0_0_2_3 = None name0_0_1_0_0_2_4 = None
name0_0_1_0_0_2_0 = None name0_0_1_0_0_2_1 = None name0_0_1_0_0_2_2 = None name0_0_1_0_0_2_3 = None name0_0_1_0_0_2_4 = None
# -*- coding: utf-8 -*- __title__ = 'pyginx' __version__ = '0.1.13.7.7' __description__ = '' __author__ = 'wrmsr' __author_email__ = 'timwilloney@gmail.com' __url__ = 'https://github.com/wrmsr/pyginx'
__title__ = 'pyginx' __version__ = '0.1.13.7.7' __description__ = '' __author__ = 'wrmsr' __author_email__ = 'timwilloney@gmail.com' __url__ = 'https://github.com/wrmsr/pyginx'
path = r'c:\users\raibows\desktop\emma.txt' file = open(path, 'r') s = file.readlines() file.close() r = [i.swapcase() for i in s] file = open(path, 'w') file.writelines(r) file.close()
path = 'c:\\users\\raibows\\desktop\\emma.txt' file = open(path, 'r') s = file.readlines() file.close() r = [i.swapcase() for i in s] file = open(path, 'w') file.writelines(r) file.close()
class Config(object): def __init__(self): # directories self.save_dir = '' self.log_dir = '' self.train_data_file = '' self.val_data_file = '' # input self.patch_size = [42, 42, 1] self.N = self.patch_size[0]*self.patch_size[1] # no. of layers self.pre_n_layers = 3 self.pregconv_n_layers = 1 self.hpf_n_layers = 3 self.lpf_n_layers = 3 self.prox_n_layers = 4 # no. of features self.Nfeat = 132 # must be multiple of 3 self.pre_Nfeat = self.Nfeat/3 self.pre_fnet_Nfeat = self.pre_Nfeat self.prox_fnet_Nfeat = self.Nfeat self.hpf_fnet_Nfeat = self.Nfeat # gconv params self.rank_theta = 11 self.stride = self.Nfeat/3 self.stride_pregconv = self.Nfeat/3 self.min_nn = 16 +8 # learning self.batch_size = 12 self.grad_accum = 1 self.N_iter = 400000 self.starter_learning_rate = 1e-4 self.end_learning_rate = 1e-5 self.decay_step = 1000 self.decay_rate = (self.end_learning_rate / self.starter_learning_rate)**(float(self.decay_step) / self.N_iter) self.Ngpus = 2 # debugging self.save_every_iter = 250 self.summaries_every_iter = 5 self.validate_every_iter = 100 self.test_every_iter = 250 # testing self.minisize = 49*3 # must be integer multiple of search window self.search_window = [49,49] self.searchN = self.search_window[0]*self.search_window[1] # noise std self.sigma = 25
class Config(object): def __init__(self): self.save_dir = '' self.log_dir = '' self.train_data_file = '' self.val_data_file = '' self.patch_size = [42, 42, 1] self.N = self.patch_size[0] * self.patch_size[1] self.pre_n_layers = 3 self.pregconv_n_layers = 1 self.hpf_n_layers = 3 self.lpf_n_layers = 3 self.prox_n_layers = 4 self.Nfeat = 132 self.pre_Nfeat = self.Nfeat / 3 self.pre_fnet_Nfeat = self.pre_Nfeat self.prox_fnet_Nfeat = self.Nfeat self.hpf_fnet_Nfeat = self.Nfeat self.rank_theta = 11 self.stride = self.Nfeat / 3 self.stride_pregconv = self.Nfeat / 3 self.min_nn = 16 + 8 self.batch_size = 12 self.grad_accum = 1 self.N_iter = 400000 self.starter_learning_rate = 0.0001 self.end_learning_rate = 1e-05 self.decay_step = 1000 self.decay_rate = (self.end_learning_rate / self.starter_learning_rate) ** (float(self.decay_step) / self.N_iter) self.Ngpus = 2 self.save_every_iter = 250 self.summaries_every_iter = 5 self.validate_every_iter = 100 self.test_every_iter = 250 self.minisize = 49 * 3 self.search_window = [49, 49] self.searchN = self.search_window[0] * self.search_window[1] self.sigma = 25
CAS_HEADERS = ('Host', 'Port', 'ID', 'Operator', 'NMEA', 'Country', 'Latitude', 'Longitude', 'FallbackHost', 'FallbackPort', 'Site', 'Other Details', 'Distance') NET_HEADERS = ('ID', 'Operator', 'Authentication', 'Fee', 'Web-Net', 'Web-Str', 'Web-Reg', 'Other Details', 'Distance') STR_HEADERS = ('Mountpoint', 'ID', 'Format', 'Format-Details', 'Carrier', 'Nav-System', 'Network', 'Country', 'Latitude', 'Longitude', 'NMEA', 'Solution', 'Generator', 'Compr-Encryp', 'Authentication', 'Fee', 'Bitrate', 'Other Details', 'Distance') PYCURL_COULD_NOT_RESOLVE_HOST_ERRNO = 6 PYCURL_CONNECTION_FAILED_ERRNO = 7 PYCURL_TIMEOUT_ERRNO = 28 PYCURL_HANDSHAKE_ERRNO = 35 MULTICURL_SELECT_TIMEOUT = 0.5
cas_headers = ('Host', 'Port', 'ID', 'Operator', 'NMEA', 'Country', 'Latitude', 'Longitude', 'FallbackHost', 'FallbackPort', 'Site', 'Other Details', 'Distance') net_headers = ('ID', 'Operator', 'Authentication', 'Fee', 'Web-Net', 'Web-Str', 'Web-Reg', 'Other Details', 'Distance') str_headers = ('Mountpoint', 'ID', 'Format', 'Format-Details', 'Carrier', 'Nav-System', 'Network', 'Country', 'Latitude', 'Longitude', 'NMEA', 'Solution', 'Generator', 'Compr-Encryp', 'Authentication', 'Fee', 'Bitrate', 'Other Details', 'Distance') pycurl_could_not_resolve_host_errno = 6 pycurl_connection_failed_errno = 7 pycurl_timeout_errno = 28 pycurl_handshake_errno = 35 multicurl_select_timeout = 0.5
__version__ = '0.1' supported_aln_types = ('blast', 'sam', 'xml') supported_db_types = ('nt', 'nr','cds', 'genome', 'none') consensus_aln_types = ('xml',)
__version__ = '0.1' supported_aln_types = ('blast', 'sam', 'xml') supported_db_types = ('nt', 'nr', 'cds', 'genome', 'none') consensus_aln_types = ('xml',)
def for_G(): for row in range(7): for col in range(5): if (col==0 and (row!=0 and row!=6)) or ((row==0 or row==6) and (col>0)) or (row==3 and col>1) or (row>3 and col==4): print("*",end=" ") else: print(end=" ") print() def while_G(): i=0 while i<7: j=0 while j<5: if (j==0 and (i!=0 and i!=6)) or ((i==0 or i==6) and (j>0)) or (i==3 and j>1) or (i>3 and j==4): print("*",end=" ") else: print(end=" ") j+=1 i+=1 print()
def for_g(): for row in range(7): for col in range(5): if col == 0 and (row != 0 and row != 6) or ((row == 0 or row == 6) and col > 0) or (row == 3 and col > 1) or (row > 3 and col == 4): print('*', end=' ') else: print(end=' ') print() def while_g(): i = 0 while i < 7: j = 0 while j < 5: if j == 0 and (i != 0 and i != 6) or ((i == 0 or i == 6) and j > 0) or (i == 3 and j > 1) or (i > 3 and j == 4): print('*', end=' ') else: print(end=' ') j += 1 i += 1 print()
def solution(A, K): # if length is equal to K nothing changes if K == len(A): return A # if all elements are the same, nothing change if all([item == A[0] for item in A]): return A N = len(A) _A = [0] * N for ind in range(N): transf_ind = ind + K _A[transf_ind - (transf_ind // N)*N] = A[ind] return _A
def solution(A, K): if K == len(A): return A if all([item == A[0] for item in A]): return A n = len(A) _a = [0] * N for ind in range(N): transf_ind = ind + K _A[transf_ind - transf_ind // N * N] = A[ind] return _A
# *################### # * SYMBOL TABLE # *################### class SymbolTable: def __init__(self, parent=None): self.symbols = {} self.parent = parent def get(self, name): value = self.symbols.get(name, None) if value is None and self.parent: return self.parent.get(name) return value def set(self, name, value): self.symbols[name] = value def remove(self, name): del self.symbols[name]
class Symboltable: def __init__(self, parent=None): self.symbols = {} self.parent = parent def get(self, name): value = self.symbols.get(name, None) if value is None and self.parent: return self.parent.get(name) return value def set(self, name, value): self.symbols[name] = value def remove(self, name): del self.symbols[name]
#!/usr/bin/env python3 try: print('If you provide a legal file name, this program will output the last two lines of the song to that file...') print('\nMary had a little lamb,') answersnow = input('With fleece as white as (enter your file name): ') answersnowobj = open(answersnow, 'w') except: print('Error with that file name!') else: print('and every where that mary went', file=answersnowobj) print('The lamb was sure to go', file=answersnowobj) answersnowobj.close() finally: print('Thanks for playing!') quit()
try: print('If you provide a legal file name, this program will output the last two lines of the song to that file...') print('\nMary had a little lamb,') answersnow = input('With fleece as white as (enter your file name): ') answersnowobj = open(answersnow, 'w') except: print('Error with that file name!') else: print('and every where that mary went', file=answersnowobj) print('The lamb was sure to go', file=answersnowobj) answersnowobj.close() finally: print('Thanks for playing!') quit()
def solve_knapsack(profits, weights, capacity): # basic checks n = len(profits) if capacity <= 0 or n == 0 or len(weights) != n: return 0 dp = [0 for x in range(capacity + 1)] # <<<<<<<<<< # if we have only one weight, we will take it if it is not more than the capacity for c in range(0, capacity + 1): if weights[0] <= c: dp[c] = profits[0] # process all sub-arrays for all the capacities for i in range(1, n): for c in range(capacity, -1, -1): # <<<<<<<< profit_by_including, profit_by_excluding = 0, 0 if weights[i] <= c: # include the item, if it is not more than the capacity profit_by_including = profits[i] + dp[c - weights[i]] profit_by_excluding = dp[c] # exclude the item dp[c] = max(profit_by_including, profit_by_excluding) # take maximum return dp[capacity] if __name__ == '__main__': print("Total knapsack profit: ", str(solve_knapsack([1, 6, 10, 16], [1, 2, 3, 5], 7))) print("Total knapsack profit: ", str(solve_knapsack([1, 6, 10, 16], [1, 2, 3, 5], 6)))
def solve_knapsack(profits, weights, capacity): n = len(profits) if capacity <= 0 or n == 0 or len(weights) != n: return 0 dp = [0 for x in range(capacity + 1)] for c in range(0, capacity + 1): if weights[0] <= c: dp[c] = profits[0] for i in range(1, n): for c in range(capacity, -1, -1): (profit_by_including, profit_by_excluding) = (0, 0) if weights[i] <= c: profit_by_including = profits[i] + dp[c - weights[i]] profit_by_excluding = dp[c] dp[c] = max(profit_by_including, profit_by_excluding) return dp[capacity] if __name__ == '__main__': print('Total knapsack profit: ', str(solve_knapsack([1, 6, 10, 16], [1, 2, 3, 5], 7))) print('Total knapsack profit: ', str(solve_knapsack([1, 6, 10, 16], [1, 2, 3, 5], 6)))
input1 = input("Insira a palavra #1") input2 = input("Insira a palavra #2") input3 = input("Insira a palavra #3") input3 = input3.upper().replace('A', '').replace('E', '').replace('I', '').replace('O', '').replace('U', '') print(input1.upper()) print(input2.lower()) print(input3)
input1 = input('Insira a palavra #1') input2 = input('Insira a palavra #2') input3 = input('Insira a palavra #3') input3 = input3.upper().replace('A', '').replace('E', '').replace('I', '').replace('O', '').replace('U', '') print(input1.upper()) print(input2.lower()) print(input3)
# Define a simple function that prints x def f(x): x += 1 print(x) # Set y y = 10 # Call the function f(y) # Print y to see if it changed print(y)
def f(x): x += 1 print(x) y = 10 f(y) print(y)
# # @lc app=leetcode id=922 lang=python3 # # [922] Sort Array By Parity II # # @lc code=start class Solution: def sortArrayByParityII(self, a: List[int]) -> List[int]: i = 0 # pointer for even misplaced j = 1 # pointer for odd misplaced sz = len(a) # invariant: for every misplaced odd there is misplaced even # since there is just enough space for odds and evens while i < sz and j < sz: if a[i] % 2 == 0: i += 2 elif a[j] % 2 == 1: j += 2 else: # a[i] % 2 == 1 AND a[j] % 2 == 0 a[i],a[j] = a[j],a[i] i += 2 j += 2 return a # @lc code=end
class Solution: def sort_array_by_parity_ii(self, a: List[int]) -> List[int]: i = 0 j = 1 sz = len(a) while i < sz and j < sz: if a[i] % 2 == 0: i += 2 elif a[j] % 2 == 1: j += 2 else: (a[i], a[j]) = (a[j], a[i]) i += 2 j += 2 return a
class StringUtil: @staticmethod def is_empty(string): if string is None or string.strip() == "": return True else: return False @staticmethod def is_not_empty(string): return not StringUtil.is_empty(string)
class Stringutil: @staticmethod def is_empty(string): if string is None or string.strip() == '': return True else: return False @staticmethod def is_not_empty(string): return not StringUtil.is_empty(string)
#!python3 #encoding:utf-8 class Json2Sqlite(object): def __init__(self): pass def BoolToInt(self, bool_value): if True == bool_value: return 1 else: return 0 def IntToBool(self, int_value): if 0 == int_value: return False else: return True def ArrayToString(self, array): if None is array or 0 == len(array): return None ret = "" for v in array: ret += v + ',' print(ret) print(ret[:-1]) return ret[:-1] def StringToArray(self, string): if None is string or 0 == len(string): return None array = [] for item in string.sprit(','): if 0 < len(item): array.append(item) return array
class Json2Sqlite(object): def __init__(self): pass def bool_to_int(self, bool_value): if True == bool_value: return 1 else: return 0 def int_to_bool(self, int_value): if 0 == int_value: return False else: return True def array_to_string(self, array): if None is array or 0 == len(array): return None ret = '' for v in array: ret += v + ',' print(ret) print(ret[:-1]) return ret[:-1] def string_to_array(self, string): if None is string or 0 == len(string): return None array = [] for item in string.sprit(','): if 0 < len(item): array.append(item) return array
INPUT = { "google": { "id_token": "" }, "github": { "code": "", "state": "" } }
input = {'google': {'id_token': ''}, 'github': {'code': '', 'state': ''}}
base=10 height=5 area=1/2*(base*height) print("Area of our triangle is : ", area) file = open("/Users/lipingzhang/Desktop/program/pycharm/seq2seq/MNIST_data/0622_train_features.csv","r") lines = [] with file as myFile: for line in file: feat = [] line = line.split(',') for i in range(0, len(line)): feat.append(float(line[i])) lines.append(feat.tolist())
base = 10 height = 5 area = 1 / 2 * (base * height) print('Area of our triangle is : ', area) file = open('/Users/lipingzhang/Desktop/program/pycharm/seq2seq/MNIST_data/0622_train_features.csv', 'r') lines = [] with file as my_file: for line in file: feat = [] line = line.split(',') for i in range(0, len(line)): feat.append(float(line[i])) lines.append(feat.tolist())
def main(): A=input("Enter the string") A1=A[0:2:1] A2=A[-2::1] print(A1) print(A2) A3=(A1+A2) print("The new string is " ,A3) if(__name__== '__main__'): main()
def main(): a = input('Enter the string') a1 = A[0:2:1] a2 = A[-2::1] print(A1) print(A2) a3 = A1 + A2 print('The new string is ', A3) if __name__ == '__main__': main()
''' Kattis - memorymatch Consider the 2 different corner cases and the rest is not too hard. Time: O(num_opens), Space: O(n) ''' n = int(input()) num_opens = int(input()) cards = {} turned_off = set() for i in range(num_opens): x, y, cx, cy = input().split() x, y = int(x), int(y) if not cx in cards: cards[cx] = set() if not cy in cards: cards[cy] = set() cards[cx].add(x) cards[cy].add(y) if cx == cy: turned_off.add(x) turned_off.add(y) # Corner case where u know at least 1 of every type of card if len(cards) == n//2: min_length = min(len(cards[c]) for c in cards) if min_length >= 1: print(n//2 - len(turned_off)//2) exit() ans = 0 for x in cards: if len(cards[x]) == 2: for e in cards[x]: if e in turned_off: break else: ans += 1 if ans + len(turned_off)//2 == n//2 - 1: print(ans + 1) # Corner case where u have n-1 pairs already exit() print(ans)
""" Kattis - memorymatch Consider the 2 different corner cases and the rest is not too hard. Time: O(num_opens), Space: O(n) """ n = int(input()) num_opens = int(input()) cards = {} turned_off = set() for i in range(num_opens): (x, y, cx, cy) = input().split() (x, y) = (int(x), int(y)) if not cx in cards: cards[cx] = set() if not cy in cards: cards[cy] = set() cards[cx].add(x) cards[cy].add(y) if cx == cy: turned_off.add(x) turned_off.add(y) if len(cards) == n // 2: min_length = min((len(cards[c]) for c in cards)) if min_length >= 1: print(n // 2 - len(turned_off) // 2) exit() ans = 0 for x in cards: if len(cards[x]) == 2: for e in cards[x]: if e in turned_off: break else: ans += 1 if ans + len(turned_off) // 2 == n // 2 - 1: print(ans + 1) exit() print(ans)
# Copyright 2020 Tensorforce Team. 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. # ============================================================================== class TensorforceConfig(object): # modify dtype mappings def __init__( self, *, buffer_observe=False, create_debug_assertions=False, create_tf_assertions=True, device='CPU', eager_mode=False, enable_int_action_masking=True, name='agent', seed=None, tf_log_level=40 ): assert buffer_observe is False or buffer_observe == 'episode' or \ isinstance(buffer_observe, int) and buffer_observe >= 1 if buffer_observe is False: buffer_observe = 1 super().__setattr__('buffer_observe', buffer_observe) assert isinstance(create_debug_assertions, bool) super().__setattr__('create_debug_assertions', create_debug_assertions) assert isinstance(create_tf_assertions, bool) super().__setattr__('create_tf_assertions', create_tf_assertions) assert isinstance(eager_mode, bool) super().__setattr__('eager_mode', eager_mode) assert isinstance(enable_int_action_masking, bool) super().__setattr__('enable_int_action_masking', enable_int_action_masking) assert device is None or isinstance(device, str) # more specific? super().__setattr__('device', device) assert isinstance(name, str) super().__setattr__('name', name) assert seed is None or isinstance(seed, int) super().__setattr__('seed', seed) assert isinstance(tf_log_level, int) and tf_log_level >= 0 super().__setattr__('tf_log_level', tf_log_level) def __setattr__(self, name, value): raise NotImplementedError def __delattr__(self, name): raise NotImplementedError
class Tensorforceconfig(object): def __init__(self, *, buffer_observe=False, create_debug_assertions=False, create_tf_assertions=True, device='CPU', eager_mode=False, enable_int_action_masking=True, name='agent', seed=None, tf_log_level=40): assert buffer_observe is False or buffer_observe == 'episode' or (isinstance(buffer_observe, int) and buffer_observe >= 1) if buffer_observe is False: buffer_observe = 1 super().__setattr__('buffer_observe', buffer_observe) assert isinstance(create_debug_assertions, bool) super().__setattr__('create_debug_assertions', create_debug_assertions) assert isinstance(create_tf_assertions, bool) super().__setattr__('create_tf_assertions', create_tf_assertions) assert isinstance(eager_mode, bool) super().__setattr__('eager_mode', eager_mode) assert isinstance(enable_int_action_masking, bool) super().__setattr__('enable_int_action_masking', enable_int_action_masking) assert device is None or isinstance(device, str) super().__setattr__('device', device) assert isinstance(name, str) super().__setattr__('name', name) assert seed is None or isinstance(seed, int) super().__setattr__('seed', seed) assert isinstance(tf_log_level, int) and tf_log_level >= 0 super().__setattr__('tf_log_level', tf_log_level) def __setattr__(self, name, value): raise NotImplementedError def __delattr__(self, name): raise NotImplementedError
# 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)
# 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)
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.']
# 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))
__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)
''' 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
# -*- 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
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'}]}
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}')
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)
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
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))
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)
# # @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)
# 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