content
stringlengths
7
1.05M
fixed_cases
stringlengths
1
1.28M
"Twilio backend for the RapidSMS project." __version__ = '1.0.1'
"""Twilio backend for the RapidSMS project.""" __version__ = '1.0.1'
class Trie(object): '''The main Trie object.''' def __init__(self, words): '''Takes the text given and creates a Trie.''' self.root = Node(None, '') self.words = words self.build(words) def build(self, text): '''Encapsulates all of the preprocessing build logic.''' for word_index, word in enumerate(self.words): node = self.root for i in xrange(0, len(word)): if word[i] not in node.successors: node.add(word[i]) node = node.successors[word[i]] node.word = self.words[word_index] def check_exists(self, word): '''In the Trie, check if a given word exists.''' node = self.root for i in xrange(0, len(word)): if word[i] not in node.successors: return False node = node.next(word[i]) return True def add(self, word): '''Add a word to the Trie.''' self.words.append(word) node = self.root for i in xrange(0, len(word)): if word[i] not in node.successors: node.add(word[i]) node = node.next(word[i]) node.word = self.words[-1] class Node(object): '''The nodes, which are characters in the english alphabet, [A-Za-z].''' def __init__(self, predecessor, char): '''Initialize node. Need its predecessor and the char it represents.''' self.char = char self.word = None self.predecessor = predecessor self.successors = dict() def add(self, char): '''Add a char to a node. If it's already there, it doesn't bother.''' if char in self.successors: return self.successors[char] = Node(self, char) def next(self, char): return self.successors.get(char, None)
class Trie(object): """The main Trie object.""" def __init__(self, words): """Takes the text given and creates a Trie.""" self.root = node(None, '') self.words = words self.build(words) def build(self, text): """Encapsulates all of the preprocessing build logic.""" for (word_index, word) in enumerate(self.words): node = self.root for i in xrange(0, len(word)): if word[i] not in node.successors: node.add(word[i]) node = node.successors[word[i]] node.word = self.words[word_index] def check_exists(self, word): """In the Trie, check if a given word exists.""" node = self.root for i in xrange(0, len(word)): if word[i] not in node.successors: return False node = node.next(word[i]) return True def add(self, word): """Add a word to the Trie.""" self.words.append(word) node = self.root for i in xrange(0, len(word)): if word[i] not in node.successors: node.add(word[i]) node = node.next(word[i]) node.word = self.words[-1] class Node(object): """The nodes, which are characters in the english alphabet, [A-Za-z].""" def __init__(self, predecessor, char): """Initialize node. Need its predecessor and the char it represents.""" self.char = char self.word = None self.predecessor = predecessor self.successors = dict() def add(self, char): """Add a char to a node. If it's already there, it doesn't bother.""" if char in self.successors: return self.successors[char] = node(self, char) def next(self, char): return self.successors.get(char, None)
a,b=map(int,input().split()) c,d=map(int,input().split()) e,f=map(int,input().split()) if (a-c)*(d-f)==(b-d)*(c-e): print('WHERE IS MY CHICKEN?') else: print('WINNER WINNER CHICKEN DINNER!')
(a, b) = map(int, input().split()) (c, d) = map(int, input().split()) (e, f) = map(int, input().split()) if (a - c) * (d - f) == (b - d) * (c - e): print('WHERE IS MY CHICKEN?') else: print('WINNER WINNER CHICKEN DINNER!')
def info(): name = input("Enter Your Name : ") fname = input("Enter Your Father Name : ") mname = input("Enter Your Mother Name : ") while True: try: age = int(input("\033[0m Enter your age: ")) break except Exception as e: print("\033[31m invalid age\nplease try again ") continue if age >18: x = len(fname) y = x // 2 print ("Your father middle character: ", fname[y]) print ("Your Mother middle character: ", mname[y]) else: fx = fname [-1] mx = mname [-1] print ("You are not 18") print ("Your father last character: ", fx) print ("Your Mother last character: ", mx) rep = input('\n[+] press restart for restart......') info() info()
def info(): name = input('Enter Your Name : ') fname = input('Enter Your Father Name : ') mname = input('Enter Your Mother Name : ') while True: try: age = int(input('\x1b[0m Enter your age: ')) break except Exception as e: print('\x1b[31m invalid age\nplease try again ') continue if age > 18: x = len(fname) y = x // 2 print('Your father middle character: ', fname[y]) print('Your Mother middle character: ', mname[y]) else: fx = fname[-1] mx = mname[-1] print('You are not 18') print('Your father last character: ', fx) print('Your Mother last character: ', mx) rep = input('\n[+] press restart for restart......') info() info()
# Personal Greeter # Demonstrates getting user input name = input("Hi. What's your name? ") print(name) print("Hi,", name) input("\n\nPress the enter key to exit.")
name = input("Hi. What's your name? ") print(name) print('Hi,', name) input('\n\nPress the enter key to exit.')
def plusOne(arr): result = int("".join([str(each) for each in arr])) + 1 result = str(result) return list(result) # if want = result[-1] = digits[-1] + 1: # l = digits[-1] # digits.pop() # l = l + 1 # digits.append(l) # return digits if __name__ == "__main__": arr = [1, 2, 4, 5, 6] print(plusOne(arr))
def plus_one(arr): result = int(''.join([str(each) for each in arr])) + 1 result = str(result) return list(result) if __name__ == '__main__': arr = [1, 2, 4, 5, 6] print(plus_one(arr))
def approve_new_user(sender, instance, created, *args, **kwarg): if created: instance.is_staff = True instance.is_superuser = True instance.save()
def approve_new_user(sender, instance, created, *args, **kwarg): if created: instance.is_staff = True instance.is_superuser = True instance.save()
def pylist_to_listnode(self, pylist, link_count): if len(pylist) > 1: ret = precompiled.listnode.ListNode(pylist.pop()) ret.next = self.pylist_to_listnode(pylist, link_count) return ret else: return precompiled.listnode.ListNode(pylist.pop(), None) def XXX(self, l1: ListNode, l2: ListNode) -> ListNode: out = [] L1 = self.listnode_to_pylist(l1) L2 = self.listnode_to_pylist(l2) if len(L2)>len(L1): m1 = L2 m2 = L1 else: m1 = L1 m2 = L2 up = 0 for i in range(len(m2)): if m1[i]+m2[i]+up<=9: out.append(m1[i]+m2[i]+up) up = 0 else: out.append(m1[i]+m2[i]+up-10) up = 1 if up==1: if len(m1)==len(m2): out.append(1) else: if sum(m1[len(m2):])==(len(m1)-len(m2))*9: m1[len(m2):] = [0]*(len(m1)-len(m2)) m1.append(1) else: for i in range(len(m2),len(m1)): if m1[i]+1<=9: m1[i]+=1 break else: m1[i] = 0 for i in range(len(m2),len(m1)): out.append(m1[i]) else: for i in range(len(m2),len(m1)): out.append(m1[i]) return self.pylist_to_listnode(out[::-1], len(out))
def pylist_to_listnode(self, pylist, link_count): if len(pylist) > 1: ret = precompiled.listnode.ListNode(pylist.pop()) ret.next = self.pylist_to_listnode(pylist, link_count) return ret else: return precompiled.listnode.ListNode(pylist.pop(), None) def xxx(self, l1: ListNode, l2: ListNode) -> ListNode: out = [] l1 = self.listnode_to_pylist(l1) l2 = self.listnode_to_pylist(l2) if len(L2) > len(L1): m1 = L2 m2 = L1 else: m1 = L1 m2 = L2 up = 0 for i in range(len(m2)): if m1[i] + m2[i] + up <= 9: out.append(m1[i] + m2[i] + up) up = 0 else: out.append(m1[i] + m2[i] + up - 10) up = 1 if up == 1: if len(m1) == len(m2): out.append(1) else: if sum(m1[len(m2):]) == (len(m1) - len(m2)) * 9: m1[len(m2):] = [0] * (len(m1) - len(m2)) m1.append(1) else: for i in range(len(m2), len(m1)): if m1[i] + 1 <= 9: m1[i] += 1 break else: m1[i] = 0 for i in range(len(m2), len(m1)): out.append(m1[i]) else: for i in range(len(m2), len(m1)): out.append(m1[i]) return self.pylist_to_listnode(out[::-1], len(out))
def fill_tile(n): if n == 0 or n == 1 or n == 2: return 1 return fill_tile(n-1) + fill_tile(n-2) + fill_tile(n-3) print(fill_tile(8))
def fill_tile(n): if n == 0 or n == 1 or n == 2: return 1 return fill_tile(n - 1) + fill_tile(n - 2) + fill_tile(n - 3) print(fill_tile(8))
#Following are the operators supported # + Addition # - Subration # * Multiplication # / Division # % Modulus # // Integer Division # ** Exponential # #If any of operand is float the result is float print(3+2) #prints 5 print(3-2) #prints 1 print(3*2) #prints 6 print(2.5+2) #Prints 4.5 (float) #In division result is always float irrespective of Operand print(10/2) #Prints 5.0 #In Modulus if both the operands are Integer the result is Integer and If one operand is float the result is float print(5%2) #Prints 1 print(14.75%4) #prints 2.75 #In Exponential if both the operands are Integer the result is Integer and If one operand is float the result is float print(3.5**2) #Prints 12.25 print(3**3) #Prints 27 #Integer division is also called as floor division. First performs the normal division and then applies floor() to result print(10.5//2) #Prints 5.0 print(-5//2) #Prints -3 #Arithmetic Operations on Strings print('2'+'3') #Prints 23 print('abc'+str(2+3)) #Prints abc5 print(3*'Hello') #Prints HelloHelloHello print(3*True) #Prints 3 (True converted to 1) #Arithmetic Operations on Complex Numbers e = 2+3j f = 4-6j print(e+f) #Prints (6-3j) print(e*f) #Prints (26+0j) print(e-f) #Prints (-2+9j)
print(3 + 2) print(3 - 2) print(3 * 2) print(2.5 + 2) print(10 / 2) print(5 % 2) print(14.75 % 4) print(3.5 ** 2) print(3 ** 3) print(10.5 // 2) print(-5 // 2) print('2' + '3') print('abc' + str(2 + 3)) print(3 * 'Hello') print(3 * True) e = 2 + 3j f = 4 - 6j print(e + f) print(e * f) print(e - f)
num = 0 total = 0 while True: number = input("Enter a number: ") if number == "done": break try: numb = float(number) except: print("invalid input") continue num = num + 1 total = total + numb print(int(total), num, total/num)
num = 0 total = 0 while True: number = input('Enter a number: ') if number == 'done': break try: numb = float(number) except: print('invalid input') continue num = num + 1 total = total + numb print(int(total), num, total / num)
child_network_params = { "learning_rate": 3e-5, "max_epochs": 100, "beta": 1e-3, "batch_size": 20 } controller_params = { "max_layers": 3, "components_per_layer": 4, 'beta': 1e-4, 'max_episodes': 2000, "num_children_per_episode": 10 }
child_network_params = {'learning_rate': 3e-05, 'max_epochs': 100, 'beta': 0.001, 'batch_size': 20} controller_params = {'max_layers': 3, 'components_per_layer': 4, 'beta': 0.0001, 'max_episodes': 2000, 'num_children_per_episode': 10}
# WAP that takes some text and returns a list of all characters # in the text which are not vowels, sorted in alphabetical order. # You can either enter the text from the keyboard or # initialize a string variable with the string # soln get the set and subtract the set from the vowels set # text = set(input().lower()) for i in set(input().upper()) - frozenset('AEIOU'): print(i)
for i in set(input().upper()) - frozenset('AEIOU'): print(i)
SEED = 1 TOPIC_POKEMONS = 'pokemons' TOPIC_USERS = 'users' GROUP_DASHBOARD = 'dashboard' GROUP_LOGIN_CHECKER = 'checker' DATA = 'data/pokemon.csv' COORDINATES = { 'GAUSS_LAT_MADRID': {'mu': 40.45, 'sigma': 0.2}, 'GAUSS_LON_MADRID': {'mu': -3.60, 'sigma': 0.4}, 'GAUSS_LAT_SEGOVIA': {'mu': 40.95, 'sigma': 0.1}, 'GAUSS_LON_SEGOVIA': {'mu': -4.12, 'sigma': 0.2} } MEAN_INTERVAL = 3 MEAN_LOGIN = 5 NUM_USERS = 5
seed = 1 topic_pokemons = 'pokemons' topic_users = 'users' group_dashboard = 'dashboard' group_login_checker = 'checker' data = 'data/pokemon.csv' coordinates = {'GAUSS_LAT_MADRID': {'mu': 40.45, 'sigma': 0.2}, 'GAUSS_LON_MADRID': {'mu': -3.6, 'sigma': 0.4}, 'GAUSS_LAT_SEGOVIA': {'mu': 40.95, 'sigma': 0.1}, 'GAUSS_LON_SEGOVIA': {'mu': -4.12, 'sigma': 0.2}} mean_interval = 3 mean_login = 5 num_users = 5
def factorial(n): if n == 1: return n else: return n*factorial(n-1) number = int(input("Enter a number: ")) if number < 0: print("Sorry, factorial does not exist for negative numbers") elif number == 0: print("The factorial of 0 is 1") else: print("The factorial of",number,"is",factorial(number))
def factorial(n): if n == 1: return n else: return n * factorial(n - 1) number = int(input('Enter a number: ')) if number < 0: print('Sorry, factorial does not exist for negative numbers') elif number == 0: print('The factorial of 0 is 1') else: print('The factorial of', number, 'is', factorial(number))
# AUTOGENERATED BY NBDEV! DO NOT EDIT! __all__ = ["index", "modules", "custom_doc_links", "git_url"] index = {"nothing_here": "00_core.ipynb", "expand_hyphen": "notation.ipynb", "del_dot": "notation.ipynb", "del_zero": "notation.ipynb", "get_unique": "notation.ipynb", "expand_star": "notation.ipynb", "expand_colon": "notation.ipynb", "expand_regex": "notation.ipynb", "expand_code": "notation.ipynb", "get_rows": "query.ipynb"} modules = ["core.py", "charlson.py", "notation.py", "query.py"] doc_url = "https://hmelberg.github.io/pinga/" git_url = "https://github.com/hmelberg/pinga/tree/master/" def custom_doc_links(name): return None
__all__ = ['index', 'modules', 'custom_doc_links', 'git_url'] index = {'nothing_here': '00_core.ipynb', 'expand_hyphen': 'notation.ipynb', 'del_dot': 'notation.ipynb', 'del_zero': 'notation.ipynb', 'get_unique': 'notation.ipynb', 'expand_star': 'notation.ipynb', 'expand_colon': 'notation.ipynb', 'expand_regex': 'notation.ipynb', 'expand_code': 'notation.ipynb', 'get_rows': 'query.ipynb'} modules = ['core.py', 'charlson.py', 'notation.py', 'query.py'] doc_url = 'https://hmelberg.github.io/pinga/' git_url = 'https://github.com/hmelberg/pinga/tree/master/' def custom_doc_links(name): return None
def cumulative(list_of_numbers): cumulative_sum = 0 new_list = [] for i in list_of_numbers: cumulative_sum += i new_list.append(cumulative_sum) return new_list list = [1,2,3,4,5,6,7,8,9] print(cumulative(list))
def cumulative(list_of_numbers): cumulative_sum = 0 new_list = [] for i in list_of_numbers: cumulative_sum += i new_list.append(cumulative_sum) return new_list list = [1, 2, 3, 4, 5, 6, 7, 8, 9] print(cumulative(list))
PACKAGES = { "ctypes": ["0.17.1", ["ctypes.foreign"]], "ctypes-foreign": ["0.4.0"], # WARNING: requires libffi-dev } opam = struct( version = "2.0", switches = { "mina-0.1.0": struct( default = True, compiler = "4.07.1", packages = PACKAGES ), "4.07.1": struct( compiler = "4.07.1", packages = PACKAGES ) } )
packages = {'ctypes': ['0.17.1', ['ctypes.foreign']], 'ctypes-foreign': ['0.4.0']} opam = struct(version='2.0', switches={'mina-0.1.0': struct(default=True, compiler='4.07.1', packages=PACKAGES), '4.07.1': struct(compiler='4.07.1', packages=PACKAGES)})
labels={} def lex(filecontents): filecontents=list(filecontents) tokens=[] #Implementations left# #Stack keywords #Rotate #16 bit operations #JUMP operations keywords=["STA","MVI","MOV","LDA","ADD","ADC","ADI","ACI","SUB","SUI","SBB","SBI","INR","DCR","CMP", "CPI","ANA","ANI","XRA","XRI","ORA","ORI","JMP","JNZ","JZ","JC","JNC"] next_state={"STA":1,"MVI":5,"MOV":2,"LDA":1,"ADD":2,"ADC":2,"ADI":3,"ACI":3,"SUB":2,"SUI":3,"SBB":2, "SBI":3,"INR":2,"DCR":2,"CMP":2,"CPI":3,"ANA":2,"ANI":3,"XRA":2,"XRI":3,"ORA":2,"ORI":3,"JMP":6,"JNZ":6,"JZ":6,"JC":6,"JNC":6} ### Token codes used : ### # ADR: String # VL8: 8-bit Data # REG: Register tok="" string="" state=0 d8="" lab="" ### State descriptions ### # state = 0; Keywords and variables # state = 1; String Address datatype # state = 2: String register name # state = 3: String 8-bit data # state = 4: String 16-bit data # state = 5: Exceptional state # state = 6: Label for c in filecontents: tok=tok+c if(tok in (" ",",")): tok="" elif(c==":"): tok=tok[:-1] tokens.append("LAB:"+tok) labels[tok]=len(tokens) tok="" state=0 elif (tok=="\n"): if(state==1): tokens.append("ADR:"+string) string="" elif(state==3): tokens.append("VL8:"+d8) d8="" elif(state==6): tokens.append("LAB:"+lab) lab="" tok="" state=0 elif(tok.isdigit() and state in (1,2)): if(state==2): state=3 d8+=c tok="" if(state==1): string+=c elif(tok in keywords): tokens.append(tok) state=next_state[tok] tok="" elif(tok=="HLT"): #print(tokens) return tokens elif (state==1): string+=c tok="" elif (state==2): tokens.append("REG:"+tok) tok="" elif(state==3): d8+=tok tok="" elif(state==5): tokens.append("REG:"+tok) tok="" state=3 elif(state==6): lab+=c tok="" return tokens
labels = {} def lex(filecontents): filecontents = list(filecontents) tokens = [] keywords = ['STA', 'MVI', 'MOV', 'LDA', 'ADD', 'ADC', 'ADI', 'ACI', 'SUB', 'SUI', 'SBB', 'SBI', 'INR', 'DCR', 'CMP', 'CPI', 'ANA', 'ANI', 'XRA', 'XRI', 'ORA', 'ORI', 'JMP', 'JNZ', 'JZ', 'JC', 'JNC'] next_state = {'STA': 1, 'MVI': 5, 'MOV': 2, 'LDA': 1, 'ADD': 2, 'ADC': 2, 'ADI': 3, 'ACI': 3, 'SUB': 2, 'SUI': 3, 'SBB': 2, 'SBI': 3, 'INR': 2, 'DCR': 2, 'CMP': 2, 'CPI': 3, 'ANA': 2, 'ANI': 3, 'XRA': 2, 'XRI': 3, 'ORA': 2, 'ORI': 3, 'JMP': 6, 'JNZ': 6, 'JZ': 6, 'JC': 6, 'JNC': 6} tok = '' string = '' state = 0 d8 = '' lab = '' for c in filecontents: tok = tok + c if tok in (' ', ','): tok = '' elif c == ':': tok = tok[:-1] tokens.append('LAB:' + tok) labels[tok] = len(tokens) tok = '' state = 0 elif tok == '\n': if state == 1: tokens.append('ADR:' + string) string = '' elif state == 3: tokens.append('VL8:' + d8) d8 = '' elif state == 6: tokens.append('LAB:' + lab) lab = '' tok = '' state = 0 elif tok.isdigit() and state in (1, 2): if state == 2: state = 3 d8 += c tok = '' if state == 1: string += c elif tok in keywords: tokens.append(tok) state = next_state[tok] tok = '' elif tok == 'HLT': return tokens elif state == 1: string += c tok = '' elif state == 2: tokens.append('REG:' + tok) tok = '' elif state == 3: d8 += tok tok = '' elif state == 5: tokens.append('REG:' + tok) tok = '' state = 3 elif state == 6: lab += c tok = '' return tokens
_base_ = './cascade_rcnn_r101_fpn_1x.py' model = dict( pretrained='open-mmlab://msra/hrnetv2_w40', backbone=dict( _delete_=True, type='HRNet', extra=dict( stage1=dict( num_modules=1, num_branches=1, block='BOTTLENECK', num_blocks=(4, ), num_channels=(64, )), stage2=dict( num_modules=1, num_branches=2, block='BASIC', num_blocks=(4, 4), num_channels=(40, 80)), stage3=dict( num_modules=4, num_branches=3, block='BASIC', num_blocks=(4, 4, 4), num_channels=(40, 80, 160)), stage4=dict( num_modules=3, num_branches=4, block='BASIC', num_blocks=(4, 4, 4, 4), num_channels=(40, 80, 160, 320)))), neck=dict( _delete_=True, type='HRFPN', in_channels=[40, 80, 160, 320], out_channels=256)) load_from = ('/home/chenhansheng/src/mmdetection-tjiiv/checkpoints/' 'cascade_rcnn_hrnetv2p_w40_20e_coco_20200512_161112-75e47b04.pth')
_base_ = './cascade_rcnn_r101_fpn_1x.py' model = dict(pretrained='open-mmlab://msra/hrnetv2_w40', backbone=dict(_delete_=True, type='HRNet', extra=dict(stage1=dict(num_modules=1, num_branches=1, block='BOTTLENECK', num_blocks=(4,), num_channels=(64,)), stage2=dict(num_modules=1, num_branches=2, block='BASIC', num_blocks=(4, 4), num_channels=(40, 80)), stage3=dict(num_modules=4, num_branches=3, block='BASIC', num_blocks=(4, 4, 4), num_channels=(40, 80, 160)), stage4=dict(num_modules=3, num_branches=4, block='BASIC', num_blocks=(4, 4, 4, 4), num_channels=(40, 80, 160, 320)))), neck=dict(_delete_=True, type='HRFPN', in_channels=[40, 80, 160, 320], out_channels=256)) load_from = '/home/chenhansheng/src/mmdetection-tjiiv/checkpoints/cascade_rcnn_hrnetv2p_w40_20e_coco_20200512_161112-75e47b04.pth'
def collectUntil(enoughGold): while hero.gold < enoughGold: item = hero.findNearestItem() if item: hero.moveXY(item.pos.x, item.pos.y) collectUntil(25) hero.buildXY("decoy", 40, 52) hero.moveXY(20, 52) collectUntil(50) hero.buildXY("decoy", 68, 22) hero.buildXY("decoy", 30, 20)
def collect_until(enoughGold): while hero.gold < enoughGold: item = hero.findNearestItem() if item: hero.moveXY(item.pos.x, item.pos.y) collect_until(25) hero.buildXY('decoy', 40, 52) hero.moveXY(20, 52) collect_until(50) hero.buildXY('decoy', 68, 22) hero.buildXY('decoy', 30, 20)
def howmanyfingersdoihave(): ear.pauseListening() sleep(1) fullspeed() i01.moveHead(49,74) i01.moveArm("left",75,83,79,24) i01.moveArm("right",65,82,71,24) i01.moveHand("left",74,140,150,157,168,92) i01.moveHand("right",89,80,98,120,114,0) sleep(2) i01.moveHand("right",0,80,98,120,114,0) i01.mouth.speakBlocking("ten") sleep(.1) i01.moveHand("right",0,0,98,120,114,0) i01.mouth.speakBlocking("nine") sleep(.1) i01.moveHand("right",0,0,0,120,114,0) i01.mouth.speakBlocking("eight") sleep(.1) i01.moveHand("right",0,0,0,0,114,0) i01.mouth.speakBlocking("seven") sleep(.1) i01.moveHand("right",0,0,0,0,0,0) i01.mouth.speakBlocking("six") sleep(.5) i01.setHeadSpeed(.70,.70) i01.moveHead(40,105) i01.moveArm("left",75,83,79,24) i01.moveArm("right",65,82,71,24) i01.moveHand("left",0,0,0,0,0,180) i01.moveHand("right",0,0,0,0,0,0) sleep(0.1) i01.mouth.speakBlocking("and five makes eleven") sleep(0.7) i01.setHeadSpeed(0.7,0.7) i01.moveHead(40,50) sleep(0.5) i01.setHeadSpeed(0.7,0.7) i01.moveHead(49,105) sleep(0.7) i01.setHeadSpeed(0.7,0.8) i01.moveHead(40,50) sleep(0.7) i01.setHeadSpeed(0.7,0.8) i01.moveHead(49,105) sleep(0.7) i01.setHeadSpeed(0.7,0.7) i01.moveHead(90,85) sleep(0.7) i01.mouth.speakBlocking("eleven") i01.moveArm("left",70,75,70,20) i01.moveArm("right",60,75,65,20) sleep(1) i01.mouth.speakBlocking("that doesn't seem right") sleep(2) i01.mouth.speakBlocking("I think I better try that again") i01.moveHead(40,105) i01.moveArm("left",75,83,79,24) i01.moveArm("right",65,82,71,24) i01.moveHand("left",140,168,168,168,158,90) i01.moveHand("right",87,138,109,168,158,25) sleep(2) i01.moveHand("left",10,140,168,168,158,90) i01.mouth.speakBlocking("one") sleep(.1) i01.moveHand("left",10,10,168,168,158,90) i01.mouth.speakBlocking("two") sleep(.1) i01.moveHand("left",10,10,10,168,158,90) i01.mouth.speakBlocking("three") sleep(.1) i01.moveHand("left",10,10,10,10,158,90) i01.mouth.speakBlocking("four") sleep(.1) i01.moveHand("left",10,10,10,10,10,90) i01.mouth.speakBlocking("five") sleep(.1) i01.setHeadSpeed(0.65,0.65) i01.moveHead(53,65) i01.moveArm("right",48,80,78,11) i01.setHandSpeed("left", 1.0, 1.0, 1.0, 1.0, 1.0, 1.0) i01.setHandSpeed("right", 1.0, 1.0, 1.0, 1.0, 1.0, 1.0) i01.moveHand("left",10,10,10,10,10,90) i01.moveHand("right",10,10,10,10,10,25) sleep(1) i01.mouth.speakBlocking("and five makes ten") sleep(.5) i01.mouth.speakBlocking("there that's better") i01.moveHead(95,85) i01.moveArm("left",75,83,79,24) i01.moveArm("right",40,70,70,10) sleep(0.5) i01.mouth.speakBlocking("inmoov has ten fingers") sleep(0.5) i01.moveHead(90,90) i01.setHandSpeed("left", 0.8, 0.8, 0.8, 0.8, 0.8, 0.8) i01.setHandSpeed("right", 0.8, 0.8, 0.8, 0.8, 0.8, 0.8) i01.moveHand("left",140,140,140,140,140,60) i01.moveHand("right",140,140,140,140,140,60) sleep(1.0) i01.setArmSpeed("right", 1.0, 1.0, 1.0, 1.0) i01.setArmSpeed("left", 1.0, 1.0, 1.0, 1.0) i01.moveArm("left",5,90,30,11) i01.moveArm("right",5,90,30,11) sleep(0.5) relax() sleep(0.5) ear.resumeListening()
def howmanyfingersdoihave(): ear.pauseListening() sleep(1) fullspeed() i01.moveHead(49, 74) i01.moveArm('left', 75, 83, 79, 24) i01.moveArm('right', 65, 82, 71, 24) i01.moveHand('left', 74, 140, 150, 157, 168, 92) i01.moveHand('right', 89, 80, 98, 120, 114, 0) sleep(2) i01.moveHand('right', 0, 80, 98, 120, 114, 0) i01.mouth.speakBlocking('ten') sleep(0.1) i01.moveHand('right', 0, 0, 98, 120, 114, 0) i01.mouth.speakBlocking('nine') sleep(0.1) i01.moveHand('right', 0, 0, 0, 120, 114, 0) i01.mouth.speakBlocking('eight') sleep(0.1) i01.moveHand('right', 0, 0, 0, 0, 114, 0) i01.mouth.speakBlocking('seven') sleep(0.1) i01.moveHand('right', 0, 0, 0, 0, 0, 0) i01.mouth.speakBlocking('six') sleep(0.5) i01.setHeadSpeed(0.7, 0.7) i01.moveHead(40, 105) i01.moveArm('left', 75, 83, 79, 24) i01.moveArm('right', 65, 82, 71, 24) i01.moveHand('left', 0, 0, 0, 0, 0, 180) i01.moveHand('right', 0, 0, 0, 0, 0, 0) sleep(0.1) i01.mouth.speakBlocking('and five makes eleven') sleep(0.7) i01.setHeadSpeed(0.7, 0.7) i01.moveHead(40, 50) sleep(0.5) i01.setHeadSpeed(0.7, 0.7) i01.moveHead(49, 105) sleep(0.7) i01.setHeadSpeed(0.7, 0.8) i01.moveHead(40, 50) sleep(0.7) i01.setHeadSpeed(0.7, 0.8) i01.moveHead(49, 105) sleep(0.7) i01.setHeadSpeed(0.7, 0.7) i01.moveHead(90, 85) sleep(0.7) i01.mouth.speakBlocking('eleven') i01.moveArm('left', 70, 75, 70, 20) i01.moveArm('right', 60, 75, 65, 20) sleep(1) i01.mouth.speakBlocking("that doesn't seem right") sleep(2) i01.mouth.speakBlocking('I think I better try that again') i01.moveHead(40, 105) i01.moveArm('left', 75, 83, 79, 24) i01.moveArm('right', 65, 82, 71, 24) i01.moveHand('left', 140, 168, 168, 168, 158, 90) i01.moveHand('right', 87, 138, 109, 168, 158, 25) sleep(2) i01.moveHand('left', 10, 140, 168, 168, 158, 90) i01.mouth.speakBlocking('one') sleep(0.1) i01.moveHand('left', 10, 10, 168, 168, 158, 90) i01.mouth.speakBlocking('two') sleep(0.1) i01.moveHand('left', 10, 10, 10, 168, 158, 90) i01.mouth.speakBlocking('three') sleep(0.1) i01.moveHand('left', 10, 10, 10, 10, 158, 90) i01.mouth.speakBlocking('four') sleep(0.1) i01.moveHand('left', 10, 10, 10, 10, 10, 90) i01.mouth.speakBlocking('five') sleep(0.1) i01.setHeadSpeed(0.65, 0.65) i01.moveHead(53, 65) i01.moveArm('right', 48, 80, 78, 11) i01.setHandSpeed('left', 1.0, 1.0, 1.0, 1.0, 1.0, 1.0) i01.setHandSpeed('right', 1.0, 1.0, 1.0, 1.0, 1.0, 1.0) i01.moveHand('left', 10, 10, 10, 10, 10, 90) i01.moveHand('right', 10, 10, 10, 10, 10, 25) sleep(1) i01.mouth.speakBlocking('and five makes ten') sleep(0.5) i01.mouth.speakBlocking("there that's better") i01.moveHead(95, 85) i01.moveArm('left', 75, 83, 79, 24) i01.moveArm('right', 40, 70, 70, 10) sleep(0.5) i01.mouth.speakBlocking('inmoov has ten fingers') sleep(0.5) i01.moveHead(90, 90) i01.setHandSpeed('left', 0.8, 0.8, 0.8, 0.8, 0.8, 0.8) i01.setHandSpeed('right', 0.8, 0.8, 0.8, 0.8, 0.8, 0.8) i01.moveHand('left', 140, 140, 140, 140, 140, 60) i01.moveHand('right', 140, 140, 140, 140, 140, 60) sleep(1.0) i01.setArmSpeed('right', 1.0, 1.0, 1.0, 1.0) i01.setArmSpeed('left', 1.0, 1.0, 1.0, 1.0) i01.moveArm('left', 5, 90, 30, 11) i01.moveArm('right', 5, 90, 30, 11) sleep(0.5) relax() sleep(0.5) ear.resumeListening()
create_favorite_query = ''' mutation {{ createFavorite ( title: "{title}", description: "{description}", category: "{category}", ranking: {ranking} ) {{ message errors favorite {{ id title }} }} }} ''' update_favorite_query = ''' mutation {{ updateFavorite ( id: "{id}", title: "{title}", description: "{description}", category: "{category}", ranking: {ranking} ) {{ message errors favorite {{ id title description ranking category {{ id name }} }} }} }} ''' delete_favorite_query = ''' mutation {{ deleteFavorite( id: "{id}" ) {{ message favorite {{ title }} }} }} ''' all_favorites = ''' query { favorites { id ranking title category { id name } } } ''' single_favorite = ''' query {{ favorite(id: "{id}") {{ id title description category {{ id name }} }} }} ''' all_audit_log = ''' query { audits { id tableName tableFields timestamp action } } '''
create_favorite_query = '\nmutation {{\n createFavorite (\n title: "{title}",\n description: "{description}",\n category: "{category}",\n ranking: {ranking}\n ) {{\n message\n errors\n favorite {{\n id\n title\n }}\n }}\n}}\n' update_favorite_query = '\nmutation {{\n updateFavorite (\n id: "{id}",\n title: "{title}",\n description: "{description}",\n category: "{category}",\n ranking: {ranking}\n ) {{\n message\n errors\n favorite {{\n id\n title\n description\n ranking\n category {{\n id\n name\n }}\n }}\n }}\n}}\n' delete_favorite_query = '\nmutation {{\n deleteFavorite(\n id: "{id}"\n ) {{\n message\n favorite {{\n title\n }}\n }}\n}}\n' all_favorites = '\nquery {\n favorites {\n id\n ranking\n title\n category {\n id\n name\n }\n }\n}\n' single_favorite = '\nquery {{\n favorite(id: "{id}") {{\n id\n title\n description\n category {{\n id\n name\n }}\n }}\n}}\n' all_audit_log = '\nquery {\n audits {\n id\n tableName\n tableFields\n timestamp\n action\n }\n}\n'
# calculator print(1+2) print(3) print(10%2) print(11%2)
print(1 + 2) print(3) print(10 % 2) print(11 % 2)
# This script is used to format multiple en-ro translation datasets into the following format: # {english sequence}{TAB character}{romanian sequence} # \\\\\\\\\\\\\\\\\\\\\\\\\\\\\ # corpus # \\\\\\\\\\\\\\\\\\\\\\\\\\\\\ # import xml.etree.ElementTree as ET # # DATASET_CORPUS = "S:\\datasets\\eng-ron_corpus.tmx" # OUTPUT_PATH = "S:\\processed\\dataset_corpus.txt" # # tree = ET.parse(DATASET_CORPUS) # root = tree.getroot() # # with open(file=OUTPUT_PATH, mode="w", encoding="utf-8") as file: # # for tu in root.iter("tu"): # # lang_to_text = {} # # for tuv in tu.iter("tuv"): # # lang = tuv.attrib["{http://www.w3.org/XML/1998/namespace}lang"] # lang_to_text[lang] = tuv.find("seg").text # # file.write(f'{lang_to_text["en"]}\t{lang_to_text["ro"]}\n') # # # DATASET_NWS_EN = "S:\\datasets\\nws\\setimes_lexacctrain.en" # DATASET_NWS_RO = "S:\\datasets\\nws\\setimes_lexacctrain.ro" # \\\\\\\\\\\\\\\\\\\\\\\\\\\\\ # nws # \\\\\\\\\\\\\\\\\\\\\\\\\\\\\ # DATASET_NWS_EN = "S:\\datasets\\nws\\setimes_lexacctrain.en" # DATASET_NWS_RO = "S:\\datasets\\nws\\setimes_lexacctrain.ro" # OUTPUT_PATH = "S:\\processed\\dataset_nws.txt" # # with open(OUTPUT_PATH, 'w', encoding='utf-8') as file_out: # # with open(DATASET_NWS_EN, encoding="utf-8") as file_en,\ # open(DATASET_NWS_RO, encoding="utf-8") as file_ro: # # for line_en, line_ro in zip(file_en, file_ro): # line_en = line_en.rstrip() + '\t' # line_ro = line_ro.rstrip() # # file_out.write(line_en + line_ro + '\n') # \\\\\\\\\\\\\\\\\\\\\\\\\\\\\ # manythings # \\\\\\\\\\\\\\\\\\\\\\\\\\\\\ # DATASET_MANYTHINGS = "S:\\datasets\\manythings_ron.txt" # OUTPUT_PATH = "S:\\processed\\dataset_manythings.txt" # # with open(DATASET_MANYTHINGS, encoding='utf-8') as file,\ # open(OUTPUT_PATH, 'w', encoding='utf-8') as file_out: # # for line in file: # file_out.write(line) # \\\\\\\\\\\\\\\\\\\\\\\\\\\\\ # VALIDATE FORMAT # \\\\\\\\\\\\\\\\\\\\\\\\\\\\\ # check if the final dataset respects the format DATASET_PATH = "S:\\processed\\dataset_all.txt" with open(DATASET_PATH, encoding='utf-8') as file: for i, line in enumerate(file): if line.count('\t') != 1: raise ValueError(f'Only one TAB character must be in a single line.({i + 1})')
dataset_path = 'S:\\processed\\dataset_all.txt' with open(DATASET_PATH, encoding='utf-8') as file: for (i, line) in enumerate(file): if line.count('\t') != 1: raise value_error(f'Only one TAB character must be in a single line.({i + 1})')
___assertEqual(float(False), 0.0) ___assertIsNot(float(False), False) ___assertEqual(float(True), 1.0) ___assertIsNot(float(True), True)
___assert_equal(float(False), 0.0) ___assert_is_not(float(False), False) ___assert_equal(float(True), 1.0) ___assert_is_not(float(True), True)
expected_output = { "aal5VccEntry": {"3": {}, "4": {}, "5": {}}, "aarpEntry": {"1": {}, "2": {}, "3": {}}, "adslAtucChanConfFastMaxTxRate": {}, "adslAtucChanConfFastMinTxRate": {}, "adslAtucChanConfInterleaveMaxTxRate": {}, "adslAtucChanConfInterleaveMinTxRate": {}, "adslAtucChanConfMaxInterleaveDelay": {}, "adslAtucChanCorrectedBlks": {}, "adslAtucChanCrcBlockLength": {}, "adslAtucChanCurrTxRate": {}, "adslAtucChanInterleaveDelay": {}, "adslAtucChanIntervalCorrectedBlks": {}, "adslAtucChanIntervalReceivedBlks": {}, "adslAtucChanIntervalTransmittedBlks": {}, "adslAtucChanIntervalUncorrectBlks": {}, "adslAtucChanIntervalValidData": {}, "adslAtucChanPerfCurr15MinCorrectedBlks": {}, "adslAtucChanPerfCurr15MinReceivedBlks": {}, "adslAtucChanPerfCurr15MinTimeElapsed": {}, "adslAtucChanPerfCurr15MinTransmittedBlks": {}, "adslAtucChanPerfCurr15MinUncorrectBlks": {}, "adslAtucChanPerfCurr1DayCorrectedBlks": {}, "adslAtucChanPerfCurr1DayReceivedBlks": {}, "adslAtucChanPerfCurr1DayTimeElapsed": {}, "adslAtucChanPerfCurr1DayTransmittedBlks": {}, "adslAtucChanPerfCurr1DayUncorrectBlks": {}, "adslAtucChanPerfInvalidIntervals": {}, "adslAtucChanPerfPrev1DayCorrectedBlks": {}, "adslAtucChanPerfPrev1DayMoniSecs": {}, "adslAtucChanPerfPrev1DayReceivedBlks": {}, "adslAtucChanPerfPrev1DayTransmittedBlks": {}, "adslAtucChanPerfPrev1DayUncorrectBlks": {}, "adslAtucChanPerfValidIntervals": {}, "adslAtucChanPrevTxRate": {}, "adslAtucChanReceivedBlks": {}, "adslAtucChanTransmittedBlks": {}, "adslAtucChanUncorrectBlks": {}, "adslAtucConfDownshiftSnrMgn": {}, "adslAtucConfMaxSnrMgn": {}, "adslAtucConfMinDownshiftTime": {}, "adslAtucConfMinSnrMgn": {}, "adslAtucConfMinUpshiftTime": {}, "adslAtucConfRateChanRatio": {}, "adslAtucConfRateMode": {}, "adslAtucConfTargetSnrMgn": {}, "adslAtucConfUpshiftSnrMgn": {}, "adslAtucCurrAtn": {}, "adslAtucCurrAttainableRate": {}, "adslAtucCurrOutputPwr": {}, "adslAtucCurrSnrMgn": {}, "adslAtucCurrStatus": {}, "adslAtucDmtConfFastPath": {}, "adslAtucDmtConfFreqBins": {}, "adslAtucDmtConfInterleavePath": {}, "adslAtucDmtFastPath": {}, "adslAtucDmtInterleavePath": {}, "adslAtucDmtIssue": {}, "adslAtucDmtState": {}, "adslAtucInitFailureTrapEnable": {}, "adslAtucIntervalESs": {}, "adslAtucIntervalInits": {}, "adslAtucIntervalLofs": {}, "adslAtucIntervalLols": {}, "adslAtucIntervalLoss": {}, "adslAtucIntervalLprs": {}, "adslAtucIntervalValidData": {}, "adslAtucInvSerialNumber": {}, "adslAtucInvVendorID": {}, "adslAtucInvVersionNumber": {}, "adslAtucPerfCurr15MinESs": {}, "adslAtucPerfCurr15MinInits": {}, "adslAtucPerfCurr15MinLofs": {}, "adslAtucPerfCurr15MinLols": {}, "adslAtucPerfCurr15MinLoss": {}, "adslAtucPerfCurr15MinLprs": {}, "adslAtucPerfCurr15MinTimeElapsed": {}, "adslAtucPerfCurr1DayESs": {}, "adslAtucPerfCurr1DayInits": {}, "adslAtucPerfCurr1DayLofs": {}, "adslAtucPerfCurr1DayLols": {}, "adslAtucPerfCurr1DayLoss": {}, "adslAtucPerfCurr1DayLprs": {}, "adslAtucPerfCurr1DayTimeElapsed": {}, "adslAtucPerfESs": {}, "adslAtucPerfInits": {}, "adslAtucPerfInvalidIntervals": {}, "adslAtucPerfLofs": {}, "adslAtucPerfLols": {}, "adslAtucPerfLoss": {}, "adslAtucPerfLprs": {}, "adslAtucPerfPrev1DayESs": {}, "adslAtucPerfPrev1DayInits": {}, "adslAtucPerfPrev1DayLofs": {}, "adslAtucPerfPrev1DayLols": {}, "adslAtucPerfPrev1DayLoss": {}, "adslAtucPerfPrev1DayLprs": {}, "adslAtucPerfPrev1DayMoniSecs": {}, "adslAtucPerfValidIntervals": {}, "adslAtucThresh15MinESs": {}, "adslAtucThresh15MinLofs": {}, "adslAtucThresh15MinLols": {}, "adslAtucThresh15MinLoss": {}, "adslAtucThresh15MinLprs": {}, "adslAtucThreshFastRateDown": {}, "adslAtucThreshFastRateUp": {}, "adslAtucThreshInterleaveRateDown": {}, "adslAtucThreshInterleaveRateUp": {}, "adslAturChanConfFastMaxTxRate": {}, "adslAturChanConfFastMinTxRate": {}, "adslAturChanConfInterleaveMaxTxRate": {}, "adslAturChanConfInterleaveMinTxRate": {}, "adslAturChanConfMaxInterleaveDelay": {}, "adslAturChanCorrectedBlks": {}, "adslAturChanCrcBlockLength": {}, "adslAturChanCurrTxRate": {}, "adslAturChanInterleaveDelay": {}, "adslAturChanIntervalCorrectedBlks": {}, "adslAturChanIntervalReceivedBlks": {}, "adslAturChanIntervalTransmittedBlks": {}, "adslAturChanIntervalUncorrectBlks": {}, "adslAturChanIntervalValidData": {}, "adslAturChanPerfCurr15MinCorrectedBlks": {}, "adslAturChanPerfCurr15MinReceivedBlks": {}, "adslAturChanPerfCurr15MinTimeElapsed": {}, "adslAturChanPerfCurr15MinTransmittedBlks": {}, "adslAturChanPerfCurr15MinUncorrectBlks": {}, "adslAturChanPerfCurr1DayCorrectedBlks": {}, "adslAturChanPerfCurr1DayReceivedBlks": {}, "adslAturChanPerfCurr1DayTimeElapsed": {}, "adslAturChanPerfCurr1DayTransmittedBlks": {}, "adslAturChanPerfCurr1DayUncorrectBlks": {}, "adslAturChanPerfInvalidIntervals": {}, "adslAturChanPerfPrev1DayCorrectedBlks": {}, "adslAturChanPerfPrev1DayMoniSecs": {}, "adslAturChanPerfPrev1DayReceivedBlks": {}, "adslAturChanPerfPrev1DayTransmittedBlks": {}, "adslAturChanPerfPrev1DayUncorrectBlks": {}, "adslAturChanPerfValidIntervals": {}, "adslAturChanPrevTxRate": {}, "adslAturChanReceivedBlks": {}, "adslAturChanTransmittedBlks": {}, "adslAturChanUncorrectBlks": {}, "adslAturConfDownshiftSnrMgn": {}, "adslAturConfMaxSnrMgn": {}, "adslAturConfMinDownshiftTime": {}, "adslAturConfMinSnrMgn": {}, "adslAturConfMinUpshiftTime": {}, "adslAturConfRateChanRatio": {}, "adslAturConfRateMode": {}, "adslAturConfTargetSnrMgn": {}, "adslAturConfUpshiftSnrMgn": {}, "adslAturCurrAtn": {}, "adslAturCurrAttainableRate": {}, "adslAturCurrOutputPwr": {}, "adslAturCurrSnrMgn": {}, "adslAturCurrStatus": {}, "adslAturDmtConfFastPath": {}, "adslAturDmtConfFreqBins": {}, "adslAturDmtConfInterleavePath": {}, "adslAturDmtFastPath": {}, "adslAturDmtInterleavePath": {}, "adslAturDmtIssue": {}, "adslAturDmtState": {}, "adslAturIntervalESs": {}, "adslAturIntervalLofs": {}, "adslAturIntervalLoss": {}, "adslAturIntervalLprs": {}, "adslAturIntervalValidData": {}, "adslAturInvSerialNumber": {}, "adslAturInvVendorID": {}, "adslAturInvVersionNumber": {}, "adslAturPerfCurr15MinESs": {}, "adslAturPerfCurr15MinLofs": {}, "adslAturPerfCurr15MinLoss": {}, "adslAturPerfCurr15MinLprs": {}, "adslAturPerfCurr15MinTimeElapsed": {}, "adslAturPerfCurr1DayESs": {}, "adslAturPerfCurr1DayLofs": {}, "adslAturPerfCurr1DayLoss": {}, "adslAturPerfCurr1DayLprs": {}, "adslAturPerfCurr1DayTimeElapsed": {}, "adslAturPerfESs": {}, "adslAturPerfInvalidIntervals": {}, "adslAturPerfLofs": {}, "adslAturPerfLoss": {}, "adslAturPerfLprs": {}, "adslAturPerfPrev1DayESs": {}, "adslAturPerfPrev1DayLofs": {}, "adslAturPerfPrev1DayLoss": {}, "adslAturPerfPrev1DayLprs": {}, "adslAturPerfPrev1DayMoniSecs": {}, "adslAturPerfValidIntervals": {}, "adslAturThresh15MinESs": {}, "adslAturThresh15MinLofs": {}, "adslAturThresh15MinLoss": {}, "adslAturThresh15MinLprs": {}, "adslAturThreshFastRateDown": {}, "adslAturThreshFastRateUp": {}, "adslAturThreshInterleaveRateDown": {}, "adslAturThreshInterleaveRateUp": {}, "adslLineAlarmConfProfile": {}, "adslLineAlarmConfProfileRowStatus": {}, "adslLineCoding": {}, "adslLineConfProfile": {}, "adslLineConfProfileRowStatus": {}, "adslLineDmtConfEOC": {}, "adslLineDmtConfMode": {}, "adslLineDmtConfTrellis": {}, "adslLineDmtEOC": {}, "adslLineDmtTrellis": {}, "adslLineSpecific": {}, "adslLineType": {}, "alarmEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "alpsAscuA1": {}, "alpsAscuA2": {}, "alpsAscuAlarmsEnabled": {}, "alpsAscuCktName": {}, "alpsAscuDownReason": {}, "alpsAscuDropsAscuDisabled": {}, "alpsAscuDropsAscuDown": {}, "alpsAscuDropsGarbledPkts": {}, "alpsAscuEnabled": {}, "alpsAscuEntry": {"20": {}}, "alpsAscuFwdStatusOption": {}, "alpsAscuInOctets": {}, "alpsAscuInPackets": {}, "alpsAscuMaxMsgLength": {}, "alpsAscuOutOctets": {}, "alpsAscuOutPackets": {}, "alpsAscuRetryOption": {}, "alpsAscuRowStatus": {}, "alpsAscuState": {}, "alpsCktAscuId": {}, "alpsCktAscuIfIndex": {}, "alpsCktAscuStatus": {}, "alpsCktBaseAlarmsEnabled": {}, "alpsCktBaseConnType": {}, "alpsCktBaseCurrPeerConnId": {}, "alpsCktBaseCurrentPeer": {}, "alpsCktBaseDownReason": {}, "alpsCktBaseDropsCktDisabled": {}, "alpsCktBaseDropsLifeTimeExpd": {}, "alpsCktBaseDropsQOverflow": {}, "alpsCktBaseEnabled": {}, "alpsCktBaseHostLinkNumber": {}, "alpsCktBaseHostLinkType": {}, "alpsCktBaseInOctets": {}, "alpsCktBaseInPackets": {}, "alpsCktBaseLifeTimeTimer": {}, "alpsCktBaseLocalHld": {}, "alpsCktBaseNumActiveAscus": {}, "alpsCktBaseOutOctets": {}, "alpsCktBaseOutPackets": {}, "alpsCktBasePriPeerAddr": {}, "alpsCktBaseRemHld": {}, "alpsCktBaseRowStatus": {}, "alpsCktBaseState": {}, "alpsCktP1024Ax25LCN": {}, "alpsCktP1024BackupPeerAddr": {}, "alpsCktP1024DropsUnkAscu": {}, "alpsCktP1024EmtoxX121": {}, "alpsCktP1024IdleTimer": {}, "alpsCktP1024InPktSize": {}, "alpsCktP1024MatipCloseDelay": {}, "alpsCktP1024OutPktSize": {}, "alpsCktP1024RetryTimer": {}, "alpsCktP1024RowStatus": {}, "alpsCktP1024SvcMsgIntvl": {}, "alpsCktP1024SvcMsgList": {}, "alpsCktP1024WinIn": {}, "alpsCktP1024WinOut": {}, "alpsCktX25DropsVcReset": {}, "alpsCktX25HostX121": {}, "alpsCktX25IfIndex": {}, "alpsCktX25LCN": {}, "alpsCktX25RemoteX121": {}, "alpsIfHLinkActiveCkts": {}, "alpsIfHLinkAx25PvcDamp": {}, "alpsIfHLinkEmtoxHostX121": {}, "alpsIfHLinkX25ProtocolType": {}, "alpsIfP1024CurrErrCnt": {}, "alpsIfP1024EncapType": {}, "alpsIfP1024Entry": {"11": {}, "12": {}, "13": {}}, "alpsIfP1024GATimeout": {}, "alpsIfP1024MaxErrCnt": {}, "alpsIfP1024MaxRetrans": {}, "alpsIfP1024MinGoodPollResp": {}, "alpsIfP1024NumAscus": {}, "alpsIfP1024PollPauseTimeout": {}, "alpsIfP1024PollRespTimeout": {}, "alpsIfP1024PollingRatio": {}, "alpsIpAddress": {}, "alpsPeerInCallsAcceptFlag": {}, "alpsPeerKeepaliveMaxRetries": {}, "alpsPeerKeepaliveTimeout": {}, "alpsPeerLocalAtpPort": {}, "alpsPeerLocalIpAddr": {}, "alpsRemPeerAlarmsEnabled": {}, "alpsRemPeerCfgActivation": {}, "alpsRemPeerCfgAlarmsOn": {}, "alpsRemPeerCfgIdleTimer": {}, "alpsRemPeerCfgNoCircTimer": {}, "alpsRemPeerCfgRowStatus": {}, "alpsRemPeerCfgStatIntvl": {}, "alpsRemPeerCfgStatRetry": {}, "alpsRemPeerCfgTCPQLen": {}, "alpsRemPeerConnActivation": {}, "alpsRemPeerConnAlarmsOn": {}, "alpsRemPeerConnCreation": {}, "alpsRemPeerConnDownReason": {}, "alpsRemPeerConnDropsGiant": {}, "alpsRemPeerConnDropsQFull": {}, "alpsRemPeerConnDropsUnreach": {}, "alpsRemPeerConnDropsVersion": {}, "alpsRemPeerConnForeignPort": {}, "alpsRemPeerConnIdleTimer": {}, "alpsRemPeerConnInOctets": {}, "alpsRemPeerConnInPackets": {}, "alpsRemPeerConnLastRxAny": {}, "alpsRemPeerConnLastTxRx": {}, "alpsRemPeerConnLocalPort": {}, "alpsRemPeerConnNoCircTimer": {}, "alpsRemPeerConnNumActCirc": {}, "alpsRemPeerConnOutOctets": {}, "alpsRemPeerConnOutPackets": {}, "alpsRemPeerConnProtocol": {}, "alpsRemPeerConnStatIntvl": {}, "alpsRemPeerConnStatRetry": {}, "alpsRemPeerConnState": {}, "alpsRemPeerConnTCPQLen": {}, "alpsRemPeerConnType": {}, "alpsRemPeerConnUptime": {}, "alpsRemPeerDropsGiant": {}, "alpsRemPeerDropsPeerUnreach": {}, "alpsRemPeerDropsQFull": {}, "alpsRemPeerIdleTimer": {}, "alpsRemPeerInOctets": {}, "alpsRemPeerInPackets": {}, "alpsRemPeerLocalPort": {}, "alpsRemPeerNumActiveCkts": {}, "alpsRemPeerOutOctets": {}, "alpsRemPeerOutPackets": {}, "alpsRemPeerRemotePort": {}, "alpsRemPeerRowStatus": {}, "alpsRemPeerState": {}, "alpsRemPeerTCPQlen": {}, "alpsRemPeerUptime": {}, "alpsSvcMsg": {}, "alpsSvcMsgRowStatus": {}, "alpsX121ToIpTransRowStatus": {}, "atEntry": {"1": {}, "2": {}, "3": {}}, "atecho": {"1": {}, "2": {}}, "atmCurrentlyFailingPVclTimeStamp": {}, "atmForumUni.10.1.1.1": {}, "atmForumUni.10.1.1.10": {}, "atmForumUni.10.1.1.11": {}, "atmForumUni.10.1.1.2": {}, "atmForumUni.10.1.1.3": {}, "atmForumUni.10.1.1.4": {}, "atmForumUni.10.1.1.5": {}, "atmForumUni.10.1.1.6": {}, "atmForumUni.10.1.1.7": {}, "atmForumUni.10.1.1.8": {}, "atmForumUni.10.1.1.9": {}, "atmForumUni.10.144.1.1": {}, "atmForumUni.10.144.1.2": {}, "atmForumUni.10.100.1.1": {}, "atmForumUni.10.100.1.10": {}, "atmForumUni.10.100.1.2": {}, "atmForumUni.10.100.1.3": {}, "atmForumUni.10.100.1.4": {}, "atmForumUni.10.100.1.5": {}, "atmForumUni.10.100.1.6": {}, "atmForumUni.10.100.1.7": {}, "atmForumUni.10.100.1.8": {}, "atmForumUni.10.100.1.9": {}, "atmInterfaceConfEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "atmIntfCurrentlyDownToUpPVcls": {}, "atmIntfCurrentlyFailingPVcls": {}, "atmIntfCurrentlyOAMFailingPVcls": {}, "atmIntfOAMFailedPVcls": {}, "atmIntfPvcFailures": {}, "atmIntfPvcFailuresTrapEnable": {}, "atmIntfPvcNotificationInterval": {}, "atmPVclHigherRangeValue": {}, "atmPVclLowerRangeValue": {}, "atmPVclRangeStatusChangeEnd": {}, "atmPVclRangeStatusChangeStart": {}, "atmPVclStatusChangeEnd": {}, "atmPVclStatusChangeStart": {}, "atmPVclStatusTransition": {}, "atmPreviouslyFailedPVclInterval": {}, "atmPreviouslyFailedPVclTimeStamp": {}, "atmTrafficDescrParamEntry": { "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "atmVclEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "atmVplEntry": {"2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}}, "atmfAddressEntry": {"3": {}, "4": {}}, "atmfAtmLayerEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "atmfAtmStatsEntry": {"1": {}, "2": {}, "3": {}, "4": {}}, "atmfNetPrefixEntry": {"3": {}}, "atmfPhysicalGroup": {"2": {}, "4": {}}, "atmfPortEntry": {"1": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}}, "atmfVccEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "23": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "atmfVpcEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "atportEntry": { "1": {}, "10": {}, "11": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "bcpConfigEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "bcpOperEntry": {"1": {}}, "bgp4PathAttrASPathSegment": {}, "bgp4PathAttrAggregatorAS": {}, "bgp4PathAttrAggregatorAddr": {}, "bgp4PathAttrAtomicAggregate": {}, "bgp4PathAttrBest": {}, "bgp4PathAttrCalcLocalPref": {}, "bgp4PathAttrIpAddrPrefix": {}, "bgp4PathAttrIpAddrPrefixLen": {}, "bgp4PathAttrLocalPref": {}, "bgp4PathAttrMultiExitDisc": {}, "bgp4PathAttrNextHop": {}, "bgp4PathAttrOrigin": {}, "bgp4PathAttrPeer": {}, "bgp4PathAttrUnknown": {}, "bgpIdentifier": {}, "bgpLocalAs": {}, "bgpPeerAdminStatus": {}, "bgpPeerConnectRetryInterval": {}, "bgpPeerEntry": {"14": {}, "2": {}}, "bgpPeerFsmEstablishedTime": {}, "bgpPeerFsmEstablishedTransitions": {}, "bgpPeerHoldTime": {}, "bgpPeerHoldTimeConfigured": {}, "bgpPeerIdentifier": {}, "bgpPeerInTotalMessages": {}, "bgpPeerInUpdateElapsedTime": {}, "bgpPeerInUpdates": {}, "bgpPeerKeepAlive": {}, "bgpPeerKeepAliveConfigured": {}, "bgpPeerLocalAddr": {}, "bgpPeerLocalPort": {}, "bgpPeerMinASOriginationInterval": {}, "bgpPeerMinRouteAdvertisementInterval": {}, "bgpPeerNegotiatedVersion": {}, "bgpPeerOutTotalMessages": {}, "bgpPeerOutUpdates": {}, "bgpPeerRemoteAddr": {}, "bgpPeerRemoteAs": {}, "bgpPeerRemotePort": {}, "bgpVersion": {}, "bscCUEntry": { "10": {}, "11": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "bscExtAddressEntry": {"2": {}}, "bscPortEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "bstunGlobal": {"1": {}, "2": {}, "3": {}, "4": {}}, "bstunGroupEntry": {"2": {}, "3": {}, "4": {}, "5": {}}, "bstunPortEntry": {"1": {}, "2": {}, "3": {}, "4": {}}, "bstunRouteEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cAal5VccEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cBootpHCCountDropNotServingSubnet": {}, "cBootpHCCountDropUnknownClients": {}, "cBootpHCCountInvalids": {}, "cBootpHCCountReplies": {}, "cBootpHCCountRequests": {}, "cCallHistoryEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cCallHistoryIecEntry": {"2": {}}, "cContextMappingEntry": {"2": {}, "3": {}, "4": {}, "5": {}, "6": {}}, "cContextMappingMIBObjects.2.1.1": {}, "cContextMappingMIBObjects.2.1.2": {}, "cContextMappingMIBObjects.2.1.3": {}, "cDhcpv4HCCountAcks": {}, "cDhcpv4HCCountDeclines": {}, "cDhcpv4HCCountDiscovers": {}, "cDhcpv4HCCountDropNotServingSubnet": {}, "cDhcpv4HCCountDropUnknownClient": {}, "cDhcpv4HCCountForcedRenews": {}, "cDhcpv4HCCountInforms": {}, "cDhcpv4HCCountInvalids": {}, "cDhcpv4HCCountNaks": {}, "cDhcpv4HCCountOffers": {}, "cDhcpv4HCCountReleases": {}, "cDhcpv4HCCountRequests": {}, "cDhcpv4ServerClientAllowedProtocol": {}, "cDhcpv4ServerClientClientId": {}, "cDhcpv4ServerClientDomainName": {}, "cDhcpv4ServerClientHostName": {}, "cDhcpv4ServerClientLeaseType": {}, "cDhcpv4ServerClientPhysicalAddress": {}, "cDhcpv4ServerClientRange": {}, "cDhcpv4ServerClientServedProtocol": {}, "cDhcpv4ServerClientSubnetMask": {}, "cDhcpv4ServerClientTimeRemaining": {}, "cDhcpv4ServerDefaultRouterAddress": {}, "cDhcpv4ServerIfLeaseLimit": {}, "cDhcpv4ServerRangeInUse": {}, "cDhcpv4ServerRangeOutstandingOffers": {}, "cDhcpv4ServerRangeSubnetMask": {}, "cDhcpv4ServerSharedNetFreeAddrHighThreshold": {}, "cDhcpv4ServerSharedNetFreeAddrLowThreshold": {}, "cDhcpv4ServerSharedNetFreeAddresses": {}, "cDhcpv4ServerSharedNetReservedAddresses": {}, "cDhcpv4ServerSharedNetTotalAddresses": {}, "cDhcpv4ServerSubnetEndAddress": {}, "cDhcpv4ServerSubnetFreeAddrHighThreshold": {}, "cDhcpv4ServerSubnetFreeAddrLowThreshold": {}, "cDhcpv4ServerSubnetFreeAddresses": {}, "cDhcpv4ServerSubnetMask": {}, "cDhcpv4ServerSubnetSharedNetworkName": {}, "cDhcpv4ServerSubnetStartAddress": {}, "cDhcpv4SrvSystemDescr": {}, "cDhcpv4SrvSystemObjectID": {}, "cEigrpAcksRcvd": {}, "cEigrpAcksSent": {}, "cEigrpAcksSuppressed": {}, "cEigrpActive": {}, "cEigrpAsRouterId": {}, "cEigrpAsRouterIdType": {}, "cEigrpAuthKeyChain": {}, "cEigrpAuthMode": {}, "cEigrpCRpkts": {}, "cEigrpDestSuccessors": {}, "cEigrpDistance": {}, "cEigrpFdistance": {}, "cEigrpHeadSerial": {}, "cEigrpHelloInterval": {}, "cEigrpHellosRcvd": {}, "cEigrpHellosSent": {}, "cEigrpHoldTime": {}, "cEigrpInputQDrops": {}, "cEigrpInputQHighMark": {}, "cEigrpLastSeq": {}, "cEigrpMFlowTimer": {}, "cEigrpMcastExcepts": {}, "cEigrpMeanSrtt": {}, "cEigrpNbrCount": {}, "cEigrpNextHopAddress": {}, "cEigrpNextHopAddressType": {}, "cEigrpNextHopInterface": {}, "cEigrpNextSerial": {}, "cEigrpOOSrvcd": {}, "cEigrpPacingReliable": {}, "cEigrpPacingUnreliable": {}, "cEigrpPeerAddr": {}, "cEigrpPeerAddrType": {}, "cEigrpPeerCount": {}, "cEigrpPeerIfIndex": {}, "cEigrpPendingRoutes": {}, "cEigrpPktsEnqueued": {}, "cEigrpQueriesRcvd": {}, "cEigrpQueriesSent": {}, "cEigrpRMcasts": {}, "cEigrpRUcasts": {}, "cEigrpRepliesRcvd": {}, "cEigrpRepliesSent": {}, "cEigrpReportDistance": {}, "cEigrpRetrans": {}, "cEigrpRetransSent": {}, "cEigrpRetries": {}, "cEigrpRouteOriginAddr": {}, "cEigrpRouteOriginAddrType": {}, "cEigrpRouteOriginType": {}, "cEigrpRto": {}, "cEigrpSiaQueriesRcvd": {}, "cEigrpSiaQueriesSent": {}, "cEigrpSrtt": {}, "cEigrpStuckInActive": {}, "cEigrpTopoEntry": {"17": {}, "18": {}, "19": {}}, "cEigrpTopoRoutes": {}, "cEigrpUMcasts": {}, "cEigrpUUcasts": {}, "cEigrpUpTime": {}, "cEigrpUpdatesRcvd": {}, "cEigrpUpdatesSent": {}, "cEigrpVersion": {}, "cEigrpVpnName": {}, "cEigrpXmitDummies": {}, "cEigrpXmitNextSerial": {}, "cEigrpXmitPendReplies": {}, "cEigrpXmitReliableQ": {}, "cEigrpXmitUnreliableQ": {}, "cEtherCfmEventCode": {}, "cEtherCfmEventDeleteRow": {}, "cEtherCfmEventDomainName": {}, "cEtherCfmEventLastChange": {}, "cEtherCfmEventLclIfCount": {}, "cEtherCfmEventLclMacAddress": {}, "cEtherCfmEventLclMepCount": {}, "cEtherCfmEventLclMepid": {}, "cEtherCfmEventRmtMacAddress": {}, "cEtherCfmEventRmtMepid": {}, "cEtherCfmEventRmtPortState": {}, "cEtherCfmEventRmtServiceId": {}, "cEtherCfmEventServiceId": {}, "cEtherCfmEventType": {}, "cEtherCfmMaxEventIndex": {}, "cHsrpExtIfEntry": {"1": {}, "2": {}}, "cHsrpExtIfTrackedEntry": {"2": {}, "3": {}}, "cHsrpExtSecAddrEntry": {"2": {}}, "cHsrpGlobalConfig": {"1": {}}, "cHsrpGrpEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cIgmpFilterApplyStatus": {}, "cIgmpFilterEditEndAddress": {}, "cIgmpFilterEditEndAddressType": {}, "cIgmpFilterEditOperation": {}, "cIgmpFilterEditProfileAction": {}, "cIgmpFilterEditProfileIndex": {}, "cIgmpFilterEditSpinLock": {}, "cIgmpFilterEditStartAddress": {}, "cIgmpFilterEditStartAddressType": {}, "cIgmpFilterEnable": {}, "cIgmpFilterEndAddress": {}, "cIgmpFilterEndAddressType": {}, "cIgmpFilterInterfaceProfileIndex": {}, "cIgmpFilterMaxProfiles": {}, "cIgmpFilterProfileAction": {}, "cIpLocalPoolAllocEntry": {"3": {}, "4": {}}, "cIpLocalPoolConfigEntry": {"4": {}, "5": {}, "6": {}, "7": {}, "8": {}}, "cIpLocalPoolGroupContainsEntry": {"2": {}}, "cIpLocalPoolGroupEntry": {"1": {}, "2": {}}, "cIpLocalPoolNotificationsEnable": {}, "cIpLocalPoolStatsEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}}, "cMTCommonMetricsBitmaps": {}, "cMTCommonMetricsFlowCounter": {}, "cMTCommonMetricsFlowDirection": {}, "cMTCommonMetricsFlowSamplingStartTime": {}, "cMTCommonMetricsIpByteRate": {}, "cMTCommonMetricsIpDscp": {}, "cMTCommonMetricsIpOctets": {}, "cMTCommonMetricsIpPktCount": {}, "cMTCommonMetricsIpPktDropped": {}, "cMTCommonMetricsIpProtocol": {}, "cMTCommonMetricsIpTtl": {}, "cMTCommonMetricsLossMeasurement": {}, "cMTCommonMetricsMediaStopOccurred": {}, "cMTCommonMetricsRouteForward": {}, "cMTFlowSpecifierDestAddr": {}, "cMTFlowSpecifierDestAddrType": {}, "cMTFlowSpecifierDestPort": {}, "cMTFlowSpecifierIpProtocol": {}, "cMTFlowSpecifierMetadataGlobalId": {}, "cMTFlowSpecifierRowStatus": {}, "cMTFlowSpecifierSourceAddr": {}, "cMTFlowSpecifierSourceAddrType": {}, "cMTFlowSpecifierSourcePort": {}, "cMTHopStatsCollectionStatus": {}, "cMTHopStatsEgressInterface": {}, "cMTHopStatsIngressInterface": {}, "cMTHopStatsMaskBitmaps": {}, "cMTHopStatsMediatraceTtl": {}, "cMTHopStatsName": {}, "cMTInitiatorActiveSessions": {}, "cMTInitiatorConfiguredSessions": {}, "cMTInitiatorEnable": {}, "cMTInitiatorInactiveSessions": {}, "cMTInitiatorMaxSessions": {}, "cMTInitiatorPendingSessions": {}, "cMTInitiatorProtocolVersionMajor": {}, "cMTInitiatorProtocolVersionMinor": {}, "cMTInitiatorSoftwareVersionMajor": {}, "cMTInitiatorSoftwareVersionMinor": {}, "cMTInitiatorSourceAddress": {}, "cMTInitiatorSourceAddressType": {}, "cMTInitiatorSourceInterface": {}, "cMTInterfaceBitmaps": {}, "cMTInterfaceInDiscards": {}, "cMTInterfaceInErrors": {}, "cMTInterfaceInOctets": {}, "cMTInterfaceInSpeed": {}, "cMTInterfaceOutDiscards": {}, "cMTInterfaceOutErrors": {}, "cMTInterfaceOutOctets": {}, "cMTInterfaceOutSpeed": {}, "cMTMediaMonitorProfileInterval": {}, "cMTMediaMonitorProfileMetric": {}, "cMTMediaMonitorProfileRowStatus": {}, "cMTMediaMonitorProfileRtpMaxDropout": {}, "cMTMediaMonitorProfileRtpMaxReorder": {}, "cMTMediaMonitorProfileRtpMinimalSequential": {}, "cMTPathHopAddr": {}, "cMTPathHopAddrType": {}, "cMTPathHopAlternate1Addr": {}, "cMTPathHopAlternate1AddrType": {}, "cMTPathHopAlternate2Addr": {}, "cMTPathHopAlternate2AddrType": {}, "cMTPathHopAlternate3Addr": {}, "cMTPathHopAlternate3AddrType": {}, "cMTPathHopType": {}, "cMTPathSpecifierDestAddr": {}, "cMTPathSpecifierDestAddrType": {}, "cMTPathSpecifierDestPort": {}, "cMTPathSpecifierGatewayAddr": {}, "cMTPathSpecifierGatewayAddrType": {}, "cMTPathSpecifierGatewayVlanId": {}, "cMTPathSpecifierIpProtocol": {}, "cMTPathSpecifierMetadataGlobalId": {}, "cMTPathSpecifierProtocolForDiscovery": {}, "cMTPathSpecifierRowStatus": {}, "cMTPathSpecifierSourceAddr": {}, "cMTPathSpecifierSourceAddrType": {}, "cMTPathSpecifierSourcePort": {}, "cMTResponderActiveSessions": {}, "cMTResponderEnable": {}, "cMTResponderMaxSessions": {}, "cMTRtpMetricsBitRate": {}, "cMTRtpMetricsBitmaps": {}, "cMTRtpMetricsExpectedPkts": {}, "cMTRtpMetricsJitter": {}, "cMTRtpMetricsLossPercent": {}, "cMTRtpMetricsLostPktEvents": {}, "cMTRtpMetricsLostPkts": {}, "cMTRtpMetricsOctets": {}, "cMTRtpMetricsPkts": {}, "cMTScheduleEntryAgeout": {}, "cMTScheduleLife": {}, "cMTScheduleRecurring": {}, "cMTScheduleRowStatus": {}, "cMTScheduleStartTime": {}, "cMTSessionFlowSpecifierName": {}, "cMTSessionParamName": {}, "cMTSessionParamsFrequency": {}, "cMTSessionParamsHistoryBuckets": {}, "cMTSessionParamsInactivityTimeout": {}, "cMTSessionParamsResponseTimeout": {}, "cMTSessionParamsRouteChangeReactiontime": {}, "cMTSessionParamsRowStatus": {}, "cMTSessionPathSpecifierName": {}, "cMTSessionProfileName": {}, "cMTSessionRequestStatsBitmaps": {}, "cMTSessionRequestStatsMDAppName": {}, "cMTSessionRequestStatsMDGlobalId": {}, "cMTSessionRequestStatsMDMultiPartySessionId": {}, "cMTSessionRequestStatsNumberOfErrorHops": {}, "cMTSessionRequestStatsNumberOfMediatraceHops": {}, "cMTSessionRequestStatsNumberOfNoDataRecordHops": {}, "cMTSessionRequestStatsNumberOfNonMediatraceHops": {}, "cMTSessionRequestStatsNumberOfValidHops": {}, "cMTSessionRequestStatsRequestStatus": {}, "cMTSessionRequestStatsRequestTimestamp": {}, "cMTSessionRequestStatsRouteIndex": {}, "cMTSessionRequestStatsTracerouteStatus": {}, "cMTSessionRowStatus": {}, "cMTSessionStatusBitmaps": {}, "cMTSessionStatusGlobalSessionId": {}, "cMTSessionStatusOperationState": {}, "cMTSessionStatusOperationTimeToLive": {}, "cMTSessionTraceRouteEnabled": {}, "cMTSystemMetricBitmaps": {}, "cMTSystemMetricCpuFiveMinutesUtilization": {}, "cMTSystemMetricCpuOneMinuteUtilization": {}, "cMTSystemMetricMemoryUtilization": {}, "cMTSystemProfileMetric": {}, "cMTSystemProfileRowStatus": {}, "cMTTcpMetricBitmaps": {}, "cMTTcpMetricConnectRoundTripDelay": {}, "cMTTcpMetricLostEventCount": {}, "cMTTcpMetricMediaByteCount": {}, "cMTTraceRouteHopNumber": {}, "cMTTraceRouteHopRtt": {}, "cPeerSearchType": {}, "cPppoeFwdedSessions": {}, "cPppoePerInterfaceSessionLossPercent": {}, "cPppoePerInterfaceSessionLossThreshold": {}, "cPppoePtaSessions": {}, "cPppoeSystemCurrSessions": {}, "cPppoeSystemExceededSessionErrors": {}, "cPppoeSystemHighWaterSessions": {}, "cPppoeSystemMaxAllowedSessions": {}, "cPppoeSystemPerMACSessionIWFlimit": {}, "cPppoeSystemPerMACSessionlimit": {}, "cPppoeSystemPerMacThrottleRatelimit": {}, "cPppoeSystemPerVCThrottleRatelimit": {}, "cPppoeSystemPerVClimit": {}, "cPppoeSystemPerVLANlimit": {}, "cPppoeSystemPerVLANthrottleRatelimit": {}, "cPppoeSystemSessionLossPercent": {}, "cPppoeSystemSessionLossThreshold": {}, "cPppoeSystemSessionNotifyObjects": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}}, "cPppoeSystemThresholdSessions": {}, "cPppoeTotalSessions": {}, "cPppoeTransSessions": {}, "cPppoeVcCurrSessions": {}, "cPppoeVcExceededSessionErrors": {}, "cPppoeVcHighWaterSessions": {}, "cPppoeVcMaxAllowedSessions": {}, "cPppoeVcThresholdSessions": {}, "cPtpClockCurrentDSMeanPathDelay": {}, "cPtpClockCurrentDSOffsetFromMaster": {}, "cPtpClockCurrentDSStepsRemoved": {}, "cPtpClockDefaultDSClockIdentity": {}, "cPtpClockDefaultDSPriority1": {}, "cPtpClockDefaultDSPriority2": {}, "cPtpClockDefaultDSQualityAccuracy": {}, "cPtpClockDefaultDSQualityClass": {}, "cPtpClockDefaultDSQualityOffset": {}, "cPtpClockDefaultDSSlaveOnly": {}, "cPtpClockDefaultDSTwoStepFlag": {}, "cPtpClockInput1ppsEnabled": {}, "cPtpClockInput1ppsInterface": {}, "cPtpClockInputFrequencyEnabled": {}, "cPtpClockOutput1ppsEnabled": {}, "cPtpClockOutput1ppsInterface": {}, "cPtpClockOutput1ppsOffsetEnabled": {}, "cPtpClockOutput1ppsOffsetNegative": {}, "cPtpClockOutput1ppsOffsetValue": {}, "cPtpClockParentDSClockPhChRate": {}, "cPtpClockParentDSGMClockIdentity": {}, "cPtpClockParentDSGMClockPriority1": {}, "cPtpClockParentDSGMClockPriority2": {}, "cPtpClockParentDSGMClockQualityAccuracy": {}, "cPtpClockParentDSGMClockQualityClass": {}, "cPtpClockParentDSGMClockQualityOffset": {}, "cPtpClockParentDSOffset": {}, "cPtpClockParentDSParentPortIdentity": {}, "cPtpClockParentDSParentStats": {}, "cPtpClockPortAssociateAddress": {}, "cPtpClockPortAssociateAddressType": {}, "cPtpClockPortAssociateInErrors": {}, "cPtpClockPortAssociateOutErrors": {}, "cPtpClockPortAssociatePacketsReceived": {}, "cPtpClockPortAssociatePacketsSent": {}, "cPtpClockPortCurrentPeerAddress": {}, "cPtpClockPortCurrentPeerAddressType": {}, "cPtpClockPortDSAnnounceRctTimeout": {}, "cPtpClockPortDSAnnouncementInterval": {}, "cPtpClockPortDSDelayMech": {}, "cPtpClockPortDSGrantDuration": {}, "cPtpClockPortDSMinDelayReqInterval": {}, "cPtpClockPortDSName": {}, "cPtpClockPortDSPTPVersion": {}, "cPtpClockPortDSPeerDelayReqInterval": {}, "cPtpClockPortDSPeerMeanPathDelay": {}, "cPtpClockPortDSPortIdentity": {}, "cPtpClockPortDSSyncInterval": {}, "cPtpClockPortName": {}, "cPtpClockPortNumOfAssociatedPorts": {}, "cPtpClockPortRole": {}, "cPtpClockPortRunningEncapsulationType": {}, "cPtpClockPortRunningIPversion": {}, "cPtpClockPortRunningInterfaceIndex": {}, "cPtpClockPortRunningName": {}, "cPtpClockPortRunningPacketsReceived": {}, "cPtpClockPortRunningPacketsSent": {}, "cPtpClockPortRunningRole": {}, "cPtpClockPortRunningRxMode": {}, "cPtpClockPortRunningState": {}, "cPtpClockPortRunningTxMode": {}, "cPtpClockPortSyncOneStep": {}, "cPtpClockPortTransDSFaultyFlag": {}, "cPtpClockPortTransDSPeerMeanPathDelay": {}, "cPtpClockPortTransDSPortIdentity": {}, "cPtpClockPortTransDSlogMinPdelayReqInt": {}, "cPtpClockRunningPacketsReceived": {}, "cPtpClockRunningPacketsSent": {}, "cPtpClockRunningState": {}, "cPtpClockTODEnabled": {}, "cPtpClockTODInterface": {}, "cPtpClockTimePropertiesDSCurrentUTCOffset": {}, "cPtpClockTimePropertiesDSCurrentUTCOffsetValid": {}, "cPtpClockTimePropertiesDSFreqTraceable": {}, "cPtpClockTimePropertiesDSLeap59": {}, "cPtpClockTimePropertiesDSLeap61": {}, "cPtpClockTimePropertiesDSPTPTimescale": {}, "cPtpClockTimePropertiesDSSource": {}, "cPtpClockTimePropertiesDSTimeTraceable": {}, "cPtpClockTransDefaultDSClockIdentity": {}, "cPtpClockTransDefaultDSDelay": {}, "cPtpClockTransDefaultDSNumOfPorts": {}, "cPtpClockTransDefaultDSPrimaryDomain": {}, "cPtpDomainClockPortPhysicalInterfacesTotal": {}, "cPtpDomainClockPortsTotal": {}, "cPtpSystemDomainTotals": {}, "cPtpSystemProfile": {}, "cQIfEntry": {"1": {}, "2": {}, "3": {}}, "cQRotationEntry": {"1": {}}, "cQStatsEntry": {"2": {}, "3": {}, "4": {}}, "cRFCfgAdminAction": {}, "cRFCfgKeepaliveThresh": {}, "cRFCfgKeepaliveThreshMax": {}, "cRFCfgKeepaliveThreshMin": {}, "cRFCfgKeepaliveTimer": {}, "cRFCfgKeepaliveTimerMax": {}, "cRFCfgKeepaliveTimerMin": {}, "cRFCfgMaintenanceMode": {}, "cRFCfgNotifTimer": {}, "cRFCfgNotifTimerMax": {}, "cRFCfgNotifTimerMin": {}, "cRFCfgNotifsEnabled": {}, "cRFCfgRedundancyMode": {}, "cRFCfgRedundancyModeDescr": {}, "cRFCfgRedundancyOperMode": {}, "cRFCfgSplitMode": {}, "cRFHistoryColdStarts": {}, "cRFHistoryCurrActiveUnitId": {}, "cRFHistoryPrevActiveUnitId": {}, "cRFHistoryStandByAvailTime": {}, "cRFHistorySwactTime": {}, "cRFHistorySwitchOverReason": {}, "cRFHistoryTableMaxLength": {}, "cRFStatusDomainInstanceEntry": {"1": {}, "2": {}, "3": {}, "4": {}}, "cRFStatusDuplexMode": {}, "cRFStatusFailoverTime": {}, "cRFStatusIssuFromVersion": {}, "cRFStatusIssuState": {}, "cRFStatusIssuStateRev1": {}, "cRFStatusIssuToVersion": {}, "cRFStatusLastSwactReasonCode": {}, "cRFStatusManualSwactInhibit": {}, "cRFStatusPeerStandByEntryTime": {}, "cRFStatusPeerUnitId": {}, "cRFStatusPeerUnitState": {}, "cRFStatusPrimaryMode": {}, "cRFStatusRFModeCapsModeDescr": {}, "cRFStatusUnitId": {}, "cRFStatusUnitState": {}, "cSipCfgAaa": {"1": {}}, "cSipCfgBase": { "1": {}, "10": {}, "11": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "26": {}, "27": {}, "28": {}, "29": {}, "3": {}, "30": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, }, "cSipCfgBase.12.1.2": {}, "cSipCfgBase.9.1.2": {}, "cSipCfgPeer": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cSipCfgPeer.1.1.10": {}, "cSipCfgPeer.1.1.11": {}, "cSipCfgPeer.1.1.12": {}, "cSipCfgPeer.1.1.13": {}, "cSipCfgPeer.1.1.14": {}, "cSipCfgPeer.1.1.15": {}, "cSipCfgPeer.1.1.16": {}, "cSipCfgPeer.1.1.17": {}, "cSipCfgPeer.1.1.18": {}, "cSipCfgPeer.1.1.2": {}, "cSipCfgPeer.1.1.3": {}, "cSipCfgPeer.1.1.4": {}, "cSipCfgPeer.1.1.5": {}, "cSipCfgPeer.1.1.6": {}, "cSipCfgPeer.1.1.7": {}, "cSipCfgPeer.1.1.8": {}, "cSipCfgPeer.1.1.9": {}, "cSipCfgRetry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cSipCfgStatusCauseMap.1.1.2": {}, "cSipCfgStatusCauseMap.1.1.3": {}, "cSipCfgStatusCauseMap.2.1.2": {}, "cSipCfgStatusCauseMap.2.1.3": {}, "cSipCfgTimer": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cSipStatsErrClient": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "26": {}, "27": {}, "28": {}, "29": {}, "3": {}, "30": {}, "31": {}, "32": {}, "33": {}, "34": {}, "35": {}, "36": {}, "37": {}, "38": {}, "39": {}, "4": {}, "40": {}, "41": {}, "42": {}, "43": {}, "44": {}, "45": {}, "46": {}, "47": {}, "48": {}, "49": {}, "5": {}, "50": {}, "51": {}, "52": {}, "53": {}, "54": {}, "55": {}, "56": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cSipStatsErrServer": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cSipStatsGlobalFail": { "1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, }, "cSipStatsInfo": { "1": {}, "10": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cSipStatsRedirect": { "1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, }, "cSipStatsRetry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cSipStatsSuccess": {"1": {}, "2": {}, "3": {}, "4": {}}, "cSipStatsSuccess.5.1.2": {}, "cSipStatsSuccess.5.1.3": {}, "cSipStatsTraffic": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "26": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "callActiveCallOrigin": {}, "callActiveCallState": {}, "callActiveChargedUnits": {}, "callActiveConnectTime": {}, "callActiveInfoType": {}, "callActiveLogicalIfIndex": {}, "callActivePeerAddress": {}, "callActivePeerId": {}, "callActivePeerIfIndex": {}, "callActivePeerSubAddress": {}, "callActiveReceiveBytes": {}, "callActiveReceivePackets": {}, "callActiveTransmitBytes": {}, "callActiveTransmitPackets": {}, "callHistoryCallOrigin": {}, "callHistoryChargedUnits": {}, "callHistoryConnectTime": {}, "callHistoryDisconnectCause": {}, "callHistoryDisconnectText": {}, "callHistoryDisconnectTime": {}, "callHistoryInfoType": {}, "callHistoryLogicalIfIndex": {}, "callHistoryPeerAddress": {}, "callHistoryPeerId": {}, "callHistoryPeerIfIndex": {}, "callHistoryPeerSubAddress": {}, "callHistoryReceiveBytes": {}, "callHistoryReceivePackets": {}, "callHistoryRetainTimer": {}, "callHistoryTableMaxLength": {}, "callHistoryTransmitBytes": {}, "callHistoryTransmitPackets": {}, "callHomeAlertGroupTypeEntry": {"2": {}, "3": {}, "4": {}}, "callHomeDestEmailAddressEntry": {"2": {}, "3": {}, "4": {}, "5": {}}, "callHomeDestProfileEntry": { "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "callHomeSwInventoryEntry": {"3": {}, "4": {}}, "callHomeUserDefCmdEntry": {"2": {}, "3": {}}, "caqQueuingParamsClassEntry": {"2": {}, "3": {}, "4": {}, "5": {}, "6": {}}, "caqQueuingParamsEntry": {"1": {}}, "caqVccParamsEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "caqVpcParamsEntry": { "1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cardIfIndexEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}}, "cardTableEntry": { "1": {}, "10": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "casAcctIncorrectResponses": {}, "casAcctPort": {}, "casAcctRequestTimeouts": {}, "casAcctRequests": {}, "casAcctResponseTime": {}, "casAcctServerErrorResponses": {}, "casAcctTransactionFailures": {}, "casAcctTransactionSuccesses": {}, "casAcctUnexpectedResponses": {}, "casAddress": {}, "casAuthenIncorrectResponses": {}, "casAuthenPort": {}, "casAuthenRequestTimeouts": {}, "casAuthenRequests": {}, "casAuthenResponseTime": {}, "casAuthenServerErrorResponses": {}, "casAuthenTransactionFailures": {}, "casAuthenTransactionSuccesses": {}, "casAuthenUnexpectedResponses": {}, "casAuthorIncorrectResponses": {}, "casAuthorRequestTimeouts": {}, "casAuthorRequests": {}, "casAuthorResponseTime": {}, "casAuthorServerErrorResponses": {}, "casAuthorTransactionFailures": {}, "casAuthorTransactionSuccesses": {}, "casAuthorUnexpectedResponses": {}, "casConfigRowStatus": {}, "casCurrentStateDuration": {}, "casDeadCount": {}, "casKey": {}, "casPreviousStateDuration": {}, "casPriority": {}, "casServerStateChangeEnable": {}, "casState": {}, "casTotalDeadTime": {}, "catmDownPVclHigherRangeValue": {}, "catmDownPVclLowerRangeValue": {}, "catmDownPVclRangeEnd": {}, "catmDownPVclRangeStart": {}, "catmIntfAISRDIOAMFailedPVcls": {}, "catmIntfAISRDIOAMRcovedPVcls": {}, "catmIntfAnyOAMFailedPVcls": {}, "catmIntfAnyOAMRcovedPVcls": {}, "catmIntfCurAISRDIOAMFailingPVcls": {}, "catmIntfCurAISRDIOAMRcovingPVcls": {}, "catmIntfCurAnyOAMFailingPVcls": {}, "catmIntfCurAnyOAMRcovingPVcls": {}, "catmIntfCurEndAISRDIFailingPVcls": {}, "catmIntfCurEndAISRDIRcovingPVcls": {}, "catmIntfCurEndCCOAMFailingPVcls": {}, "catmIntfCurEndCCOAMRcovingPVcls": {}, "catmIntfCurSegAISRDIFailingPVcls": {}, "catmIntfCurSegAISRDIRcovingPVcls": {}, "catmIntfCurSegCCOAMFailingPVcls": {}, "catmIntfCurSegCCOAMRcovingPVcls": {}, "catmIntfCurrentOAMFailingPVcls": {}, "catmIntfCurrentOAMRcovingPVcls": {}, "catmIntfCurrentlyDownToUpPVcls": {}, "catmIntfEndAISRDIFailedPVcls": {}, "catmIntfEndAISRDIRcovedPVcls": {}, "catmIntfEndCCOAMFailedPVcls": {}, "catmIntfEndCCOAMRcovedPVcls": {}, "catmIntfOAMFailedPVcls": {}, "catmIntfOAMRcovedPVcls": {}, "catmIntfSegAISRDIFailedPVcls": {}, "catmIntfSegAISRDIRcovedPVcls": {}, "catmIntfSegCCOAMFailedPVcls": {}, "catmIntfSegCCOAMRcovedPVcls": {}, "catmIntfTypeOfOAMFailure": {}, "catmIntfTypeOfOAMRecover": {}, "catmPVclAISRDIHigherRangeValue": {}, "catmPVclAISRDILowerRangeValue": {}, "catmPVclAISRDIRangeStatusChEnd": {}, "catmPVclAISRDIRangeStatusChStart": {}, "catmPVclAISRDIRangeStatusUpEnd": {}, "catmPVclAISRDIRangeStatusUpStart": {}, "catmPVclAISRDIStatusChangeEnd": {}, "catmPVclAISRDIStatusChangeStart": {}, "catmPVclAISRDIStatusTransition": {}, "catmPVclAISRDIStatusUpEnd": {}, "catmPVclAISRDIStatusUpStart": {}, "catmPVclAISRDIStatusUpTransition": {}, "catmPVclAISRDIUpHigherRangeValue": {}, "catmPVclAISRDIUpLowerRangeValue": {}, "catmPVclCurFailTime": {}, "catmPVclCurRecoverTime": {}, "catmPVclEndAISRDIHigherRngeValue": {}, "catmPVclEndAISRDILowerRangeValue": {}, "catmPVclEndAISRDIRangeStatChEnd": {}, "catmPVclEndAISRDIRangeStatUpEnd": {}, "catmPVclEndAISRDIRngeStatChStart": {}, "catmPVclEndAISRDIRngeStatUpStart": {}, "catmPVclEndAISRDIStatChangeEnd": {}, "catmPVclEndAISRDIStatChangeStart": {}, "catmPVclEndAISRDIStatTransition": {}, "catmPVclEndAISRDIStatUpEnd": {}, "catmPVclEndAISRDIStatUpStart": {}, "catmPVclEndAISRDIStatUpTransit": {}, "catmPVclEndAISRDIUpHigherRngeVal": {}, "catmPVclEndAISRDIUpLowerRangeVal": {}, "catmPVclEndCCHigherRangeValue": {}, "catmPVclEndCCLowerRangeValue": {}, "catmPVclEndCCRangeStatusChEnd": {}, "catmPVclEndCCRangeStatusChStart": {}, "catmPVclEndCCRangeStatusUpEnd": {}, "catmPVclEndCCRangeStatusUpStart": {}, "catmPVclEndCCStatusChangeEnd": {}, "catmPVclEndCCStatusChangeStart": {}, "catmPVclEndCCStatusTransition": {}, "catmPVclEndCCStatusUpEnd": {}, "catmPVclEndCCStatusUpStart": {}, "catmPVclEndCCStatusUpTransition": {}, "catmPVclEndCCUpHigherRangeValue": {}, "catmPVclEndCCUpLowerRangeValue": {}, "catmPVclFailureReason": {}, "catmPVclHigherRangeValue": {}, "catmPVclLowerRangeValue": {}, "catmPVclPrevFailTime": {}, "catmPVclPrevRecoverTime": {}, "catmPVclRangeFailureReason": {}, "catmPVclRangeRecoveryReason": {}, "catmPVclRangeStatusChangeEnd": {}, "catmPVclRangeStatusChangeStart": {}, "catmPVclRangeStatusUpEnd": {}, "catmPVclRangeStatusUpStart": {}, "catmPVclRecoveryReason": {}, "catmPVclSegAISRDIHigherRangeValue": {}, "catmPVclSegAISRDILowerRangeValue": {}, "catmPVclSegAISRDIRangeStatChEnd": {}, "catmPVclSegAISRDIRangeStatChStart": {}, "catmPVclSegAISRDIRangeStatUpEnd": {}, "catmPVclSegAISRDIRngeStatUpStart": {}, "catmPVclSegAISRDIStatChangeEnd": {}, "catmPVclSegAISRDIStatChangeStart": {}, "catmPVclSegAISRDIStatTransition": {}, "catmPVclSegAISRDIStatUpEnd": {}, "catmPVclSegAISRDIStatUpStart": {}, "catmPVclSegAISRDIStatUpTransit": {}, "catmPVclSegAISRDIUpHigherRngeVal": {}, "catmPVclSegAISRDIUpLowerRangeVal": {}, "catmPVclSegCCHigherRangeValue": {}, "catmPVclSegCCLowerRangeValue": {}, "catmPVclSegCCRangeStatusChEnd": {}, "catmPVclSegCCRangeStatusChStart": {}, "catmPVclSegCCRangeStatusUpEnd": {}, "catmPVclSegCCRangeStatusUpStart": {}, "catmPVclSegCCStatusChangeEnd": {}, "catmPVclSegCCStatusChangeStart": {}, "catmPVclSegCCStatusTransition": {}, "catmPVclSegCCStatusUpEnd": {}, "catmPVclSegCCStatusUpStart": {}, "catmPVclSegCCStatusUpTransition": {}, "catmPVclSegCCUpHigherRangeValue": {}, "catmPVclSegCCUpLowerRangeValue": {}, "catmPVclStatusChangeEnd": {}, "catmPVclStatusChangeStart": {}, "catmPVclStatusTransition": {}, "catmPVclStatusUpEnd": {}, "catmPVclStatusUpStart": {}, "catmPVclStatusUpTransition": {}, "catmPVclUpHigherRangeValue": {}, "catmPVclUpLowerRangeValue": {}, "catmPrevDownPVclRangeEnd": {}, "catmPrevDownPVclRangeStart": {}, "catmPrevUpPVclRangeEnd": {}, "catmPrevUpPVclRangeStart": {}, "catmUpPVclHigherRangeValue": {}, "catmUpPVclLowerRangeValue": {}, "catmUpPVclRangeEnd": {}, "catmUpPVclRangeStart": {}, "cbQosATMPVCPolicyEntry": {"1": {}}, "cbQosCMCfgEntry": {"1": {}, "2": {}, "3": {}}, "cbQosCMStatsEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "26": {}, "27": {}, "28": {}, "29": {}, "3": {}, "30": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cbQosEBCfgEntry": {"1": {}, "2": {}, "3": {}, "4": {}}, "cbQosEBStatsEntry": {"1": {}, "2": {}, "3": {}}, "cbQosFrameRelayPolicyEntry": {"1": {}}, "cbQosIPHCCfgEntry": {"1": {}, "2": {}}, "cbQosIPHCStatsEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "26": {}, "27": {}, "28": {}, "29": {}, "3": {}, "30": {}, "31": {}, "32": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cbQosInterfacePolicyEntry": {"1": {}}, "cbQosMatchStmtCfgEntry": {"1": {}, "2": {}}, "cbQosMatchStmtStatsEntry": { "1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, }, "cbQosObjectsEntry": {"2": {}, "3": {}, "4": {}}, "cbQosPoliceActionCfgEntry": {"2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}}, "cbQosPoliceCfgEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "26": {}, "27": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cbQosPoliceColorStatsEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cbQosPoliceStatsEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cbQosPolicyMapCfgEntry": {"1": {}, "2": {}}, "cbQosQueueingCfgEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cbQosQueueingStatsEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cbQosREDCfgEntry": {"1": {}, "2": {}, "3": {}, "4": {}}, "cbQosREDClassCfgEntry": { "10": {}, "11": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cbQosREDClassStatsEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "26": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cbQosServicePolicyEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, }, "cbQosSetCfgEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cbQosSetStatsEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cbQosTSCfgEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cbQosTSStatsEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cbQosTableMapCfgEntry": {"2": {}, "3": {}, "4": {}}, "cbQosTableMapSetCfgEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cbQosTableMapValueCfgEntry": {"2": {}}, "cbQosVlanIndex": {}, "cbfDefineFileTable.1.2": {}, "cbfDefineFileTable.1.3": {}, "cbfDefineFileTable.1.4": {}, "cbfDefineFileTable.1.5": {}, "cbfDefineFileTable.1.6": {}, "cbfDefineFileTable.1.7": {}, "cbfDefineObjectTable.1.2": {}, "cbfDefineObjectTable.1.3": {}, "cbfDefineObjectTable.1.4": {}, "cbfDefineObjectTable.1.5": {}, "cbfDefineObjectTable.1.6": {}, "cbfDefineObjectTable.1.7": {}, "cbfStatusFileTable.1.2": {}, "cbfStatusFileTable.1.3": {}, "cbfStatusFileTable.1.4": {}, "cbgpGlobal": {"2": {}}, "cbgpNotifsEnable": {}, "cbgpPeer2AcceptedPrefixes": {}, "cbgpPeer2AddrFamilyName": {}, "cbgpPeer2AdminStatus": {}, "cbgpPeer2AdvertisedPrefixes": {}, "cbgpPeer2CapValue": {}, "cbgpPeer2ConnectRetryInterval": {}, "cbgpPeer2DeniedPrefixes": {}, "cbgpPeer2FsmEstablishedTime": {}, "cbgpPeer2FsmEstablishedTransitions": {}, "cbgpPeer2HoldTime": {}, "cbgpPeer2HoldTimeConfigured": {}, "cbgpPeer2InTotalMessages": {}, "cbgpPeer2InUpdateElapsedTime": {}, "cbgpPeer2InUpdates": {}, "cbgpPeer2KeepAlive": {}, "cbgpPeer2KeepAliveConfigured": {}, "cbgpPeer2LastError": {}, "cbgpPeer2LastErrorTxt": {}, "cbgpPeer2LocalAddr": {}, "cbgpPeer2LocalAs": {}, "cbgpPeer2LocalIdentifier": {}, "cbgpPeer2LocalPort": {}, "cbgpPeer2MinASOriginationInterval": {}, "cbgpPeer2MinRouteAdvertisementInterval": {}, "cbgpPeer2NegotiatedVersion": {}, "cbgpPeer2OutTotalMessages": {}, "cbgpPeer2OutUpdates": {}, "cbgpPeer2PrefixAdminLimit": {}, "cbgpPeer2PrefixClearThreshold": {}, "cbgpPeer2PrefixThreshold": {}, "cbgpPeer2PrevState": {}, "cbgpPeer2RemoteAs": {}, "cbgpPeer2RemoteIdentifier": {}, "cbgpPeer2RemotePort": {}, "cbgpPeer2State": {}, "cbgpPeer2SuppressedPrefixes": {}, "cbgpPeer2WithdrawnPrefixes": {}, "cbgpPeerAcceptedPrefixes": {}, "cbgpPeerAddrFamilyName": {}, "cbgpPeerAddrFamilyPrefixEntry": {"3": {}, "4": {}, "5": {}}, "cbgpPeerAdvertisedPrefixes": {}, "cbgpPeerCapValue": {}, "cbgpPeerDeniedPrefixes": {}, "cbgpPeerEntry": {"7": {}, "8": {}}, "cbgpPeerPrefixAccepted": {}, "cbgpPeerPrefixAdvertised": {}, "cbgpPeerPrefixDenied": {}, "cbgpPeerPrefixLimit": {}, "cbgpPeerPrefixSuppressed": {}, "cbgpPeerPrefixWithdrawn": {}, "cbgpPeerSuppressedPrefixes": {}, "cbgpPeerWithdrawnPrefixes": {}, "cbgpRouteASPathSegment": {}, "cbgpRouteAggregatorAS": {}, "cbgpRouteAggregatorAddr": {}, "cbgpRouteAggregatorAddrType": {}, "cbgpRouteAtomicAggregate": {}, "cbgpRouteBest": {}, "cbgpRouteLocalPref": {}, "cbgpRouteLocalPrefPresent": {}, "cbgpRouteMedPresent": {}, "cbgpRouteMultiExitDisc": {}, "cbgpRouteNextHop": {}, "cbgpRouteOrigin": {}, "cbgpRouteUnknownAttr": {}, "cbpAcctEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}}, "ccCopyTable.1.10": {}, "ccCopyTable.1.11": {}, "ccCopyTable.1.12": {}, "ccCopyTable.1.13": {}, "ccCopyTable.1.14": {}, "ccCopyTable.1.15": {}, "ccCopyTable.1.16": {}, "ccCopyTable.1.2": {}, "ccCopyTable.1.3": {}, "ccCopyTable.1.4": {}, "ccCopyTable.1.5": {}, "ccCopyTable.1.6": {}, "ccCopyTable.1.7": {}, "ccCopyTable.1.8": {}, "ccCopyTable.1.9": {}, "ccVoIPCallActivePolicyName": {}, "ccapAppActiveInstances": {}, "ccapAppCallType": {}, "ccapAppDescr": {}, "ccapAppEventLogging": {}, "ccapAppGblActCurrentInstances": {}, "ccapAppGblActHandoffInProgress": {}, "ccapAppGblActIPInCallNowConn": {}, "ccapAppGblActIPOutCallNowConn": {}, "ccapAppGblActPSTNInCallNowConn": {}, "ccapAppGblActPSTNOutCallNowConn": {}, "ccapAppGblActPlaceCallInProgress": {}, "ccapAppGblActPromptPlayActive": {}, "ccapAppGblActRecordingActive": {}, "ccapAppGblActTTSActive": {}, "ccapAppGblEventLogging": {}, "ccapAppGblEvtLogflush": {}, "ccapAppGblHisAAAAuthenticateFailure": {}, "ccapAppGblHisAAAAuthenticateSuccess": {}, "ccapAppGblHisAAAAuthorizeFailure": {}, "ccapAppGblHisAAAAuthorizeSuccess": {}, "ccapAppGblHisASNLNotifReceived": {}, "ccapAppGblHisASNLSubscriptionsFailed": {}, "ccapAppGblHisASNLSubscriptionsSent": {}, "ccapAppGblHisASNLSubscriptionsSuccess": {}, "ccapAppGblHisASRAborted": {}, "ccapAppGblHisASRAttempts": {}, "ccapAppGblHisASRMatch": {}, "ccapAppGblHisASRNoInput": {}, "ccapAppGblHisASRNoMatch": {}, "ccapAppGblHisDTMFAborted": {}, "ccapAppGblHisDTMFAttempts": {}, "ccapAppGblHisDTMFLongPound": {}, "ccapAppGblHisDTMFMatch": {}, "ccapAppGblHisDTMFNoInput": {}, "ccapAppGblHisDTMFNoMatch": {}, "ccapAppGblHisDocumentParseErrors": {}, "ccapAppGblHisDocumentReadAttempts": {}, "ccapAppGblHisDocumentReadFailures": {}, "ccapAppGblHisDocumentReadSuccess": {}, "ccapAppGblHisDocumentWriteAttempts": {}, "ccapAppGblHisDocumentWriteFailures": {}, "ccapAppGblHisDocumentWriteSuccess": {}, "ccapAppGblHisIPInCallDiscNormal": {}, "ccapAppGblHisIPInCallDiscSysErr": {}, "ccapAppGblHisIPInCallDiscUsrErr": {}, "ccapAppGblHisIPInCallHandOutRet": {}, "ccapAppGblHisIPInCallHandedOut": {}, "ccapAppGblHisIPInCallInHandoff": {}, "ccapAppGblHisIPInCallInHandoffRet": {}, "ccapAppGblHisIPInCallSetupInd": {}, "ccapAppGblHisIPInCallTotConn": {}, "ccapAppGblHisIPOutCallDiscNormal": {}, "ccapAppGblHisIPOutCallDiscSysErr": {}, "ccapAppGblHisIPOutCallDiscUsrErr": {}, "ccapAppGblHisIPOutCallHandOutRet": {}, "ccapAppGblHisIPOutCallHandedOut": {}, "ccapAppGblHisIPOutCallInHandoff": {}, "ccapAppGblHisIPOutCallInHandoffRet": {}, "ccapAppGblHisIPOutCallSetupReq": {}, "ccapAppGblHisIPOutCallTotConn": {}, "ccapAppGblHisInHandoffCallback": {}, "ccapAppGblHisInHandoffCallbackRet": {}, "ccapAppGblHisInHandoffNoCallback": {}, "ccapAppGblHisLastReset": {}, "ccapAppGblHisOutHandoffCallback": {}, "ccapAppGblHisOutHandoffCallbackRet": {}, "ccapAppGblHisOutHandoffNoCallback": {}, "ccapAppGblHisOutHandofffailures": {}, "ccapAppGblHisPSTNInCallDiscNormal": {}, "ccapAppGblHisPSTNInCallDiscSysErr": {}, "ccapAppGblHisPSTNInCallDiscUsrErr": {}, "ccapAppGblHisPSTNInCallHandOutRet": {}, "ccapAppGblHisPSTNInCallHandedOut": {}, "ccapAppGblHisPSTNInCallInHandoff": {}, "ccapAppGblHisPSTNInCallInHandoffRet": {}, "ccapAppGblHisPSTNInCallSetupInd": {}, "ccapAppGblHisPSTNInCallTotConn": {}, "ccapAppGblHisPSTNOutCallDiscNormal": {}, "ccapAppGblHisPSTNOutCallDiscSysErr": {}, "ccapAppGblHisPSTNOutCallDiscUsrErr": {}, "ccapAppGblHisPSTNOutCallHandOutRet": {}, "ccapAppGblHisPSTNOutCallHandedOut": {}, "ccapAppGblHisPSTNOutCallInHandoff": {}, "ccapAppGblHisPSTNOutCallInHandoffRet": {}, "ccapAppGblHisPSTNOutCallSetupReq": {}, "ccapAppGblHisPSTNOutCallTotConn": {}, "ccapAppGblHisPlaceCallAttempts": {}, "ccapAppGblHisPlaceCallFailure": {}, "ccapAppGblHisPlaceCallSuccess": {}, "ccapAppGblHisPromptPlayAttempts": {}, "ccapAppGblHisPromptPlayDuration": {}, "ccapAppGblHisPromptPlayFailed": {}, "ccapAppGblHisPromptPlaySuccess": {}, "ccapAppGblHisRecordingAttempts": {}, "ccapAppGblHisRecordingDuration": {}, "ccapAppGblHisRecordingFailed": {}, "ccapAppGblHisRecordingSuccess": {}, "ccapAppGblHisTTSAttempts": {}, "ccapAppGblHisTTSFailed": {}, "ccapAppGblHisTTSSuccess": {}, "ccapAppGblHisTotalInstances": {}, "ccapAppGblLastResetTime": {}, "ccapAppGblStatsClear": {}, "ccapAppGblStatsLogging": {}, "ccapAppHandoffInProgress": {}, "ccapAppIPInCallNowConn": {}, "ccapAppIPOutCallNowConn": {}, "ccapAppInstHisAAAAuthenticateFailure": {}, "ccapAppInstHisAAAAuthenticateSuccess": {}, "ccapAppInstHisAAAAuthorizeFailure": {}, "ccapAppInstHisAAAAuthorizeSuccess": {}, "ccapAppInstHisASNLNotifReceived": {}, "ccapAppInstHisASNLSubscriptionsFailed": {}, "ccapAppInstHisASNLSubscriptionsSent": {}, "ccapAppInstHisASNLSubscriptionsSuccess": {}, "ccapAppInstHisASRAborted": {}, "ccapAppInstHisASRAttempts": {}, "ccapAppInstHisASRMatch": {}, "ccapAppInstHisASRNoInput": {}, "ccapAppInstHisASRNoMatch": {}, "ccapAppInstHisAppName": {}, "ccapAppInstHisDTMFAborted": {}, "ccapAppInstHisDTMFAttempts": {}, "ccapAppInstHisDTMFLongPound": {}, "ccapAppInstHisDTMFMatch": {}, "ccapAppInstHisDTMFNoInput": {}, "ccapAppInstHisDTMFNoMatch": {}, "ccapAppInstHisDocumentParseErrors": {}, "ccapAppInstHisDocumentReadAttempts": {}, "ccapAppInstHisDocumentReadFailures": {}, "ccapAppInstHisDocumentReadSuccess": {}, "ccapAppInstHisDocumentWriteAttempts": {}, "ccapAppInstHisDocumentWriteFailures": {}, "ccapAppInstHisDocumentWriteSuccess": {}, "ccapAppInstHisIPInCallDiscNormal": {}, "ccapAppInstHisIPInCallDiscSysErr": {}, "ccapAppInstHisIPInCallDiscUsrErr": {}, "ccapAppInstHisIPInCallHandOutRet": {}, "ccapAppInstHisIPInCallHandedOut": {}, "ccapAppInstHisIPInCallInHandoff": {}, "ccapAppInstHisIPInCallInHandoffRet": {}, "ccapAppInstHisIPInCallSetupInd": {}, "ccapAppInstHisIPInCallTotConn": {}, "ccapAppInstHisIPOutCallDiscNormal": {}, "ccapAppInstHisIPOutCallDiscSysErr": {}, "ccapAppInstHisIPOutCallDiscUsrErr": {}, "ccapAppInstHisIPOutCallHandOutRet": {}, "ccapAppInstHisIPOutCallHandedOut": {}, "ccapAppInstHisIPOutCallInHandoff": {}, "ccapAppInstHisIPOutCallInHandoffRet": {}, "ccapAppInstHisIPOutCallSetupReq": {}, "ccapAppInstHisIPOutCallTotConn": {}, "ccapAppInstHisInHandoffCallback": {}, "ccapAppInstHisInHandoffCallbackRet": {}, "ccapAppInstHisInHandoffNoCallback": {}, "ccapAppInstHisOutHandoffCallback": {}, "ccapAppInstHisOutHandoffCallbackRet": {}, "ccapAppInstHisOutHandoffNoCallback": {}, "ccapAppInstHisOutHandofffailures": {}, "ccapAppInstHisPSTNInCallDiscNormal": {}, "ccapAppInstHisPSTNInCallDiscSysErr": {}, "ccapAppInstHisPSTNInCallDiscUsrErr": {}, "ccapAppInstHisPSTNInCallHandOutRet": {}, "ccapAppInstHisPSTNInCallHandedOut": {}, "ccapAppInstHisPSTNInCallInHandoff": {}, "ccapAppInstHisPSTNInCallInHandoffRet": {}, "ccapAppInstHisPSTNInCallSetupInd": {}, "ccapAppInstHisPSTNInCallTotConn": {}, "ccapAppInstHisPSTNOutCallDiscNormal": {}, "ccapAppInstHisPSTNOutCallDiscSysErr": {}, "ccapAppInstHisPSTNOutCallDiscUsrErr": {}, "ccapAppInstHisPSTNOutCallHandOutRet": {}, "ccapAppInstHisPSTNOutCallHandedOut": {}, "ccapAppInstHisPSTNOutCallInHandoff": {}, "ccapAppInstHisPSTNOutCallInHandoffRet": {}, "ccapAppInstHisPSTNOutCallSetupReq": {}, "ccapAppInstHisPSTNOutCallTotConn": {}, "ccapAppInstHisPlaceCallAttempts": {}, "ccapAppInstHisPlaceCallFailure": {}, "ccapAppInstHisPlaceCallSuccess": {}, "ccapAppInstHisPromptPlayAttempts": {}, "ccapAppInstHisPromptPlayDuration": {}, "ccapAppInstHisPromptPlayFailed": {}, "ccapAppInstHisPromptPlaySuccess": {}, "ccapAppInstHisRecordingAttempts": {}, "ccapAppInstHisRecordingDuration": {}, "ccapAppInstHisRecordingFailed": {}, "ccapAppInstHisRecordingSuccess": {}, "ccapAppInstHisSessionID": {}, "ccapAppInstHisTTSAttempts": {}, "ccapAppInstHisTTSFailed": {}, "ccapAppInstHisTTSSuccess": {}, "ccapAppInstHistEvtLogging": {}, "ccapAppIntfAAAMethodListEvtLog": {}, "ccapAppIntfAAAMethodListLastResetTime": {}, "ccapAppIntfAAAMethodListReadFailure": {}, "ccapAppIntfAAAMethodListReadRequest": {}, "ccapAppIntfAAAMethodListReadSuccess": {}, "ccapAppIntfAAAMethodListStats": {}, "ccapAppIntfASREvtLog": {}, "ccapAppIntfASRLastResetTime": {}, "ccapAppIntfASRReadFailure": {}, "ccapAppIntfASRReadRequest": {}, "ccapAppIntfASRReadSuccess": {}, "ccapAppIntfASRStats": {}, "ccapAppIntfFlashReadFailure": {}, "ccapAppIntfFlashReadRequest": {}, "ccapAppIntfFlashReadSuccess": {}, "ccapAppIntfGblEventLogging": {}, "ccapAppIntfGblEvtLogFlush": {}, "ccapAppIntfGblLastResetTime": {}, "ccapAppIntfGblStatsClear": {}, "ccapAppIntfGblStatsLogging": {}, "ccapAppIntfHTTPAvgXferRate": {}, "ccapAppIntfHTTPEvtLog": {}, "ccapAppIntfHTTPGetFailure": {}, "ccapAppIntfHTTPGetRequest": {}, "ccapAppIntfHTTPGetSuccess": {}, "ccapAppIntfHTTPLastResetTime": {}, "ccapAppIntfHTTPMaxXferRate": {}, "ccapAppIntfHTTPMinXferRate": {}, "ccapAppIntfHTTPPostFailure": {}, "ccapAppIntfHTTPPostRequest": {}, "ccapAppIntfHTTPPostSuccess": {}, "ccapAppIntfHTTPRxBytes": {}, "ccapAppIntfHTTPStats": {}, "ccapAppIntfHTTPTxBytes": {}, "ccapAppIntfRAMRecordReadRequest": {}, "ccapAppIntfRAMRecordReadSuccess": {}, "ccapAppIntfRAMRecordRequest": {}, "ccapAppIntfRAMRecordSuccess": {}, "ccapAppIntfRAMRecordiongFailure": {}, "ccapAppIntfRAMRecordiongReadFailure": {}, "ccapAppIntfRTSPAvgXferRate": {}, "ccapAppIntfRTSPEvtLog": {}, "ccapAppIntfRTSPLastResetTime": {}, "ccapAppIntfRTSPMaxXferRate": {}, "ccapAppIntfRTSPMinXferRate": {}, "ccapAppIntfRTSPReadFailure": {}, "ccapAppIntfRTSPReadRequest": {}, "ccapAppIntfRTSPReadSuccess": {}, "ccapAppIntfRTSPRxBytes": {}, "ccapAppIntfRTSPStats": {}, "ccapAppIntfRTSPTxBytes": {}, "ccapAppIntfRTSPWriteFailure": {}, "ccapAppIntfRTSPWriteRequest": {}, "ccapAppIntfRTSPWriteSuccess": {}, "ccapAppIntfSMTPAvgXferRate": {}, "ccapAppIntfSMTPEvtLog": {}, "ccapAppIntfSMTPLastResetTime": {}, "ccapAppIntfSMTPMaxXferRate": {}, "ccapAppIntfSMTPMinXferRate": {}, "ccapAppIntfSMTPReadFailure": {}, "ccapAppIntfSMTPReadRequest": {}, "ccapAppIntfSMTPReadSuccess": {}, "ccapAppIntfSMTPRxBytes": {}, "ccapAppIntfSMTPStats": {}, "ccapAppIntfSMTPTxBytes": {}, "ccapAppIntfSMTPWriteFailure": {}, "ccapAppIntfSMTPWriteRequest": {}, "ccapAppIntfSMTPWriteSuccess": {}, "ccapAppIntfTFTPAvgXferRate": {}, "ccapAppIntfTFTPEvtLog": {}, "ccapAppIntfTFTPLastResetTime": {}, "ccapAppIntfTFTPMaxXferRate": {}, "ccapAppIntfTFTPMinXferRate": {}, "ccapAppIntfTFTPReadFailure": {}, "ccapAppIntfTFTPReadRequest": {}, "ccapAppIntfTFTPReadSuccess": {}, "ccapAppIntfTFTPRxBytes": {}, "ccapAppIntfTFTPStats": {}, "ccapAppIntfTFTPTxBytes": {}, "ccapAppIntfTFTPWriteFailure": {}, "ccapAppIntfTFTPWriteRequest": {}, "ccapAppIntfTFTPWriteSuccess": {}, "ccapAppIntfTTSEvtLog": {}, "ccapAppIntfTTSLastResetTime": {}, "ccapAppIntfTTSReadFailure": {}, "ccapAppIntfTTSReadRequest": {}, "ccapAppIntfTTSReadSuccess": {}, "ccapAppIntfTTSStats": {}, "ccapAppLoadFailReason": {}, "ccapAppLoadState": {}, "ccapAppLocation": {}, "ccapAppPSTNInCallNowConn": {}, "ccapAppPSTNOutCallNowConn": {}, "ccapAppPlaceCallInProgress": {}, "ccapAppPromptPlayActive": {}, "ccapAppRecordingActive": {}, "ccapAppRowStatus": {}, "ccapAppTTSActive": {}, "ccapAppTypeHisAAAAuthenticateFailure": {}, "ccapAppTypeHisAAAAuthenticateSuccess": {}, "ccapAppTypeHisAAAAuthorizeFailure": {}, "ccapAppTypeHisAAAAuthorizeSuccess": {}, "ccapAppTypeHisASNLNotifReceived": {}, "ccapAppTypeHisASNLSubscriptionsFailed": {}, "ccapAppTypeHisASNLSubscriptionsSent": {}, "ccapAppTypeHisASNLSubscriptionsSuccess": {}, "ccapAppTypeHisASRAborted": {}, "ccapAppTypeHisASRAttempts": {}, "ccapAppTypeHisASRMatch": {}, "ccapAppTypeHisASRNoInput": {}, "ccapAppTypeHisASRNoMatch": {}, "ccapAppTypeHisDTMFAborted": {}, "ccapAppTypeHisDTMFAttempts": {}, "ccapAppTypeHisDTMFLongPound": {}, "ccapAppTypeHisDTMFMatch": {}, "ccapAppTypeHisDTMFNoInput": {}, "ccapAppTypeHisDTMFNoMatch": {}, "ccapAppTypeHisDocumentParseErrors": {}, "ccapAppTypeHisDocumentReadAttempts": {}, "ccapAppTypeHisDocumentReadFailures": {}, "ccapAppTypeHisDocumentReadSuccess": {}, "ccapAppTypeHisDocumentWriteAttempts": {}, "ccapAppTypeHisDocumentWriteFailures": {}, "ccapAppTypeHisDocumentWriteSuccess": {}, "ccapAppTypeHisEvtLogging": {}, "ccapAppTypeHisIPInCallDiscNormal": {}, "ccapAppTypeHisIPInCallDiscSysErr": {}, "ccapAppTypeHisIPInCallDiscUsrErr": {}, "ccapAppTypeHisIPInCallHandOutRet": {}, "ccapAppTypeHisIPInCallHandedOut": {}, "ccapAppTypeHisIPInCallInHandoff": {}, "ccapAppTypeHisIPInCallInHandoffRet": {}, "ccapAppTypeHisIPInCallSetupInd": {}, "ccapAppTypeHisIPInCallTotConn": {}, "ccapAppTypeHisIPOutCallDiscNormal": {}, "ccapAppTypeHisIPOutCallDiscSysErr": {}, "ccapAppTypeHisIPOutCallDiscUsrErr": {}, "ccapAppTypeHisIPOutCallHandOutRet": {}, "ccapAppTypeHisIPOutCallHandedOut": {}, "ccapAppTypeHisIPOutCallInHandoff": {}, "ccapAppTypeHisIPOutCallInHandoffRet": {}, "ccapAppTypeHisIPOutCallSetupReq": {}, "ccapAppTypeHisIPOutCallTotConn": {}, "ccapAppTypeHisInHandoffCallback": {}, "ccapAppTypeHisInHandoffCallbackRet": {}, "ccapAppTypeHisInHandoffNoCallback": {}, "ccapAppTypeHisLastResetTime": {}, "ccapAppTypeHisOutHandoffCallback": {}, "ccapAppTypeHisOutHandoffCallbackRet": {}, "ccapAppTypeHisOutHandoffNoCallback": {}, "ccapAppTypeHisOutHandofffailures": {}, "ccapAppTypeHisPSTNInCallDiscNormal": {}, "ccapAppTypeHisPSTNInCallDiscSysErr": {}, "ccapAppTypeHisPSTNInCallDiscUsrErr": {}, "ccapAppTypeHisPSTNInCallHandOutRet": {}, "ccapAppTypeHisPSTNInCallHandedOut": {}, "ccapAppTypeHisPSTNInCallInHandoff": {}, "ccapAppTypeHisPSTNInCallInHandoffRet": {}, "ccapAppTypeHisPSTNInCallSetupInd": {}, "ccapAppTypeHisPSTNInCallTotConn": {}, "ccapAppTypeHisPSTNOutCallDiscNormal": {}, "ccapAppTypeHisPSTNOutCallDiscSysErr": {}, "ccapAppTypeHisPSTNOutCallDiscUsrErr": {}, "ccapAppTypeHisPSTNOutCallHandOutRet": {}, "ccapAppTypeHisPSTNOutCallHandedOut": {}, "ccapAppTypeHisPSTNOutCallInHandoff": {}, "ccapAppTypeHisPSTNOutCallInHandoffRet": {}, "ccapAppTypeHisPSTNOutCallSetupReq": {}, "ccapAppTypeHisPSTNOutCallTotConn": {}, "ccapAppTypeHisPlaceCallAttempts": {}, "ccapAppTypeHisPlaceCallFailure": {}, "ccapAppTypeHisPlaceCallSuccess": {}, "ccapAppTypeHisPromptPlayAttempts": {}, "ccapAppTypeHisPromptPlayDuration": {}, "ccapAppTypeHisPromptPlayFailed": {}, "ccapAppTypeHisPromptPlaySuccess": {}, "ccapAppTypeHisRecordingAttempts": {}, "ccapAppTypeHisRecordingDuration": {}, "ccapAppTypeHisRecordingFailed": {}, "ccapAppTypeHisRecordingSuccess": {}, "ccapAppTypeHisTTSAttempts": {}, "ccapAppTypeHisTTSFailed": {}, "ccapAppTypeHisTTSSuccess": {}, "ccarConfigAccIdx": {}, "ccarConfigConformAction": {}, "ccarConfigExceedAction": {}, "ccarConfigExtLimit": {}, "ccarConfigLimit": {}, "ccarConfigRate": {}, "ccarConfigType": {}, "ccarStatCurBurst": {}, "ccarStatFilteredBytes": {}, "ccarStatFilteredBytesOverflow": {}, "ccarStatFilteredPkts": {}, "ccarStatFilteredPktsOverflow": {}, "ccarStatHCFilteredBytes": {}, "ccarStatHCFilteredPkts": {}, "ccarStatHCSwitchedBytes": {}, "ccarStatHCSwitchedPkts": {}, "ccarStatSwitchedBytes": {}, "ccarStatSwitchedBytesOverflow": {}, "ccarStatSwitchedPkts": {}, "ccarStatSwitchedPktsOverflow": {}, "ccbptPolicyIdNext": {}, "ccbptTargetTable.1.10": {}, "ccbptTargetTable.1.6": {}, "ccbptTargetTable.1.7": {}, "ccbptTargetTable.1.8": {}, "ccbptTargetTable.1.9": {}, "ccbptTargetTableLastChange": {}, "cciDescriptionEntry": {"1": {}, "2": {}}, "ccmCLICfgRunConfNotifEnable": {}, "ccmCLIHistoryCmdEntries": {}, "ccmCLIHistoryCmdEntriesAllowed": {}, "ccmCLIHistoryCommand": {}, "ccmCLIHistoryMaxCmdEntries": {}, "ccmCTID": {}, "ccmCTIDLastChangeTime": {}, "ccmCTIDRolledOverNotifEnable": {}, "ccmCTIDWhoChanged": {}, "ccmCallHomeAlertGroupCfg": {"3": {}, "5": {}}, "ccmCallHomeConfiguration": { "1": {}, "10": {}, "11": {}, "13": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "23": {}, "24": {}, "27": {}, "28": {}, "29": {}, "3": {}, "34": {}, "35": {}, "36": {}, "37": {}, "38": {}, "39": {}, "4": {}, "40": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ccmCallHomeDiagSignature": {"2": {}, "3": {}}, "ccmCallHomeDiagSignatureInfoEntry": { "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, }, "ccmCallHomeMessageSource": {"1": {}, "2": {}, "3": {}}, "ccmCallHomeNotifConfig": {"1": {}}, "ccmCallHomeReporting": {"1": {}}, "ccmCallHomeSecurity": {"1": {}}, "ccmCallHomeStats": {"1": {}, "2": {}, "3": {}, "4": {}}, "ccmCallHomeStatus": {"1": {}, "2": {}, "3": {}, "5": {}}, "ccmCallHomeVrf": {"1": {}}, "ccmDestProfileTestEntry": {"1": {}, "2": {}, "3": {}, "4": {}}, "ccmEventAlertGroupEntry": {"1": {}, "2": {}}, "ccmEventStatsEntry": { "10": {}, "11": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ccmHistoryCLICmdEntriesBumped": {}, "ccmHistoryEventCommandSource": {}, "ccmHistoryEventCommandSourceAddrRev1": {}, "ccmHistoryEventCommandSourceAddrType": {}, "ccmHistoryEventCommandSourceAddress": {}, "ccmHistoryEventConfigDestination": {}, "ccmHistoryEventConfigSource": {}, "ccmHistoryEventEntriesBumped": {}, "ccmHistoryEventFile": {}, "ccmHistoryEventRcpUser": {}, "ccmHistoryEventServerAddrRev1": {}, "ccmHistoryEventServerAddrType": {}, "ccmHistoryEventServerAddress": {}, "ccmHistoryEventTerminalLocation": {}, "ccmHistoryEventTerminalNumber": {}, "ccmHistoryEventTerminalType": {}, "ccmHistoryEventTerminalUser": {}, "ccmHistoryEventTime": {}, "ccmHistoryEventVirtualHostName": {}, "ccmHistoryMaxEventEntries": {}, "ccmHistoryRunningLastChanged": {}, "ccmHistoryRunningLastSaved": {}, "ccmHistoryStartupLastChanged": {}, "ccmOnDemandCliMsgControl": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}}, "ccmOnDemandMsgSendControl": {"1": {}, "2": {}, "3": {}, "4": {}}, "ccmPatternAlertGroupEntry": {"2": {}, "3": {}, "4": {}}, "ccmPeriodicAlertGroupEntry": { "1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, }, "ccmPeriodicSwInventoryCfg": {"1": {}}, "ccmSeverityAlertGroupEntry": {"1": {}}, "ccmSmartCallHomeActions": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}}, "ccmSmtpServerStatusEntry": {"1": {}}, "ccmSmtpServersEntry": {"3": {}, "4": {}, "5": {}, "6": {}}, "cdeCircuitEntry": {"1": {}, "2": {}, "3": {}, "4": {}}, "cdeFastEntry": { "10": {}, "11": {}, "12": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cdeIfEntry": {"1": {}}, "cdeNode": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cdeTConnConfigEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cdeTConnDirectConfigEntry": {"1": {}, "2": {}, "3": {}}, "cdeTConnOperEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}}, "cdeTConnTcpConfigEntry": {"1": {}}, "cdeTrapControl": {"1": {}, "2": {}}, "cdlCivicAddrLocationStatus": {}, "cdlCivicAddrLocationStorageType": {}, "cdlCivicAddrLocationValue": {}, "cdlCustomLocationStatus": {}, "cdlCustomLocationStorageType": {}, "cdlCustomLocationValue": {}, "cdlGeoAltitude": {}, "cdlGeoAltitudeResolution": {}, "cdlGeoAltitudeType": {}, "cdlGeoLatitude": {}, "cdlGeoLatitudeResolution": {}, "cdlGeoLongitude": {}, "cdlGeoLongitudeResolution": {}, "cdlGeoResolution": {}, "cdlGeoStatus": {}, "cdlGeoStorageType": {}, "cdlKey": {}, "cdlLocationCountryCode": {}, "cdlLocationPreferWeightValue": {}, "cdlLocationSubTypeCapability": {}, "cdlLocationTargetIdentifier": {}, "cdlLocationTargetType": {}, "cdot3OamAdminState": {}, "cdot3OamConfigRevision": {}, "cdot3OamCriticalEventEnable": {}, "cdot3OamDuplicateEventNotificationRx": {}, "cdot3OamDuplicateEventNotificationTx": {}, "cdot3OamDyingGaspEnable": {}, "cdot3OamErrFrameEvNotifEnable": {}, "cdot3OamErrFramePeriodEvNotifEnable": {}, "cdot3OamErrFramePeriodThreshold": {}, "cdot3OamErrFramePeriodWindow": {}, "cdot3OamErrFrameSecsEvNotifEnable": {}, "cdot3OamErrFrameSecsSummaryThreshold": {}, "cdot3OamErrFrameSecsSummaryWindow": {}, "cdot3OamErrFrameThreshold": {}, "cdot3OamErrFrameWindow": {}, "cdot3OamErrSymPeriodEvNotifEnable": {}, "cdot3OamErrSymPeriodThresholdHi": {}, "cdot3OamErrSymPeriodThresholdLo": {}, "cdot3OamErrSymPeriodWindowHi": {}, "cdot3OamErrSymPeriodWindowLo": {}, "cdot3OamEventLogEventTotal": {}, "cdot3OamEventLogLocation": {}, "cdot3OamEventLogOui": {}, "cdot3OamEventLogRunningTotal": {}, "cdot3OamEventLogThresholdHi": {}, "cdot3OamEventLogThresholdLo": {}, "cdot3OamEventLogTimestamp": {}, "cdot3OamEventLogType": {}, "cdot3OamEventLogValue": {}, "cdot3OamEventLogWindowHi": {}, "cdot3OamEventLogWindowLo": {}, "cdot3OamFramesLostDueToOam": {}, "cdot3OamFunctionsSupported": {}, "cdot3OamInformationRx": {}, "cdot3OamInformationTx": {}, "cdot3OamLoopbackControlRx": {}, "cdot3OamLoopbackControlTx": {}, "cdot3OamLoopbackIgnoreRx": {}, "cdot3OamLoopbackStatus": {}, "cdot3OamMaxOamPduSize": {}, "cdot3OamMode": {}, "cdot3OamOperStatus": {}, "cdot3OamOrgSpecificRx": {}, "cdot3OamOrgSpecificTx": {}, "cdot3OamPeerConfigRevision": {}, "cdot3OamPeerFunctionsSupported": {}, "cdot3OamPeerMacAddress": {}, "cdot3OamPeerMaxOamPduSize": {}, "cdot3OamPeerMode": {}, "cdot3OamPeerVendorInfo": {}, "cdot3OamPeerVendorOui": {}, "cdot3OamUniqueEventNotificationRx": {}, "cdot3OamUniqueEventNotificationTx": {}, "cdot3OamUnsupportedCodesRx": {}, "cdot3OamUnsupportedCodesTx": {}, "cdot3OamVariableRequestRx": {}, "cdot3OamVariableRequestTx": {}, "cdot3OamVariableResponseRx": {}, "cdot3OamVariableResponseTx": {}, "cdpCache.2.1.4": {}, "cdpCache.2.1.5": {}, "cdpCacheEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cdpGlobal": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}}, "cdpInterface.2.1.1": {}, "cdpInterface.2.1.2": {}, "cdpInterfaceEntry": {"2": {}, "3": {}, "4": {}, "5": {}, "6": {}}, "cdspActiveChannels": {}, "cdspAlarms": {}, "cdspCardIndex": {}, "cdspCardLastHiWaterUtilization": {}, "cdspCardLastResetTime": {}, "cdspCardMaxChanPerDSP": {}, "cdspCardResourceUtilization": {}, "cdspCardState": {}, "cdspCardVideoPoolUtilization": {}, "cdspCardVideoPoolUtilizationThreshold": {}, "cdspCodecTemplateSupported": {}, "cdspCongestedDsp": {}, "cdspCurrentAvlbCap": {}, "cdspCurrentUtilCap": {}, "cdspDspNum": {}, "cdspDspSwitchOverThreshold": {}, "cdspDspfarmObjects.5.1.10": {}, "cdspDspfarmObjects.5.1.11": {}, "cdspDspfarmObjects.5.1.2": {}, "cdspDspfarmObjects.5.1.3": {}, "cdspDspfarmObjects.5.1.4": {}, "cdspDspfarmObjects.5.1.5": {}, "cdspDspfarmObjects.5.1.6": {}, "cdspDspfarmObjects.5.1.7": {}, "cdspDspfarmObjects.5.1.8": {}, "cdspDspfarmObjects.5.1.9": {}, "cdspDtmfPowerLevel": {}, "cdspDtmfPowerTwist": {}, "cdspEnableOperStateNotification": {}, "cdspFailedDsp": {}, "cdspGlobMaxAvailTranscodeSess": {}, "cdspGlobMaxConfTranscodeSess": {}, "cdspInUseChannels": {}, "cdspLastAlarmCause": {}, "cdspLastAlarmCauseText": {}, "cdspLastAlarmTime": {}, "cdspMIBEnableCardStatusNotification": {}, "cdspMtpProfileEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cdspMtpProfileMaxAvailHardSess": {}, "cdspMtpProfileMaxConfHardSess": {}, "cdspMtpProfileMaxConfSoftSess": {}, "cdspMtpProfileRowStatus": {}, "cdspNormalDsp": {}, "cdspNumCongestionOccurrence": {}, "cdspNx64Dsp": {}, "cdspOperState": {}, "cdspPktLossConcealment": {}, "cdspRtcpControl": {}, "cdspRtcpRecvMultiplier": {}, "cdspRtcpTimerControl": {}, "cdspRtcpTransInterval": {}, "cdspRtcpXrControl": {}, "cdspRtcpXrExtRfactor": {}, "cdspRtcpXrGminDefault": {}, "cdspRtcpXrTransMultiplier": {}, "cdspRtpSidPayloadType": {}, "cdspSigBearerChannelSplit": {}, "cdspTotAvailMtpSess": {}, "cdspTotAvailTranscodeSess": {}, "cdspTotUnusedMtpSess": {}, "cdspTotUnusedTranscodeSess": {}, "cdspTotalChannels": {}, "cdspTotalDsp": {}, "cdspTranscodeProfileEntry": { "10": {}, "11": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cdspTranscodeProfileMaxAvailSess": {}, "cdspTranscodeProfileMaxConfSess": {}, "cdspTranscodeProfileRowStatus": {}, "cdspTransparentIpIp": {}, "cdspVadAdaptive": {}, "cdspVideoOutOfResourceNotificationEnable": {}, "cdspVideoUsageNotificationEnable": {}, "cdspVoiceModeIpIp": {}, "cdspVqmControl": {}, "cdspVqmThreshSES": {}, "cdspXAvailableBearerBandwidth": {}, "cdspXAvailableSigBandwidth": {}, "cdspXNumberOfBearerCalls": {}, "cdspXNumberOfSigCalls": {}, "cdtCommonAddrPool": {}, "cdtCommonDescr": {}, "cdtCommonIpv4AccessGroup": {}, "cdtCommonIpv4Unreachables": {}, "cdtCommonIpv6AccessGroup": {}, "cdtCommonIpv6Unreachables": {}, "cdtCommonKeepaliveInt": {}, "cdtCommonKeepaliveRetries": {}, "cdtCommonSrvAcct": {}, "cdtCommonSrvNetflow": {}, "cdtCommonSrvQos": {}, "cdtCommonSrvRedirect": {}, "cdtCommonSrvSubControl": {}, "cdtCommonValid": {}, "cdtCommonVrf": {}, "cdtEthernetBridgeDomain": {}, "cdtEthernetIpv4PointToPoint": {}, "cdtEthernetMacAddr": {}, "cdtEthernetPppoeEnable": {}, "cdtEthernetValid": {}, "cdtIfCdpEnable": {}, "cdtIfFlowMonitor": {}, "cdtIfIpv4Mtu": {}, "cdtIfIpv4SubEnable": {}, "cdtIfIpv4TcpMssAdjust": {}, "cdtIfIpv4Unnumbered": {}, "cdtIfIpv4VerifyUniRpf": {}, "cdtIfIpv4VerifyUniRpfAcl": {}, "cdtIfIpv4VerifyUniRpfOpts": {}, "cdtIfIpv6Enable": {}, "cdtIfIpv6NdDadAttempts": {}, "cdtIfIpv6NdNsInterval": {}, "cdtIfIpv6NdOpts": {}, "cdtIfIpv6NdPreferredLife": {}, "cdtIfIpv6NdPrefix": {}, "cdtIfIpv6NdPrefixLength": {}, "cdtIfIpv6NdRaIntervalMax": {}, "cdtIfIpv6NdRaIntervalMin": {}, "cdtIfIpv6NdRaIntervalUnits": {}, "cdtIfIpv6NdRaLife": {}, "cdtIfIpv6NdReachableTime": {}, "cdtIfIpv6NdRouterPreference": {}, "cdtIfIpv6NdValidLife": {}, "cdtIfIpv6SubEnable": {}, "cdtIfIpv6TcpMssAdjust": {}, "cdtIfIpv6VerifyUniRpf": {}, "cdtIfIpv6VerifyUniRpfAcl": {}, "cdtIfIpv6VerifyUniRpfOpts": {}, "cdtIfMtu": {}, "cdtIfValid": {}, "cdtPppAccounting": {}, "cdtPppAuthentication": {}, "cdtPppAuthenticationMethods": {}, "cdtPppAuthorization": {}, "cdtPppChapHostname": {}, "cdtPppChapOpts": {}, "cdtPppChapPassword": {}, "cdtPppEapIdentity": {}, "cdtPppEapOpts": {}, "cdtPppEapPassword": {}, "cdtPppIpcpAddrOption": {}, "cdtPppIpcpDnsOption": {}, "cdtPppIpcpDnsPrimary": {}, "cdtPppIpcpDnsSecondary": {}, "cdtPppIpcpMask": {}, "cdtPppIpcpMaskOption": {}, "cdtPppIpcpWinsOption": {}, "cdtPppIpcpWinsPrimary": {}, "cdtPppIpcpWinsSecondary": {}, "cdtPppLoopbackIgnore": {}, "cdtPppMaxBadAuth": {}, "cdtPppMaxConfigure": {}, "cdtPppMaxFailure": {}, "cdtPppMaxTerminate": {}, "cdtPppMsChapV1Hostname": {}, "cdtPppMsChapV1Opts": {}, "cdtPppMsChapV1Password": {}, "cdtPppMsChapV2Hostname": {}, "cdtPppMsChapV2Opts": {}, "cdtPppMsChapV2Password": {}, "cdtPppPapOpts": {}, "cdtPppPapPassword": {}, "cdtPppPapUsername": {}, "cdtPppPeerDefIpAddr": {}, "cdtPppPeerDefIpAddrOpts": {}, "cdtPppPeerDefIpAddrSrc": {}, "cdtPppPeerIpAddrPoolName": {}, "cdtPppPeerIpAddrPoolStatus": {}, "cdtPppPeerIpAddrPoolStorage": {}, "cdtPppTimeoutAuthentication": {}, "cdtPppTimeoutRetry": {}, "cdtPppValid": {}, "cdtSrvMulticast": {}, "cdtSrvNetworkSrv": {}, "cdtSrvSgSrvGroup": {}, "cdtSrvSgSrvType": {}, "cdtSrvValid": {}, "cdtSrvVpdnGroup": {}, "cdtTemplateAssociationName": {}, "cdtTemplateAssociationPrecedence": {}, "cdtTemplateName": {}, "cdtTemplateSrc": {}, "cdtTemplateStatus": {}, "cdtTemplateStorage": {}, "cdtTemplateTargetStatus": {}, "cdtTemplateTargetStorage": {}, "cdtTemplateType": {}, "cdtTemplateUsageCount": {}, "cdtTemplateUsageTargetId": {}, "cdtTemplateUsageTargetType": {}, "ceAlarmCriticalCount": {}, "ceAlarmCutOff": {}, "ceAlarmDescrSeverity": {}, "ceAlarmDescrText": {}, "ceAlarmDescrVendorType": {}, "ceAlarmFilterAlarmsEnabled": {}, "ceAlarmFilterAlias": {}, "ceAlarmFilterNotifiesEnabled": {}, "ceAlarmFilterProfile": {}, "ceAlarmFilterProfileIndexNext": {}, "ceAlarmFilterStatus": {}, "ceAlarmFilterSyslogEnabled": {}, "ceAlarmHistAlarmType": {}, "ceAlarmHistEntPhysicalIndex": {}, "ceAlarmHistLastIndex": {}, "ceAlarmHistSeverity": {}, "ceAlarmHistTableSize": {}, "ceAlarmHistTimeStamp": {}, "ceAlarmHistType": {}, "ceAlarmList": {}, "ceAlarmMajorCount": {}, "ceAlarmMinorCount": {}, "ceAlarmNotifiesEnable": {}, "ceAlarmSeverity": {}, "ceAlarmSyslogEnable": {}, "ceAssetAlias": {}, "ceAssetCLEI": {}, "ceAssetFirmwareID": {}, "ceAssetFirmwareRevision": {}, "ceAssetHardwareRevision": {}, "ceAssetIsFRU": {}, "ceAssetMfgAssyNumber": {}, "ceAssetMfgAssyRevision": {}, "ceAssetOEMString": {}, "ceAssetOrderablePartNumber": {}, "ceAssetSerialNumber": {}, "ceAssetSoftwareID": {}, "ceAssetSoftwareRevision": {}, "ceAssetTag": {}, "ceDiagEntityCurrentTestEntry": {"1": {}}, "ceDiagEntityEntry": {"1": {}, "2": {}, "3": {}, "4": {}}, "ceDiagErrorInfoEntry": {"2": {}}, "ceDiagEventQueryEntry": {"2": {}, "3": {}, "4": {}, "5": {}, "6": {}}, "ceDiagEventResultEntry": {"2": {}, "3": {}, "4": {}, "5": {}, "6": {}}, "ceDiagEvents": {"1": {}, "2": {}, "3": {}}, "ceDiagHMTestEntry": { "1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, }, "ceDiagHealthMonitor": {"1": {}}, "ceDiagNotificationControl": {"1": {}, "2": {}, "3": {}, "4": {}}, "ceDiagOnDemand": {"1": {}, "2": {}, "3": {}}, "ceDiagOnDemandJobEntry": {"1": {}, "2": {}, "3": {}, "4": {}}, "ceDiagScheduledJobEntry": { "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, }, "ceDiagTestCustomAttributeEntry": {"2": {}}, "ceDiagTestInfoEntry": {"2": {}, "3": {}}, "ceDiagTestPerfEntry": { "1": {}, "10": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ceExtConfigRegNext": {}, "ceExtConfigRegister": {}, "ceExtEntBreakOutPortNotifEnable": {}, "ceExtEntDoorNotifEnable": {}, "ceExtEntityLEDColor": {}, "ceExtHCProcessorRam": {}, "ceExtKickstartImageList": {}, "ceExtNVRAMSize": {}, "ceExtNVRAMUsed": {}, "ceExtNotificationControlObjects": {"3": {}}, "ceExtProcessorRam": {}, "ceExtProcessorRamOverflow": {}, "ceExtSysBootImageList": {}, "ceExtUSBModemIMEI": {}, "ceExtUSBModemIMSI": {}, "ceExtUSBModemServiceProvider": {}, "ceExtUSBModemSignalStrength": {}, "ceImage.1.1.2": {}, "ceImage.1.1.3": {}, "ceImage.1.1.4": {}, "ceImage.1.1.5": {}, "ceImage.1.1.6": {}, "ceImage.1.1.7": {}, "ceImageInstallableTable.1.2": {}, "ceImageInstallableTable.1.3": {}, "ceImageInstallableTable.1.4": {}, "ceImageInstallableTable.1.5": {}, "ceImageInstallableTable.1.6": {}, "ceImageInstallableTable.1.7": {}, "ceImageInstallableTable.1.8": {}, "ceImageInstallableTable.1.9": {}, "ceImageLocationTable.1.2": {}, "ceImageLocationTable.1.3": {}, "ceImageTags.1.1.2": {}, "ceImageTags.1.1.3": {}, "ceImageTags.1.1.4": {}, "ceeDot3PauseExtAdminMode": {}, "ceeDot3PauseExtOperMode": {}, "ceeSubInterfaceCount": {}, "ceemEventMapEntry": {"2": {}, "3": {}}, "ceemHistory": {"1": {}}, "ceemHistoryEventEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ceemHistoryLastEventEntry": {}, "ceemRegisteredPolicyEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cefAdjBytes": {}, "cefAdjEncap": {}, "cefAdjFixup": {}, "cefAdjForwardingInfo": {}, "cefAdjHCBytes": {}, "cefAdjHCPkts": {}, "cefAdjMTU": {}, "cefAdjPkts": {}, "cefAdjSource": {}, "cefAdjSummaryComplete": {}, "cefAdjSummaryFixup": {}, "cefAdjSummaryIncomplete": {}, "cefAdjSummaryRedirect": {}, "cefCCCount": {}, "cefCCEnabled": {}, "cefCCGlobalAutoRepairDelay": {}, "cefCCGlobalAutoRepairEnabled": {}, "cefCCGlobalAutoRepairHoldDown": {}, "cefCCGlobalErrorMsgEnabled": {}, "cefCCGlobalFullScanAction": {}, "cefCCGlobalFullScanStatus": {}, "cefCCPeriod": {}, "cefCCQueriesChecked": {}, "cefCCQueriesIgnored": {}, "cefCCQueriesIterated": {}, "cefCCQueriesSent": {}, "cefCfgAccountingMap": {}, "cefCfgAdminState": {}, "cefCfgDistributionAdminState": {}, "cefCfgDistributionOperState": {}, "cefCfgLoadSharingAlgorithm": {}, "cefCfgLoadSharingID": {}, "cefCfgOperState": {}, "cefCfgTrafficStatsLoadInterval": {}, "cefCfgTrafficStatsUpdateRate": {}, "cefFESelectionAdjConnId": {}, "cefFESelectionAdjInterface": {}, "cefFESelectionAdjLinkType": {}, "cefFESelectionAdjNextHopAddr": {}, "cefFESelectionAdjNextHopAddrType": {}, "cefFESelectionLabels": {}, "cefFESelectionSpecial": {}, "cefFESelectionVrfName": {}, "cefFESelectionWeight": {}, "cefFIBSummaryFwdPrefixes": {}, "cefInconsistencyCCType": {}, "cefInconsistencyEntity": {}, "cefInconsistencyNotifEnable": {}, "cefInconsistencyPrefixAddr": {}, "cefInconsistencyPrefixLen": {}, "cefInconsistencyPrefixType": {}, "cefInconsistencyReason": {}, "cefInconsistencyReset": {}, "cefInconsistencyResetStatus": {}, "cefInconsistencyVrfName": {}, "cefIntLoadSharing": {}, "cefIntNonrecursiveAccouting": {}, "cefIntSwitchingState": {}, "cefLMPrefixAddr": {}, "cefLMPrefixLen": {}, "cefLMPrefixRowStatus": {}, "cefLMPrefixSpinLock": {}, "cefLMPrefixState": {}, "cefNotifThrottlingInterval": {}, "cefPathInterface": {}, "cefPathNextHopAddr": {}, "cefPathRecurseVrfName": {}, "cefPathType": {}, "cefPeerFIBOperState": {}, "cefPeerFIBStateChangeNotifEnable": {}, "cefPeerNumberOfResets": {}, "cefPeerOperState": {}, "cefPeerStateChangeNotifEnable": {}, "cefPrefixBytes": {}, "cefPrefixExternalNRBytes": {}, "cefPrefixExternalNRHCBytes": {}, "cefPrefixExternalNRHCPkts": {}, "cefPrefixExternalNRPkts": {}, "cefPrefixForwardingInfo": {}, "cefPrefixHCBytes": {}, "cefPrefixHCPkts": {}, "cefPrefixInternalNRBytes": {}, "cefPrefixInternalNRHCBytes": {}, "cefPrefixInternalNRHCPkts": {}, "cefPrefixInternalNRPkts": {}, "cefPrefixPkts": {}, "cefResourceFailureNotifEnable": {}, "cefResourceFailureReason": {}, "cefResourceMemoryUsed": {}, "cefStatsPrefixDeletes": {}, "cefStatsPrefixElements": {}, "cefStatsPrefixHCDeletes": {}, "cefStatsPrefixHCElements": {}, "cefStatsPrefixHCInserts": {}, "cefStatsPrefixHCQueries": {}, "cefStatsPrefixInserts": {}, "cefStatsPrefixQueries": {}, "cefSwitchingDrop": {}, "cefSwitchingHCDrop": {}, "cefSwitchingHCPunt": {}, "cefSwitchingHCPunt2Host": {}, "cefSwitchingPath": {}, "cefSwitchingPunt": {}, "cefSwitchingPunt2Host": {}, "cefcFRUPowerStatusTable.1.1": {}, "cefcFRUPowerStatusTable.1.2": {}, "cefcFRUPowerStatusTable.1.3": {}, "cefcFRUPowerStatusTable.1.4": {}, "cefcFRUPowerStatusTable.1.5": {}, "cefcFRUPowerSupplyGroupTable.1.1": {}, "cefcFRUPowerSupplyGroupTable.1.2": {}, "cefcFRUPowerSupplyGroupTable.1.3": {}, "cefcFRUPowerSupplyGroupTable.1.4": {}, "cefcFRUPowerSupplyGroupTable.1.5": {}, "cefcFRUPowerSupplyGroupTable.1.6": {}, "cefcFRUPowerSupplyGroupTable.1.7": {}, "cefcFRUPowerSupplyValueTable.1.1": {}, "cefcFRUPowerSupplyValueTable.1.2": {}, "cefcFRUPowerSupplyValueTable.1.3": {}, "cefcFRUPowerSupplyValueTable.1.4": {}, "cefcMIBEnableStatusNotification": {}, "cefcMaxDefaultInLinePower": {}, "cefcModuleTable.1.1": {}, "cefcModuleTable.1.2": {}, "cefcModuleTable.1.3": {}, "cefcModuleTable.1.4": {}, "cefcModuleTable.1.5": {}, "cefcModuleTable.1.6": {}, "cefcModuleTable.1.7": {}, "cefcModuleTable.1.8": {}, "cempMIBObjects.2.1": {}, "cempMemBufferCachePoolEntry": { "1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, }, "cempMemBufferPoolEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cempMemPoolEntry": { "10": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cepConfigFallingThreshold": {}, "cepConfigPerfRange": {}, "cepConfigRisingThreshold": {}, "cepConfigThresholdNotifEnabled": {}, "cepEntityLastReloadTime": {}, "cepEntityNumReloads": {}, "cepIntervalStatsCreateTime": {}, "cepIntervalStatsMeasurement": {}, "cepIntervalStatsRange": {}, "cepIntervalStatsValidData": {}, "cepIntervalTimeElapsed": {}, "cepStatsAlgorithm": {}, "cepStatsMeasurement": {}, "cepThresholdNotifEnabled": {}, "cepThroughputAvgRate": {}, "cepThroughputInterval": {}, "cepThroughputLevel": {}, "cepThroughputLicensedBW": {}, "cepThroughputNotifEnabled": {}, "cepThroughputThreshold": {}, "cepValidIntervalCount": {}, "ceqfpFiveMinutesUtilAlgo": {}, "ceqfpFiveSecondUtilAlgo": {}, "ceqfpMemoryResCurrentFallingThresh": {}, "ceqfpMemoryResCurrentRisingThresh": {}, "ceqfpMemoryResFallingThreshold": {}, "ceqfpMemoryResFree": {}, "ceqfpMemoryResInUse": {}, "ceqfpMemoryResLowFreeWatermark": {}, "ceqfpMemoryResRisingThreshold": {}, "ceqfpMemoryResThreshNotifEnabled": {}, "ceqfpMemoryResTotal": {}, "ceqfpMemoryResourceEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "8": {}, "9": {}, }, "ceqfpNumberSystemLoads": {}, "ceqfpOneMinuteUtilAlgo": {}, "ceqfpSixtyMinutesUtilAlgo": {}, "ceqfpSystemLastLoadTime": {}, "ceqfpSystemState": {}, "ceqfpSystemTrafficDirection": {}, "ceqfpThroughputAvgRate": {}, "ceqfpThroughputLevel": {}, "ceqfpThroughputLicensedBW": {}, "ceqfpThroughputNotifEnabled": {}, "ceqfpThroughputSamplePeriod": {}, "ceqfpThroughputThreshold": {}, "ceqfpUtilInputNonPriorityBitRate": {}, "ceqfpUtilInputNonPriorityPktRate": {}, "ceqfpUtilInputPriorityBitRate": {}, "ceqfpUtilInputPriorityPktRate": {}, "ceqfpUtilInputTotalBitRate": {}, "ceqfpUtilInputTotalPktRate": {}, "ceqfpUtilOutputNonPriorityBitRate": {}, "ceqfpUtilOutputNonPriorityPktRate": {}, "ceqfpUtilOutputPriorityBitRate": {}, "ceqfpUtilOutputPriorityPktRate": {}, "ceqfpUtilOutputTotalBitRate": {}, "ceqfpUtilOutputTotalPktRate": {}, "ceqfpUtilProcessingLoad": {}, "cermConfigResGroupRowStatus": {}, "cermConfigResGroupStorageType": {}, "cermConfigResGroupUserRowStatus": {}, "cermConfigResGroupUserStorageType": {}, "cermConfigResGroupUserTypeName": {}, "cermNotifsDirection": {}, "cermNotifsEnabled": {}, "cermNotifsPolicyName": {}, "cermNotifsThresholdIsUserGlob": {}, "cermNotifsThresholdSeverity": {}, "cermNotifsThresholdValue": {}, "cermPolicyApplyPolicyName": {}, "cermPolicyApplyRowStatus": {}, "cermPolicyApplyStorageType": {}, "cermPolicyFallingInterval": {}, "cermPolicyFallingThreshold": {}, "cermPolicyIsGlobal": {}, "cermPolicyLoggingEnabled": {}, "cermPolicyResOwnerThreshRowStatus": {}, "cermPolicyResOwnerThreshStorageType": {}, "cermPolicyRisingInterval": {}, "cermPolicyRisingThreshold": {}, "cermPolicyRowStatus": {}, "cermPolicySnmpNotifEnabled": {}, "cermPolicyStorageType": {}, "cermPolicyUserTypeName": {}, "cermResGroupName": {}, "cermResGroupResUserId": {}, "cermResGroupUserInstanceCount": {}, "cermResMonitorName": {}, "cermResMonitorPolicyName": {}, "cermResMonitorResPolicyName": {}, "cermResOwnerMeasurementUnit": {}, "cermResOwnerName": {}, "cermResOwnerResGroupCount": {}, "cermResOwnerResUserCount": {}, "cermResOwnerSubTypeFallingInterval": {}, "cermResOwnerSubTypeFallingThresh": {}, "cermResOwnerSubTypeGlobNotifSeverity": {}, "cermResOwnerSubTypeMaxUsage": {}, "cermResOwnerSubTypeName": {}, "cermResOwnerSubTypeRisingInterval": {}, "cermResOwnerSubTypeRisingThresh": {}, "cermResOwnerSubTypeUsage": {}, "cermResOwnerSubTypeUsagePct": {}, "cermResOwnerThreshIsConfigurable": {}, "cermResUserName": {}, "cermResUserOrGroupFallingInterval": {}, "cermResUserOrGroupFallingThresh": {}, "cermResUserOrGroupFlag": {}, "cermResUserOrGroupGlobNotifSeverity": {}, "cermResUserOrGroupMaxUsage": {}, "cermResUserOrGroupNotifSeverity": {}, "cermResUserOrGroupRisingInterval": {}, "cermResUserOrGroupRisingThresh": {}, "cermResUserOrGroupThreshFlag": {}, "cermResUserOrGroupUsage": {}, "cermResUserOrGroupUsagePct": {}, "cermResUserPriority": {}, "cermResUserResGroupId": {}, "cermResUserTypeName": {}, "cermResUserTypeResGroupCount": {}, "cermResUserTypeResOwnerCount": {}, "cermResUserTypeResOwnerId": {}, "cermResUserTypeResUserCount": {}, "cermScalarsGlobalPolicyName": {}, "cevcEvcActiveUnis": {}, "cevcEvcCfgUnis": {}, "cevcEvcIdentifier": {}, "cevcEvcLocalUniIfIndex": {}, "cevcEvcNotifyEnabled": {}, "cevcEvcOperStatus": {}, "cevcEvcRowStatus": {}, "cevcEvcStorageType": {}, "cevcEvcType": {}, "cevcEvcUniId": {}, "cevcEvcUniOperStatus": {}, "cevcMacAddress": {}, "cevcMaxMacConfigLimit": {}, "cevcMaxNumEvcs": {}, "cevcNumCfgEvcs": {}, "cevcPortL2ControlProtocolAction": {}, "cevcPortMaxNumEVCs": {}, "cevcPortMaxNumServiceInstances": {}, "cevcPortMode": {}, "cevcSIAdminStatus": {}, "cevcSICEVlanEndingVlan": {}, "cevcSICEVlanRowStatus": {}, "cevcSICEVlanStorageType": {}, "cevcSICreationType": {}, "cevcSIEvcIndex": {}, "cevcSIForwardBdNumber": {}, "cevcSIForwardBdNumber1kBitmap": {}, "cevcSIForwardBdNumber2kBitmap": {}, "cevcSIForwardBdNumber3kBitmap": {}, "cevcSIForwardBdNumber4kBitmap": {}, "cevcSIForwardBdNumberBase": {}, "cevcSIForwardBdRowStatus": {}, "cevcSIForwardBdStorageType": {}, "cevcSIForwardingType": {}, "cevcSIID": {}, "cevcSIL2ControlProtocolAction": {}, "cevcSIMatchCriteriaType": {}, "cevcSIMatchEncapEncapsulation": {}, "cevcSIMatchEncapPayloadType": {}, "cevcSIMatchEncapPayloadTypes": {}, "cevcSIMatchEncapPrimaryCos": {}, "cevcSIMatchEncapPriorityCos": {}, "cevcSIMatchEncapRowStatus": {}, "cevcSIMatchEncapSecondaryCos": {}, "cevcSIMatchEncapStorageType": {}, "cevcSIMatchEncapValid": {}, "cevcSIMatchRowStatus": {}, "cevcSIMatchStorageType": {}, "cevcSIName": {}, "cevcSIOperStatus": {}, "cevcSIPrimaryVlanEndingVlan": {}, "cevcSIPrimaryVlanRowStatus": {}, "cevcSIPrimaryVlanStorageType": {}, "cevcSIRowStatus": {}, "cevcSISecondaryVlanEndingVlan": {}, "cevcSISecondaryVlanRowStatus": {}, "cevcSISecondaryVlanStorageType": {}, "cevcSIStorageType": {}, "cevcSITarget": {}, "cevcSITargetType": {}, "cevcSIType": {}, "cevcSIVlanRewriteAction": {}, "cevcSIVlanRewriteEncapsulation": {}, "cevcSIVlanRewriteRowStatus": {}, "cevcSIVlanRewriteStorageType": {}, "cevcSIVlanRewriteSymmetric": {}, "cevcSIVlanRewriteVlan1": {}, "cevcSIVlanRewriteVlan2": {}, "cevcUniCEVlanEvcEndingVlan": {}, "cevcUniIdentifier": {}, "cevcUniPortType": {}, "cevcUniServiceAttributes": {}, "cevcViolationCause": {}, "cfcRequestTable.1.10": {}, "cfcRequestTable.1.11": {}, "cfcRequestTable.1.12": {}, "cfcRequestTable.1.2": {}, "cfcRequestTable.1.3": {}, "cfcRequestTable.1.4": {}, "cfcRequestTable.1.5": {}, "cfcRequestTable.1.6": {}, "cfcRequestTable.1.7": {}, "cfcRequestTable.1.8": {}, "cfcRequestTable.1.9": {}, "cfmAlarmGroupConditionId": {}, "cfmAlarmGroupConditionsProfile": {}, "cfmAlarmGroupCurrentCount": {}, "cfmAlarmGroupDescr": {}, "cfmAlarmGroupFlowCount": {}, "cfmAlarmGroupFlowId": {}, "cfmAlarmGroupFlowSet": {}, "cfmAlarmGroupFlowTableChanged": {}, "cfmAlarmGroupRaised": {}, "cfmAlarmGroupTableChanged": {}, "cfmAlarmGroupThreshold": {}, "cfmAlarmGroupThresholdUnits": {}, "cfmAlarmHistoryConditionId": {}, "cfmAlarmHistoryConditionsProfile": {}, "cfmAlarmHistoryEntity": {}, "cfmAlarmHistoryLastId": {}, "cfmAlarmHistorySeverity": {}, "cfmAlarmHistorySize": {}, "cfmAlarmHistoryTime": {}, "cfmAlarmHistoryType": {}, "cfmConditionAlarm": {}, "cfmConditionAlarmActions": {}, "cfmConditionAlarmGroup": {}, "cfmConditionAlarmSeverity": {}, "cfmConditionDescr": {}, "cfmConditionMonitoredElement": {}, "cfmConditionSampleType": {}, "cfmConditionSampleWindow": {}, "cfmConditionTableChanged": {}, "cfmConditionThreshFall": {}, "cfmConditionThreshFallPrecision": {}, "cfmConditionThreshFallScale": {}, "cfmConditionThreshRise": {}, "cfmConditionThreshRisePrecision": {}, "cfmConditionThreshRiseScale": {}, "cfmConditionType": {}, "cfmFlowAdminStatus": {}, "cfmFlowCreateTime": {}, "cfmFlowDescr": {}, "cfmFlowDirection": {}, "cfmFlowDiscontinuityTime": {}, "cfmFlowEgress": {}, "cfmFlowEgressType": {}, "cfmFlowExpirationTime": {}, "cfmFlowIngress": {}, "cfmFlowIngressType": {}, "cfmFlowIpAddrDst": {}, "cfmFlowIpAddrSrc": {}, "cfmFlowIpAddrType": {}, "cfmFlowIpEntry": {"10": {}, "8": {}, "9": {}}, "cfmFlowIpHopLimit": {}, "cfmFlowIpNext": {}, "cfmFlowIpTableChanged": {}, "cfmFlowIpTrafficClass": {}, "cfmFlowIpValid": {}, "cfmFlowL2InnerVlanCos": {}, "cfmFlowL2InnerVlanId": {}, "cfmFlowL2VlanCos": {}, "cfmFlowL2VlanId": {}, "cfmFlowL2VlanNext": {}, "cfmFlowL2VlanTableChanged": {}, "cfmFlowMetricsAlarmSeverity": {}, "cfmFlowMetricsAlarms": {}, "cfmFlowMetricsBitRate": {}, "cfmFlowMetricsBitRateUnits": {}, "cfmFlowMetricsCollected": {}, "cfmFlowMetricsConditions": {}, "cfmFlowMetricsConditionsProfile": {}, "cfmFlowMetricsElapsedTime": {}, "cfmFlowMetricsEntry": { "22": {}, "23": {}, "24": {}, "25": {}, "26": {}, "27": {}, "28": {}, "29": {}, }, "cfmFlowMetricsErrorSecs": {}, "cfmFlowMetricsErrorSecsPrecision": {}, "cfmFlowMetricsErrorSecsScale": {}, "cfmFlowMetricsIntAlarmSeverity": {}, "cfmFlowMetricsIntAlarms": {}, "cfmFlowMetricsIntBitRate": {}, "cfmFlowMetricsIntBitRateUnits": {}, "cfmFlowMetricsIntConditions": {}, "cfmFlowMetricsIntEntry": { "18": {}, "19": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "26": {}, "27": {}, "28": {}, }, "cfmFlowMetricsIntErrorSecs": {}, "cfmFlowMetricsIntErrorSecsPrecision": {}, "cfmFlowMetricsIntErrorSecsScale": {}, "cfmFlowMetricsIntOctets": {}, "cfmFlowMetricsIntPktRate": {}, "cfmFlowMetricsIntPkts": {}, "cfmFlowMetricsIntTime": {}, "cfmFlowMetricsIntTransportAvailability": {}, "cfmFlowMetricsIntTransportAvailabilityPrecision": {}, "cfmFlowMetricsIntTransportAvailabilityScale": {}, "cfmFlowMetricsIntValid": {}, "cfmFlowMetricsIntervalTime": {}, "cfmFlowMetricsIntervals": {}, "cfmFlowMetricsInvalidIntervals": {}, "cfmFlowMetricsMaxIntervals": {}, "cfmFlowMetricsOctets": {}, "cfmFlowMetricsPktRate": {}, "cfmFlowMetricsPkts": {}, "cfmFlowMetricsTableChanged": {}, "cfmFlowMetricsTransportAvailability": {}, "cfmFlowMetricsTransportAvailabilityPrecision": {}, "cfmFlowMetricsTransportAvailabilityScale": {}, "cfmFlowMonitorAlarmCriticalCount": {}, "cfmFlowMonitorAlarmInfoCount": {}, "cfmFlowMonitorAlarmMajorCount": {}, "cfmFlowMonitorAlarmMinorCount": {}, "cfmFlowMonitorAlarmSeverity": {}, "cfmFlowMonitorAlarmWarningCount": {}, "cfmFlowMonitorAlarms": {}, "cfmFlowMonitorCaps": {}, "cfmFlowMonitorConditions": {}, "cfmFlowMonitorConditionsProfile": {}, "cfmFlowMonitorDescr": {}, "cfmFlowMonitorFlowCount": {}, "cfmFlowMonitorTableChanged": {}, "cfmFlowNext": {}, "cfmFlowOperStatus": {}, "cfmFlowRtpNext": {}, "cfmFlowRtpPayloadType": {}, "cfmFlowRtpSsrc": {}, "cfmFlowRtpTableChanged": {}, "cfmFlowRtpVersion": {}, "cfmFlowTableChanged": {}, "cfmFlowTcpNext": {}, "cfmFlowTcpPortDst": {}, "cfmFlowTcpPortSrc": {}, "cfmFlowTcpTableChanged": {}, "cfmFlowUdpNext": {}, "cfmFlowUdpPortDst": {}, "cfmFlowUdpPortSrc": {}, "cfmFlowUdpTableChanged": {}, "cfmFlows": {"14": {}}, "cfmFlows.13.1.1": {}, "cfmFlows.13.1.2": {}, "cfmFlows.13.1.3": {}, "cfmFlows.13.1.4": {}, "cfmFlows.13.1.5": {}, "cfmFlows.13.1.6": {}, "cfmFlows.13.1.7": {}, "cfmFlows.13.1.8": {}, "cfmIpCbrMetricsCfgBitRate": {}, "cfmIpCbrMetricsCfgMediaPktSize": {}, "cfmIpCbrMetricsCfgRate": {}, "cfmIpCbrMetricsCfgRateType": {}, "cfmIpCbrMetricsEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, }, "cfmIpCbrMetricsIntDf": {}, "cfmIpCbrMetricsIntDfPrecision": {}, "cfmIpCbrMetricsIntDfScale": {}, "cfmIpCbrMetricsIntEntry": { "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, }, "cfmIpCbrMetricsIntLostPkts": {}, "cfmIpCbrMetricsIntMr": {}, "cfmIpCbrMetricsIntMrUnits": {}, "cfmIpCbrMetricsIntMrv": {}, "cfmIpCbrMetricsIntMrvPrecision": {}, "cfmIpCbrMetricsIntMrvScale": {}, "cfmIpCbrMetricsIntValid": {}, "cfmIpCbrMetricsIntVbMax": {}, "cfmIpCbrMetricsIntVbMin": {}, "cfmIpCbrMetricsLostPkts": {}, "cfmIpCbrMetricsMrv": {}, "cfmIpCbrMetricsMrvPrecision": {}, "cfmIpCbrMetricsMrvScale": {}, "cfmIpCbrMetricsTableChanged": {}, "cfmIpCbrMetricsValid": {}, "cfmMdiMetricsCfgBitRate": {}, "cfmMdiMetricsCfgMediaPktSize": {}, "cfmMdiMetricsCfgRate": {}, "cfmMdiMetricsCfgRateType": {}, "cfmMdiMetricsEntry": {"10": {}}, "cfmMdiMetricsIntDf": {}, "cfmMdiMetricsIntDfPrecision": {}, "cfmMdiMetricsIntDfScale": {}, "cfmMdiMetricsIntEntry": {"13": {}}, "cfmMdiMetricsIntLostPkts": {}, "cfmMdiMetricsIntMlr": {}, "cfmMdiMetricsIntMlrPrecision": {}, "cfmMdiMetricsIntMlrScale": {}, "cfmMdiMetricsIntMr": {}, "cfmMdiMetricsIntMrUnits": {}, "cfmMdiMetricsIntValid": {}, "cfmMdiMetricsIntVbMax": {}, "cfmMdiMetricsIntVbMin": {}, "cfmMdiMetricsLostPkts": {}, "cfmMdiMetricsMlr": {}, "cfmMdiMetricsMlrPrecision": {}, "cfmMdiMetricsMlrScale": {}, "cfmMdiMetricsTableChanged": {}, "cfmMdiMetricsValid": {}, "cfmMetadataFlowAllAttrPen": {}, "cfmMetadataFlowAllAttrValue": {}, "cfmMetadataFlowAttrType": {}, "cfmMetadataFlowAttrValue": {}, "cfmMetadataFlowDestAddr": {}, "cfmMetadataFlowDestAddrType": {}, "cfmMetadataFlowDestPort": {}, "cfmMetadataFlowProtocolType": {}, "cfmMetadataFlowSSRC": {}, "cfmMetadataFlowSrcAddr": {}, "cfmMetadataFlowSrcAddrType": {}, "cfmMetadataFlowSrcPort": {}, "cfmNotifyEnable": {}, "cfmRtpMetricsAvgLD": {}, "cfmRtpMetricsAvgLDPrecision": {}, "cfmRtpMetricsAvgLDScale": {}, "cfmRtpMetricsAvgLossDistance": {}, "cfmRtpMetricsEntry": { "18": {}, "19": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "26": {}, "27": {}, "28": {}, "29": {}, "30": {}, "31": {}, }, "cfmRtpMetricsExpectedPkts": {}, "cfmRtpMetricsFrac": {}, "cfmRtpMetricsFracPrecision": {}, "cfmRtpMetricsFracScale": {}, "cfmRtpMetricsIntAvgLD": {}, "cfmRtpMetricsIntAvgLDPrecision": {}, "cfmRtpMetricsIntAvgLDScale": {}, "cfmRtpMetricsIntAvgLossDistance": {}, "cfmRtpMetricsIntEntry": { "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "26": {}, "27": {}, "28": {}, "29": {}, "30": {}, "31": {}, "32": {}, "33": {}, "34": {}, }, "cfmRtpMetricsIntExpectedPkts": {}, "cfmRtpMetricsIntFrac": {}, "cfmRtpMetricsIntFracPrecision": {}, "cfmRtpMetricsIntFracScale": {}, "cfmRtpMetricsIntJitter": {}, "cfmRtpMetricsIntJitterPrecision": {}, "cfmRtpMetricsIntJitterScale": {}, "cfmRtpMetricsIntLIs": {}, "cfmRtpMetricsIntLostPkts": {}, "cfmRtpMetricsIntMaxJitter": {}, "cfmRtpMetricsIntMaxJitterPrecision": {}, "cfmRtpMetricsIntMaxJitterScale": {}, "cfmRtpMetricsIntTransit": {}, "cfmRtpMetricsIntTransitPrecision": {}, "cfmRtpMetricsIntTransitScale": {}, "cfmRtpMetricsIntValid": {}, "cfmRtpMetricsJitter": {}, "cfmRtpMetricsJitterPrecision": {}, "cfmRtpMetricsJitterScale": {}, "cfmRtpMetricsLIs": {}, "cfmRtpMetricsLostPkts": {}, "cfmRtpMetricsMaxJitter": {}, "cfmRtpMetricsMaxJitterPrecision": {}, "cfmRtpMetricsMaxJitterScale": {}, "cfmRtpMetricsTableChanged": {}, "cfmRtpMetricsValid": {}, "cfrCircuitEntry": {"1": {}, "2": {}, "3": {}, "4": {}}, "cfrConnectionEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cfrElmiEntry": {"1": {}, "2": {}, "3": {}}, "cfrElmiNeighborEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}}, "cfrElmiObjs": {"1": {}}, "cfrExtCircuitEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "26": {}, "27": {}, "28": {}, "29": {}, "3": {}, "30": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cfrFragEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cfrLmiEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cfrMapEntry": { "1": {}, "10": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cfrSvcEntry": { "1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, }, "chassis": { "1": {}, "10": {}, "12": {}, "14": {}, "15": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cieIfDot1dBaseMappingEntry": {"1": {}}, "cieIfDot1qCustomEtherTypeEntry": {"1": {}, "2": {}}, "cieIfInterfaceEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cieIfNameMappingEntry": {"2": {}}, "cieIfPacketStatsEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cieIfUtilEntry": {"1": {}, "2": {}, "3": {}, "4": {}}, "ciiAreaAddrEntry": {"1": {}}, "ciiCircEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "8": {}, "9": {}, }, "ciiCircLevelEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ciiCircuitCounterEntry": { "10": {}, "2": {}, "3": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ciiIPRAEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ciiISAdjAreaAddrEntry": {"2": {}}, "ciiISAdjEntry": { "10": {}, "11": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ciiISAdjIPAddrEntry": {"2": {}, "3": {}}, "ciiISAdjProtSuppEntry": {"1": {}}, "ciiLSPSummaryEntry": {"3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}}, "ciiLSPTLVEntry": {"2": {}, "3": {}, "4": {}, "5": {}, "6": {}}, "ciiManAreaAddrEntry": {"2": {}}, "ciiPacketCounterEntry": { "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ciiRAEntry": { "11": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, }, "ciiRedistributeAddrEntry": {"4": {}}, "ciiRouterEntry": {"3": {}, "4": {}}, "ciiSummAddrEntry": {"4": {}, "5": {}, "6": {}}, "ciiSysLevelEntry": { "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ciiSysObject": { "1": {}, "10": {}, "11": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "8": {}, "9": {}, }, "ciiSysProtSuppEntry": {"2": {}}, "ciiSystemCounterEntry": { "10": {}, "12": {}, "13": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cipMacEntry": {"3": {}, "4": {}}, "cipMacFreeEntry": {"2": {}}, "cipMacXEntry": {"1": {}, "2": {}}, "cipPrecedenceEntry": {"3": {}, "4": {}}, "cipPrecedenceXEntry": {"1": {}, "2": {}}, "cipUrpfComputeInterval": {}, "cipUrpfDropNotifyHoldDownTime": {}, "cipUrpfDropRate": {}, "cipUrpfDropRateWindow": {}, "cipUrpfDrops": {}, "cipUrpfIfCheckStrict": {}, "cipUrpfIfDiscontinuityTime": {}, "cipUrpfIfDropRate": {}, "cipUrpfIfDropRateNotifyEnable": {}, "cipUrpfIfDrops": {}, "cipUrpfIfNotifyDrHoldDownReset": {}, "cipUrpfIfNotifyDropRateThreshold": {}, "cipUrpfIfSuppressedDrops": {}, "cipUrpfIfVrfName": {}, "cipUrpfIfWhichRouteTableID": {}, "cipUrpfVrfIfDiscontinuityTime": {}, "cipUrpfVrfIfDrops": {}, "cipUrpfVrfName": {}, "cipslaAutoGroupDescription": {}, "cipslaAutoGroupDestEndPointName": {}, "cipslaAutoGroupOperTemplateName": {}, "cipslaAutoGroupOperType": {}, "cipslaAutoGroupQoSEnable": {}, "cipslaAutoGroupRowStatus": {}, "cipslaAutoGroupSchedAgeout": {}, "cipslaAutoGroupSchedInterval": {}, "cipslaAutoGroupSchedLife": {}, "cipslaAutoGroupSchedMaxInterval": {}, "cipslaAutoGroupSchedMinInterval": {}, "cipslaAutoGroupSchedPeriod": {}, "cipslaAutoGroupSchedRowStatus": {}, "cipslaAutoGroupSchedStartTime": {}, "cipslaAutoGroupSchedStorageType": {}, "cipslaAutoGroupSchedulerId": {}, "cipslaAutoGroupStorageType": {}, "cipslaAutoGroupType": {}, "cipslaBaseEndPointDescription": {}, "cipslaBaseEndPointRowStatus": {}, "cipslaBaseEndPointStorageType": {}, "cipslaIPEndPointADDestIPAgeout": {}, "cipslaIPEndPointADDestPort": {}, "cipslaIPEndPointADMeasureRetry": {}, "cipslaIPEndPointADRowStatus": {}, "cipslaIPEndPointADStorageType": {}, "cipslaIPEndPointRowStatus": {}, "cipslaIPEndPointStorageType": {}, "cipslaPercentileJitterAvg": {}, "cipslaPercentileJitterDS": {}, "cipslaPercentileJitterSD": {}, "cipslaPercentileLatestAvg": {}, "cipslaPercentileLatestMax": {}, "cipslaPercentileLatestMin": {}, "cipslaPercentileLatestNum": {}, "cipslaPercentileLatestSum": {}, "cipslaPercentileLatestSum2": {}, "cipslaPercentileOWDS": {}, "cipslaPercentileOWSD": {}, "cipslaPercentileRTT": {}, "cipslaReactActionType": {}, "cipslaReactRowStatus": {}, "cipslaReactStorageType": {}, "cipslaReactThresholdCountX": {}, "cipslaReactThresholdCountY": {}, "cipslaReactThresholdFalling": {}, "cipslaReactThresholdRising": {}, "cipslaReactThresholdType": {}, "cipslaReactVar": {}, "ciscoAtmIfPVCs": {}, "ciscoBfdObjects.1.1": {}, "ciscoBfdObjects.1.3": {}, "ciscoBfdObjects.1.4": {}, "ciscoBfdSessDiag": {}, "ciscoBfdSessEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "9": {}, }, "ciscoBfdSessMapEntry": {"1": {}}, "ciscoBfdSessPerfEntry": { "1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ciscoBulkFileMIB.1.1.1": {}, "ciscoBulkFileMIB.1.1.2": {}, "ciscoBulkFileMIB.1.1.3": {}, "ciscoBulkFileMIB.1.1.4": {}, "ciscoBulkFileMIB.1.1.5": {}, "ciscoBulkFileMIB.1.1.6": {}, "ciscoBulkFileMIB.1.1.7": {}, "ciscoBulkFileMIB.1.1.8": {}, "ciscoBulkFileMIB.1.2.1": {}, "ciscoBulkFileMIB.1.2.2": {}, "ciscoBulkFileMIB.1.2.3": {}, "ciscoBulkFileMIB.1.2.4": {}, "ciscoCBQosMIBObjects.10.4.1.1": {}, "ciscoCBQosMIBObjects.10.4.1.2": {}, "ciscoCBQosMIBObjects.10.69.1.3": {}, "ciscoCBQosMIBObjects.10.69.1.4": {}, "ciscoCBQosMIBObjects.10.69.1.5": {}, "ciscoCBQosMIBObjects.10.136.1.1": {}, "ciscoCBQosMIBObjects.10.205.1.1": {}, "ciscoCBQosMIBObjects.10.205.1.10": {}, "ciscoCBQosMIBObjects.10.205.1.11": {}, "ciscoCBQosMIBObjects.10.205.1.12": {}, "ciscoCBQosMIBObjects.10.205.1.2": {}, "ciscoCBQosMIBObjects.10.205.1.3": {}, "ciscoCBQosMIBObjects.10.205.1.4": {}, "ciscoCBQosMIBObjects.10.205.1.5": {}, "ciscoCBQosMIBObjects.10.205.1.6": {}, "ciscoCBQosMIBObjects.10.205.1.7": {}, "ciscoCBQosMIBObjects.10.205.1.8": {}, "ciscoCBQosMIBObjects.10.205.1.9": {}, "ciscoCallHistory": {"1": {}, "2": {}}, "ciscoCallHistoryEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "20": {}, "21": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ciscoCallHomeMIB.1.13.1": {}, "ciscoCallHomeMIB.1.13.2": {}, "ciscoDlswCircuitEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "26": {}, "27": {}, "28": {}, "29": {}, "3": {}, "30": {}, "31": {}, "4": {}, "5": {}, "6": {}, "7": {}, }, "ciscoDlswCircuitStat": {"1": {}, "2": {}}, "ciscoDlswIfEntry": {"1": {}, "2": {}, "3": {}}, "ciscoDlswNode": { "1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ciscoDlswTConnConfigEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ciscoDlswTConnOperEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "26": {}, "27": {}, "28": {}, "29": {}, "30": {}, "31": {}, "32": {}, "33": {}, "34": {}, "35": {}, "36": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ciscoDlswTConnStat": {"1": {}, "2": {}, "3": {}}, "ciscoDlswTConnTcpConfigEntry": {"1": {}, "2": {}, "3": {}}, "ciscoDlswTConnTcpOperEntry": {"1": {}, "2": {}, "3": {}}, "ciscoDlswTrapControl": {"1": {}, "2": {}, "3": {}, "4": {}}, "ciscoEntityDiagMIB.1.2.1": {}, "ciscoEntityFRUControlMIB.1.1.5": {}, "ciscoEntityFRUControlMIB.10.9.2.1.1": {}, "ciscoEntityFRUControlMIB.10.9.2.1.2": {}, "ciscoEntityFRUControlMIB.10.9.3.1.1": {}, "ciscoEntityFRUControlMIB.1.3.2": {}, "ciscoEntityFRUControlMIB.10.25.1.1.1": {}, "ciscoEntityFRUControlMIB.10.36.1.1.1": {}, "ciscoEntityFRUControlMIB.10.49.1.1.2": {}, "ciscoEntityFRUControlMIB.10.49.2.1.2": {}, "ciscoEntityFRUControlMIB.10.49.2.1.3": {}, "ciscoEntityFRUControlMIB.10.64.1.1.1": {}, "ciscoEntityFRUControlMIB.10.64.1.1.2": {}, "ciscoEntityFRUControlMIB.10.64.2.1.1": {}, "ciscoEntityFRUControlMIB.10.64.2.1.2": {}, "ciscoEntityFRUControlMIB.10.64.3.1.1": {}, "ciscoEntityFRUControlMIB.10.64.3.1.2": {}, "ciscoEntityFRUControlMIB.10.64.4.1.2": {}, "ciscoEntityFRUControlMIB.10.64.4.1.3": {}, "ciscoEntityFRUControlMIB.10.64.4.1.4": {}, "ciscoEntityFRUControlMIB.10.64.4.1.5": {}, "ciscoEntityFRUControlMIB.10.81.1.1.1": {}, "ciscoEntityFRUControlMIB.10.81.2.1.1": {}, "ciscoExperiment.10.151.1.1.2": {}, "ciscoExperiment.10.151.1.1.3": {}, "ciscoExperiment.10.151.1.1.4": {}, "ciscoExperiment.10.151.1.1.5": {}, "ciscoExperiment.10.151.1.1.6": {}, "ciscoExperiment.10.151.1.1.7": {}, "ciscoExperiment.10.151.2.1.1": {}, "ciscoExperiment.10.151.2.1.2": {}, "ciscoExperiment.10.151.2.1.3": {}, "ciscoExperiment.10.151.3.1.1": {}, "ciscoExperiment.10.151.3.1.2": {}, "ciscoExperiment.10.19.1.1.2": {}, "ciscoExperiment.10.19.1.1.3": {}, "ciscoExperiment.10.19.1.1.4": {}, "ciscoExperiment.10.19.1.1.5": {}, "ciscoExperiment.10.19.1.1.6": {}, "ciscoExperiment.10.19.1.1.7": {}, "ciscoExperiment.10.19.1.1.8": {}, "ciscoExperiment.10.19.2.1.2": {}, "ciscoExperiment.10.19.2.1.3": {}, "ciscoExperiment.10.19.2.1.4": {}, "ciscoExperiment.10.19.2.1.5": {}, "ciscoExperiment.10.19.2.1.6": {}, "ciscoExperiment.10.19.2.1.7": {}, "ciscoExperiment.10.225.1.1.13": {}, "ciscoExperiment.10.225.1.1.14": {}, "ciscoFlashChipEntry": {"2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}}, "ciscoFlashCopyEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ciscoFlashDevice": {"1": {}}, "ciscoFlashDeviceEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ciscoFlashFileByTypeEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}}, "ciscoFlashFileEntry": {"2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}}, "ciscoFlashMIB.1.4.1": {}, "ciscoFlashMIB.1.4.2": {}, "ciscoFlashMiscOpEntry": {"2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}}, "ciscoFlashPartitionEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ciscoFlashPartitioningEntry": { "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ciscoFtpClientMIB.1.1.1": {}, "ciscoFtpClientMIB.1.1.2": {}, "ciscoFtpClientMIB.1.1.3": {}, "ciscoFtpClientMIB.1.1.4": {}, "ciscoIfExtSystemConfig": {"1": {}}, "ciscoImageEntry": {"2": {}}, "ciscoIpMRoute": {"1": {}}, "ciscoIpMRouteEntry": { "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "26": {}, "27": {}, "28": {}, "30": {}, "31": {}, "32": {}, "33": {}, "34": {}, "35": {}, "36": {}, "37": {}, "38": {}, "39": {}, "40": {}, "41": {}, }, "ciscoIpMRouteHeartBeatEntry": { "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, }, "ciscoIpMRouteInterfaceEntry": { "1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, }, "ciscoIpMRouteNextHopEntry": {"10": {}, "11": {}, "9": {}}, "ciscoMemoryPoolEntry": {"2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}}, "ciscoMgmt.10.196.3.1": {}, "ciscoMgmt.10.196.3.10": {}, "ciscoMgmt.10.196.3.2": {}, "ciscoMgmt.10.196.3.3": {}, "ciscoMgmt.10.196.3.4": {}, "ciscoMgmt.10.196.3.5": {}, "ciscoMgmt.10.196.3.6.1.10": {}, "ciscoMgmt.10.196.3.6.1.11": {}, "ciscoMgmt.10.196.3.6.1.12": {}, "ciscoMgmt.10.196.3.6.1.13": {}, "ciscoMgmt.10.196.3.6.1.14": {}, "ciscoMgmt.10.196.3.6.1.15": {}, "ciscoMgmt.10.196.3.6.1.16": {}, "ciscoMgmt.10.196.3.6.1.17": {}, "ciscoMgmt.10.196.3.6.1.18": {}, "ciscoMgmt.10.196.3.6.1.19": {}, "ciscoMgmt.10.196.3.6.1.2": {}, "ciscoMgmt.10.196.3.6.1.20": {}, "ciscoMgmt.10.196.3.6.1.21": {}, "ciscoMgmt.10.196.3.6.1.22": {}, "ciscoMgmt.10.196.3.6.1.23": {}, "ciscoMgmt.10.196.3.6.1.24": {}, "ciscoMgmt.10.196.3.6.1.25": {}, "ciscoMgmt.10.196.3.6.1.3": {}, "ciscoMgmt.10.196.3.6.1.4": {}, "ciscoMgmt.10.196.3.6.1.5": {}, "ciscoMgmt.10.196.3.6.1.6": {}, "ciscoMgmt.10.196.3.6.1.7": {}, "ciscoMgmt.10.196.3.6.1.8": {}, "ciscoMgmt.10.196.3.6.1.9": {}, "ciscoMgmt.10.196.3.7": {}, "ciscoMgmt.10.196.3.8": {}, "ciscoMgmt.10.196.3.9": {}, "ciscoMgmt.10.196.4.1.1.10": {}, "ciscoMgmt.10.196.4.1.1.2": {}, "ciscoMgmt.10.196.4.1.1.3": {}, "ciscoMgmt.10.196.4.1.1.4": {}, "ciscoMgmt.10.196.4.1.1.5": {}, "ciscoMgmt.10.196.4.1.1.6": {}, "ciscoMgmt.10.196.4.1.1.7": {}, "ciscoMgmt.10.196.4.1.1.8": {}, "ciscoMgmt.10.196.4.1.1.9": {}, "ciscoMgmt.10.196.4.2.1.2": {}, "ciscoMgmt.10.84.1.1.1.2": {}, "ciscoMgmt.10.84.1.1.1.3": {}, "ciscoMgmt.10.84.1.1.1.4": {}, "ciscoMgmt.10.84.1.1.1.5": {}, "ciscoMgmt.10.84.1.1.1.6": {}, "ciscoMgmt.10.84.1.1.1.7": {}, "ciscoMgmt.10.84.1.1.1.8": {}, "ciscoMgmt.10.84.1.1.1.9": {}, "ciscoMgmt.10.84.2.1.1.1": {}, "ciscoMgmt.10.84.2.1.1.2": {}, "ciscoMgmt.10.84.2.1.1.3": {}, "ciscoMgmt.10.84.2.1.1.4": {}, "ciscoMgmt.10.84.2.1.1.5": {}, "ciscoMgmt.10.84.2.1.1.6": {}, "ciscoMgmt.10.84.2.1.1.7": {}, "ciscoMgmt.10.84.2.1.1.8": {}, "ciscoMgmt.10.84.2.1.1.9": {}, "ciscoMgmt.10.84.2.2.1.1": {}, "ciscoMgmt.10.84.2.2.1.2": {}, "ciscoMgmt.10.84.3.1.1.2": {}, "ciscoMgmt.10.84.3.1.1.3": {}, "ciscoMgmt.10.84.3.1.1.4": {}, "ciscoMgmt.10.84.3.1.1.5": {}, "ciscoMgmt.10.84.4.1.1.3": {}, "ciscoMgmt.10.84.4.1.1.4": {}, "ciscoMgmt.10.84.4.1.1.5": {}, "ciscoMgmt.10.84.4.1.1.6": {}, "ciscoMgmt.10.84.4.1.1.7": {}, "ciscoMgmt.10.84.4.2.1.3": {}, "ciscoMgmt.10.84.4.2.1.4": {}, "ciscoMgmt.10.84.4.2.1.5": {}, "ciscoMgmt.10.84.4.2.1.6": {}, "ciscoMgmt.10.84.4.2.1.7": {}, "ciscoMgmt.10.84.4.3.1.3": {}, "ciscoMgmt.10.84.4.3.1.4": {}, "ciscoMgmt.10.84.4.3.1.5": {}, "ciscoMgmt.10.84.4.3.1.6": {}, "ciscoMgmt.10.84.4.3.1.7": {}, "ciscoMgmt.172.16.84.1.1": {}, "ciscoMgmt.172.16.115.1.1": {}, "ciscoMgmt.172.16.115.1.10": {}, "ciscoMgmt.172.16.115.1.11": {}, "ciscoMgmt.172.16.115.1.12": {}, "ciscoMgmt.172.16.115.1.2": {}, "ciscoMgmt.172.16.115.1.3": {}, "ciscoMgmt.172.16.115.1.4": {}, "ciscoMgmt.172.16.115.1.5": {}, "ciscoMgmt.172.16.115.1.6": {}, "ciscoMgmt.172.16.115.1.7": {}, "ciscoMgmt.172.16.115.1.8": {}, "ciscoMgmt.172.16.115.1.9": {}, "ciscoMgmt.172.16.151.1.1": {}, "ciscoMgmt.172.16.151.1.2": {}, "ciscoMgmt.172.16.94.1.1": {}, "ciscoMgmt.172.16.120.1.1": {}, "ciscoMgmt.172.16.120.1.2": {}, "ciscoMgmt.172.16.136.1.1": {}, "ciscoMgmt.172.16.136.1.2": {}, "ciscoMgmt.172.16.154.1": {}, "ciscoMgmt.172.16.154.2": {}, "ciscoMgmt.172.16.154.3.1.2": {}, "ciscoMgmt.172.16.154.3.1.3": {}, "ciscoMgmt.172.16.154.3.1.4": {}, "ciscoMgmt.172.16.154.3.1.5": {}, "ciscoMgmt.172.16.154.3.1.6": {}, "ciscoMgmt.172.16.154.3.1.7": {}, "ciscoMgmt.172.16.154.3.1.8": {}, "ciscoMgmt.172.16.204.1": {}, "ciscoMgmt.172.16.204.2": {}, "ciscoMgmt.310.169.1.1": {}, "ciscoMgmt.310.169.1.2": {}, "ciscoMgmt.310.169.1.3.1.10": {}, "ciscoMgmt.310.169.1.3.1.11": {}, "ciscoMgmt.310.169.1.3.1.12": {}, "ciscoMgmt.310.169.1.3.1.13": {}, "ciscoMgmt.310.169.1.3.1.14": {}, "ciscoMgmt.310.169.1.3.1.15": {}, "ciscoMgmt.310.169.1.3.1.2": {}, "ciscoMgmt.310.169.1.3.1.3": {}, "ciscoMgmt.310.169.1.3.1.4": {}, "ciscoMgmt.310.169.1.3.1.5": {}, "ciscoMgmt.310.169.1.3.1.6": {}, "ciscoMgmt.310.169.1.3.1.7": {}, "ciscoMgmt.310.169.1.3.1.8": {}, "ciscoMgmt.310.169.1.3.1.9": {}, "ciscoMgmt.310.169.1.4.1.2": {}, "ciscoMgmt.310.169.1.4.1.3": {}, "ciscoMgmt.310.169.1.4.1.4": {}, "ciscoMgmt.310.169.1.4.1.5": {}, "ciscoMgmt.310.169.1.4.1.6": {}, "ciscoMgmt.310.169.1.4.1.7": {}, "ciscoMgmt.310.169.1.4.1.8": {}, "ciscoMgmt.310.169.2.1.1.10": {}, "ciscoMgmt.310.169.2.1.1.11": {}, "ciscoMgmt.310.169.2.1.1.2": {}, "ciscoMgmt.310.169.2.1.1.3": {}, "ciscoMgmt.310.169.2.1.1.4": {}, "ciscoMgmt.310.169.2.1.1.5": {}, "ciscoMgmt.310.169.2.1.1.6": {}, "ciscoMgmt.310.169.2.1.1.7": {}, "ciscoMgmt.310.169.2.1.1.8": {}, "ciscoMgmt.310.169.2.1.1.9": {}, "ciscoMgmt.310.169.2.2.1.3": {}, "ciscoMgmt.310.169.2.2.1.4": {}, "ciscoMgmt.310.169.2.2.1.5": {}, "ciscoMgmt.310.169.2.3.1.3": {}, "ciscoMgmt.310.169.2.3.1.4": {}, "ciscoMgmt.310.169.2.3.1.5": {}, "ciscoMgmt.310.169.2.3.1.6": {}, "ciscoMgmt.310.169.2.3.1.7": {}, "ciscoMgmt.310.169.2.3.1.8": {}, "ciscoMgmt.310.169.3.1.1.1": {}, "ciscoMgmt.310.169.3.1.1.2": {}, "ciscoMgmt.310.169.3.1.1.3": {}, "ciscoMgmt.310.169.3.1.1.4": {}, "ciscoMgmt.310.169.3.1.1.5": {}, "ciscoMgmt.310.169.3.1.1.6": {}, "ciscoMgmt.410.169.1.1": {}, "ciscoMgmt.410.169.1.2": {}, "ciscoMgmt.410.169.2.1.1": {}, "ciscoMgmt.10.76.1.1.1.1": {}, "ciscoMgmt.10.76.1.1.1.2": {}, "ciscoMgmt.10.76.1.1.1.3": {}, "ciscoMgmt.10.76.1.1.1.4": {}, "ciscoMgmt.610.21.1.1.10": {}, "ciscoMgmt.610.21.1.1.11": {}, "ciscoMgmt.610.21.1.1.12": {}, "ciscoMgmt.610.21.1.1.13": {}, "ciscoMgmt.610.21.1.1.14": {}, "ciscoMgmt.610.21.1.1.15": {}, "ciscoMgmt.610.21.1.1.16": {}, "ciscoMgmt.610.21.1.1.17": {}, "ciscoMgmt.610.21.1.1.18": {}, "ciscoMgmt.610.21.1.1.19": {}, "ciscoMgmt.610.21.1.1.2": {}, "ciscoMgmt.610.21.1.1.20": {}, "ciscoMgmt.610.21.1.1.21": {}, "ciscoMgmt.610.21.1.1.22": {}, "ciscoMgmt.610.21.1.1.23": {}, "ciscoMgmt.610.21.1.1.24": {}, "ciscoMgmt.610.21.1.1.25": {}, "ciscoMgmt.610.21.1.1.26": {}, "ciscoMgmt.610.21.1.1.27": {}, "ciscoMgmt.610.21.1.1.28": {}, "ciscoMgmt.610.21.1.1.3": {}, "ciscoMgmt.610.21.1.1.30": {}, "ciscoMgmt.610.21.1.1.4": {}, "ciscoMgmt.610.21.1.1.5": {}, "ciscoMgmt.610.21.1.1.6": {}, "ciscoMgmt.610.21.1.1.7": {}, "ciscoMgmt.610.21.1.1.8": {}, "ciscoMgmt.610.21.1.1.9": {}, "ciscoMgmt.610.21.2.1.10": {}, "ciscoMgmt.610.21.2.1.11": {}, "ciscoMgmt.610.21.2.1.12": {}, "ciscoMgmt.610.21.2.1.13": {}, "ciscoMgmt.610.21.2.1.14": {}, "ciscoMgmt.610.21.2.1.15": {}, "ciscoMgmt.610.21.2.1.16": {}, "ciscoMgmt.610.21.2.1.2": {}, "ciscoMgmt.610.21.2.1.3": {}, "ciscoMgmt.610.21.2.1.4": {}, "ciscoMgmt.610.21.2.1.5": {}, "ciscoMgmt.610.21.2.1.6": {}, "ciscoMgmt.610.21.2.1.7": {}, "ciscoMgmt.610.21.2.1.8": {}, "ciscoMgmt.610.21.2.1.9": {}, "ciscoMgmt.610.94.1.1.10": {}, "ciscoMgmt.610.94.1.1.11": {}, "ciscoMgmt.610.94.1.1.12": {}, "ciscoMgmt.610.94.1.1.13": {}, "ciscoMgmt.610.94.1.1.14": {}, "ciscoMgmt.610.94.1.1.15": {}, "ciscoMgmt.610.94.1.1.16": {}, "ciscoMgmt.610.94.1.1.17": {}, "ciscoMgmt.610.94.1.1.18": {}, "ciscoMgmt.610.94.1.1.2": {}, "ciscoMgmt.610.94.1.1.3": {}, "ciscoMgmt.610.94.1.1.4": {}, "ciscoMgmt.610.94.1.1.5": {}, "ciscoMgmt.610.94.1.1.6": {}, "ciscoMgmt.610.94.1.1.7": {}, "ciscoMgmt.610.94.1.1.8": {}, "ciscoMgmt.610.94.1.1.9": {}, "ciscoMgmt.610.94.2.1.10": {}, "ciscoMgmt.610.94.2.1.11": {}, "ciscoMgmt.610.94.2.1.12": {}, "ciscoMgmt.610.94.2.1.13": {}, "ciscoMgmt.610.94.2.1.14": {}, "ciscoMgmt.610.94.2.1.15": {}, "ciscoMgmt.610.94.2.1.16": {}, "ciscoMgmt.610.94.2.1.17": {}, "ciscoMgmt.610.94.2.1.18": {}, "ciscoMgmt.610.94.2.1.19": {}, "ciscoMgmt.610.94.2.1.2": {}, "ciscoMgmt.610.94.2.1.20": {}, "ciscoMgmt.610.94.2.1.3": {}, "ciscoMgmt.610.94.2.1.4": {}, "ciscoMgmt.610.94.2.1.5": {}, "ciscoMgmt.610.94.2.1.6": {}, "ciscoMgmt.610.94.2.1.7": {}, "ciscoMgmt.610.94.2.1.8": {}, "ciscoMgmt.610.94.2.1.9": {}, "ciscoMgmt.610.94.3.1.10": {}, "ciscoMgmt.610.94.3.1.11": {}, "ciscoMgmt.610.94.3.1.12": {}, "ciscoMgmt.610.94.3.1.13": {}, "ciscoMgmt.610.94.3.1.14": {}, "ciscoMgmt.610.94.3.1.15": {}, "ciscoMgmt.610.94.3.1.16": {}, "ciscoMgmt.610.94.3.1.17": {}, "ciscoMgmt.610.94.3.1.18": {}, "ciscoMgmt.610.94.3.1.19": {}, "ciscoMgmt.610.94.3.1.2": {}, "ciscoMgmt.610.94.3.1.3": {}, "ciscoMgmt.610.94.3.1.4": {}, "ciscoMgmt.610.94.3.1.5": {}, "ciscoMgmt.610.94.3.1.6": {}, "ciscoMgmt.610.94.3.1.7": {}, "ciscoMgmt.610.94.3.1.8": {}, "ciscoMgmt.610.94.3.1.9": {}, "ciscoMgmt.10.84.1.2.1.4": {}, "ciscoMgmt.10.84.1.2.1.5": {}, "ciscoMgmt.10.84.1.3.1.2": {}, "ciscoMgmt.10.84.2.1.1.10": {}, "ciscoMgmt.10.84.2.1.1.11": {}, "ciscoMgmt.10.84.2.1.1.12": {}, "ciscoMgmt.10.84.2.1.1.13": {}, "ciscoMgmt.10.84.2.1.1.14": {}, "ciscoMgmt.10.84.2.1.1.15": {}, "ciscoMgmt.10.84.2.1.1.16": {}, "ciscoMgmt.10.84.2.1.1.17": {}, "ciscoMgmt.10.64.1.1.1.2": {}, "ciscoMgmt.10.64.1.1.1.3": {}, "ciscoMgmt.10.64.1.1.1.4": {}, "ciscoMgmt.10.64.1.1.1.5": {}, "ciscoMgmt.10.64.1.1.1.6": {}, "ciscoMgmt.10.64.2.1.1.4": {}, "ciscoMgmt.10.64.2.1.1.5": {}, "ciscoMgmt.10.64.2.1.1.6": {}, "ciscoMgmt.10.64.2.1.1.7": {}, "ciscoMgmt.10.64.2.1.1.8": {}, "ciscoMgmt.10.64.2.1.1.9": {}, "ciscoMgmt.10.64.3.1.1.1": {}, "ciscoMgmt.10.64.3.1.1.2": {}, "ciscoMgmt.10.64.3.1.1.3": {}, "ciscoMgmt.10.64.3.1.1.4": {}, "ciscoMgmt.10.64.3.1.1.5": {}, "ciscoMgmt.10.64.3.1.1.6": {}, "ciscoMgmt.10.64.3.1.1.7": {}, "ciscoMgmt.10.64.3.1.1.8": {}, "ciscoMgmt.10.64.3.1.1.9": {}, "ciscoMgmt.10.64.4.1.1.1": {}, "ciscoMgmt.10.64.4.1.1.10": {}, "ciscoMgmt.10.64.4.1.1.2": {}, "ciscoMgmt.10.64.4.1.1.3": {}, "ciscoMgmt.10.64.4.1.1.4": {}, "ciscoMgmt.10.64.4.1.1.5": {}, "ciscoMgmt.10.64.4.1.1.6": {}, "ciscoMgmt.10.64.4.1.1.7": {}, "ciscoMgmt.10.64.4.1.1.8": {}, "ciscoMgmt.10.64.4.1.1.9": {}, "ciscoMgmt.710.196.1.1.1.1": {}, "ciscoMgmt.710.196.1.1.1.10": {}, "ciscoMgmt.710.196.1.1.1.11": {}, "ciscoMgmt.710.196.1.1.1.12": {}, "ciscoMgmt.710.196.1.1.1.2": {}, "ciscoMgmt.710.196.1.1.1.3": {}, "ciscoMgmt.710.196.1.1.1.4": {}, "ciscoMgmt.710.196.1.1.1.5": {}, "ciscoMgmt.710.196.1.1.1.6": {}, "ciscoMgmt.710.196.1.1.1.7": {}, "ciscoMgmt.710.196.1.1.1.8": {}, "ciscoMgmt.710.196.1.1.1.9": {}, "ciscoMgmt.710.196.1.2": {}, "ciscoMgmt.710.196.1.3.1.1": {}, "ciscoMgmt.710.196.1.3.1.10": {}, "ciscoMgmt.710.196.1.3.1.11": {}, "ciscoMgmt.710.196.1.3.1.12": {}, "ciscoMgmt.710.196.1.3.1.2": {}, "ciscoMgmt.710.196.1.3.1.3": {}, "ciscoMgmt.710.196.1.3.1.4": {}, "ciscoMgmt.710.196.1.3.1.5": {}, "ciscoMgmt.710.196.1.3.1.6": {}, "ciscoMgmt.710.196.1.3.1.7": {}, "ciscoMgmt.710.196.1.3.1.8": {}, "ciscoMgmt.710.196.1.3.1.9": {}, "ciscoMgmt.710.84.1.1.1.1": {}, "ciscoMgmt.710.84.1.1.1.10": {}, "ciscoMgmt.710.84.1.1.1.11": {}, "ciscoMgmt.710.84.1.1.1.12": {}, "ciscoMgmt.710.84.1.1.1.2": {}, "ciscoMgmt.710.84.1.1.1.3": {}, "ciscoMgmt.710.84.1.1.1.4": {}, "ciscoMgmt.710.84.1.1.1.5": {}, "ciscoMgmt.710.84.1.1.1.6": {}, "ciscoMgmt.710.84.1.1.1.7": {}, "ciscoMgmt.710.84.1.1.1.8": {}, "ciscoMgmt.710.84.1.1.1.9": {}, "ciscoMgmt.710.84.1.2": {}, "ciscoMgmt.710.84.1.3.1.1": {}, "ciscoMgmt.710.84.1.3.1.10": {}, "ciscoMgmt.710.84.1.3.1.11": {}, "ciscoMgmt.710.84.1.3.1.12": {}, "ciscoMgmt.710.84.1.3.1.2": {}, "ciscoMgmt.710.84.1.3.1.3": {}, "ciscoMgmt.710.84.1.3.1.4": {}, "ciscoMgmt.710.84.1.3.1.5": {}, "ciscoMgmt.710.84.1.3.1.6": {}, "ciscoMgmt.710.84.1.3.1.7": {}, "ciscoMgmt.710.84.1.3.1.8": {}, "ciscoMgmt.710.84.1.3.1.9": {}, "ciscoMgmt.10.16.1.1.1": {}, "ciscoMgmt.10.16.1.1.2": {}, "ciscoMgmt.10.16.1.1.3": {}, "ciscoMgmt.10.16.1.1.4": {}, "ciscoMgmt.10.195.1.1.1": {}, "ciscoMgmt.10.195.1.1.10": {}, "ciscoMgmt.10.195.1.1.11": {}, "ciscoMgmt.10.195.1.1.12": {}, "ciscoMgmt.10.195.1.1.13": {}, "ciscoMgmt.10.195.1.1.14": {}, "ciscoMgmt.10.195.1.1.15": {}, "ciscoMgmt.10.195.1.1.16": {}, "ciscoMgmt.10.195.1.1.17": {}, "ciscoMgmt.10.195.1.1.18": {}, "ciscoMgmt.10.195.1.1.19": {}, "ciscoMgmt.10.195.1.1.2": {}, "ciscoMgmt.10.195.1.1.20": {}, "ciscoMgmt.10.195.1.1.21": {}, "ciscoMgmt.10.195.1.1.22": {}, "ciscoMgmt.10.195.1.1.23": {}, "ciscoMgmt.10.195.1.1.24": {}, "ciscoMgmt.10.195.1.1.3": {}, "ciscoMgmt.10.195.1.1.4": {}, "ciscoMgmt.10.195.1.1.5": {}, "ciscoMgmt.10.195.1.1.6": {}, "ciscoMgmt.10.195.1.1.7": {}, "ciscoMgmt.10.195.1.1.8": {}, "ciscoMgmt.10.195.1.1.9": {}, "ciscoMvpnConfig.1.1.1": {}, "ciscoMvpnConfig.1.1.2": {}, "ciscoMvpnConfig.1.1.3": {}, "ciscoMvpnConfig.1.1.4": {}, "ciscoMvpnConfig.2.1.1": {}, "ciscoMvpnConfig.2.1.2": {}, "ciscoMvpnConfig.2.1.3": {}, "ciscoMvpnConfig.2.1.4": {}, "ciscoMvpnConfig.2.1.5": {}, "ciscoMvpnConfig.2.1.6": {}, "ciscoMvpnGeneric.1.1.1": {}, "ciscoMvpnGeneric.1.1.2": {}, "ciscoMvpnGeneric.1.1.3": {}, "ciscoMvpnGeneric.1.1.4": {}, "ciscoMvpnProtocol.1.1.6": {}, "ciscoMvpnProtocol.1.1.7": {}, "ciscoMvpnProtocol.1.1.8": {}, "ciscoMvpnProtocol.2.1.3": {}, "ciscoMvpnProtocol.2.1.6": {}, "ciscoMvpnProtocol.2.1.7": {}, "ciscoMvpnProtocol.2.1.8": {}, "ciscoMvpnProtocol.2.1.9": {}, "ciscoMvpnProtocol.3.1.5": {}, "ciscoMvpnProtocol.3.1.6": {}, "ciscoMvpnProtocol.4.1.5": {}, "ciscoMvpnProtocol.4.1.6": {}, "ciscoMvpnProtocol.4.1.7": {}, "ciscoMvpnProtocol.5.1.1": {}, "ciscoMvpnProtocol.5.1.2": {}, "ciscoMvpnScalars": {"1": {}, "2": {}}, "ciscoNetflowMIB.1.7.1": {}, "ciscoNetflowMIB.1.7.10": {}, "ciscoNetflowMIB.1.7.11": {}, "ciscoNetflowMIB.1.7.12": {}, "ciscoNetflowMIB.1.7.13": {}, "ciscoNetflowMIB.1.7.14": {}, "ciscoNetflowMIB.1.7.15": {}, "ciscoNetflowMIB.1.7.16": {}, "ciscoNetflowMIB.1.7.17": {}, "ciscoNetflowMIB.1.7.18": {}, "ciscoNetflowMIB.1.7.19": {}, "ciscoNetflowMIB.1.7.2": {}, "ciscoNetflowMIB.1.7.20": {}, "ciscoNetflowMIB.1.7.21": {}, "ciscoNetflowMIB.1.7.22": {}, "ciscoNetflowMIB.1.7.23": {}, "ciscoNetflowMIB.1.7.24": {}, "ciscoNetflowMIB.1.7.25": {}, "ciscoNetflowMIB.1.7.26": {}, "ciscoNetflowMIB.1.7.27": {}, "ciscoNetflowMIB.1.7.28": {}, "ciscoNetflowMIB.1.7.29": {}, "ciscoNetflowMIB.1.7.3": {}, "ciscoNetflowMIB.1.7.30": {}, "ciscoNetflowMIB.1.7.31": {}, "ciscoNetflowMIB.1.7.32": {}, "ciscoNetflowMIB.1.7.33": {}, "ciscoNetflowMIB.1.7.34": {}, "ciscoNetflowMIB.1.7.35": {}, "ciscoNetflowMIB.1.7.36": {}, "ciscoNetflowMIB.1.7.37": {}, "ciscoNetflowMIB.1.7.38": {}, "ciscoNetflowMIB.1.7.4": {}, "ciscoNetflowMIB.1.7.5": {}, "ciscoNetflowMIB.1.7.6": {}, "ciscoNetflowMIB.1.7.7": {}, "ciscoNetflowMIB.10.64.8.1.10": {}, "ciscoNetflowMIB.10.64.8.1.11": {}, "ciscoNetflowMIB.10.64.8.1.12": {}, "ciscoNetflowMIB.10.64.8.1.13": {}, "ciscoNetflowMIB.10.64.8.1.14": {}, "ciscoNetflowMIB.10.64.8.1.15": {}, "ciscoNetflowMIB.10.64.8.1.16": {}, "ciscoNetflowMIB.10.64.8.1.17": {}, "ciscoNetflowMIB.10.64.8.1.18": {}, "ciscoNetflowMIB.10.64.8.1.19": {}, "ciscoNetflowMIB.10.64.8.1.2": {}, "ciscoNetflowMIB.10.64.8.1.20": {}, "ciscoNetflowMIB.10.64.8.1.21": {}, "ciscoNetflowMIB.10.64.8.1.22": {}, "ciscoNetflowMIB.10.64.8.1.23": {}, "ciscoNetflowMIB.10.64.8.1.24": {}, "ciscoNetflowMIB.10.64.8.1.25": {}, "ciscoNetflowMIB.10.64.8.1.26": {}, "ciscoNetflowMIB.10.64.8.1.3": {}, "ciscoNetflowMIB.10.64.8.1.4": {}, "ciscoNetflowMIB.10.64.8.1.5": {}, "ciscoNetflowMIB.10.64.8.1.6": {}, "ciscoNetflowMIB.10.64.8.1.7": {}, "ciscoNetflowMIB.10.64.8.1.8": {}, "ciscoNetflowMIB.10.64.8.1.9": {}, "ciscoNetflowMIB.1.7.9": {}, "ciscoPimMIBNotificationObjects": {"1": {}}, "ciscoPingEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ciscoPppoeMIBObjects.10.9.1.1": {}, "ciscoProcessMIB.10.9.3.1.1": {}, "ciscoProcessMIB.10.9.3.1.10": {}, "ciscoProcessMIB.10.9.3.1.11": {}, "ciscoProcessMIB.10.9.3.1.12": {}, "ciscoProcessMIB.10.9.3.1.13": {}, "ciscoProcessMIB.10.9.3.1.14": {}, "ciscoProcessMIB.10.9.3.1.15": {}, "ciscoProcessMIB.10.9.3.1.16": {}, "ciscoProcessMIB.10.9.3.1.17": {}, "ciscoProcessMIB.10.9.3.1.18": {}, "ciscoProcessMIB.10.9.3.1.19": {}, "ciscoProcessMIB.10.9.3.1.2": {}, "ciscoProcessMIB.10.9.3.1.20": {}, "ciscoProcessMIB.10.9.3.1.21": {}, "ciscoProcessMIB.10.9.3.1.22": {}, "ciscoProcessMIB.10.9.3.1.23": {}, "ciscoProcessMIB.10.9.3.1.24": {}, "ciscoProcessMIB.10.9.3.1.25": {}, "ciscoProcessMIB.10.9.3.1.26": {}, "ciscoProcessMIB.10.9.3.1.27": {}, "ciscoProcessMIB.10.9.3.1.28": {}, "ciscoProcessMIB.10.9.3.1.29": {}, "ciscoProcessMIB.10.9.3.1.3": {}, "ciscoProcessMIB.10.9.3.1.30": {}, "ciscoProcessMIB.10.9.3.1.4": {}, "ciscoProcessMIB.10.9.3.1.5": {}, "ciscoProcessMIB.10.9.3.1.6": {}, "ciscoProcessMIB.10.9.3.1.7": {}, "ciscoProcessMIB.10.9.3.1.8": {}, "ciscoProcessMIB.10.9.3.1.9": {}, "ciscoProcessMIB.10.9.5.1": {}, "ciscoProcessMIB.10.9.5.2": {}, "ciscoSessBorderCtrlrMIBObjects": { "73": {}, "74": {}, "75": {}, "76": {}, "77": {}, "78": {}, "79": {}, }, "ciscoSipUaMIB.10.4.7.1": {}, "ciscoSipUaMIB.10.4.7.2": {}, "ciscoSipUaMIB.10.4.7.3": {}, "ciscoSipUaMIB.10.4.7.4": {}, "ciscoSipUaMIB.10.9.10.1": {}, "ciscoSipUaMIB.10.9.10.10": {}, "ciscoSipUaMIB.10.9.10.11": {}, "ciscoSipUaMIB.10.9.10.12": {}, "ciscoSipUaMIB.10.9.10.13": {}, "ciscoSipUaMIB.10.9.10.14": {}, "ciscoSipUaMIB.10.9.10.2": {}, "ciscoSipUaMIB.10.9.10.3": {}, "ciscoSipUaMIB.10.9.10.4": {}, "ciscoSipUaMIB.10.9.10.5": {}, "ciscoSipUaMIB.10.9.10.6": {}, "ciscoSipUaMIB.10.9.10.7": {}, "ciscoSipUaMIB.10.9.10.8": {}, "ciscoSipUaMIB.10.9.10.9": {}, "ciscoSipUaMIB.10.9.9.1": {}, "ciscoSnapshotActivityEntry": { "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, }, "ciscoSnapshotInterfaceEntry": { "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, }, "ciscoSnapshotMIB.1.1": {}, "ciscoSyslogMIB.1.2.1": {}, "ciscoSyslogMIB.1.2.2": {}, "ciscoTcpConnEntry": { "1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ciscoVpdnMgmtMIB.0.1": {}, "ciscoVpdnMgmtMIB.0.2": {}, "ciscoVpdnMgmtMIBObjects.10.36.1.2": {}, "ciscoVpdnMgmtMIBObjects.6.1": {}, "ciscoVpdnMgmtMIBObjects.6.2": {}, "ciscoVpdnMgmtMIBObjects.6.3": {}, "ciscoVpdnMgmtMIBObjects.10.100.1.2": {}, "ciscoVpdnMgmtMIBObjects.10.100.1.3": {}, "ciscoVpdnMgmtMIBObjects.10.100.1.4": {}, "ciscoVpdnMgmtMIBObjects.10.100.1.5": {}, "ciscoVpdnMgmtMIBObjects.10.100.1.6": {}, "ciscoVpdnMgmtMIBObjects.10.100.1.7": {}, "ciscoVpdnMgmtMIBObjects.6.5": {}, "ciscoVpdnMgmtMIBObjects.10.144.1.3": {}, "ciscoVpdnMgmtMIBObjects.7.1": {}, "ciscoVpdnMgmtMIBObjects.7.2": {}, "clagAggDistributionAddressMode": {}, "clagAggDistributionProtocol": {}, "clagAggPortAdminStatus": {}, "clagAggProtocolType": {}, "clispExtEidRegMoreSpecificCount": {}, "clispExtEidRegMoreSpecificLimit": {}, "clispExtEidRegMoreSpecificWarningThreshold": {}, "clispExtEidRegRlocMembershipConfigured": {}, "clispExtEidRegRlocMembershipGleaned": {}, "clispExtEidRegRlocMembershipMemberSince": {}, "clispExtFeaturesEidRegMoreSpecificLimit": {}, "clispExtFeaturesEidRegMoreSpecificWarningThreshold": {}, "clispExtFeaturesMapCacheWarningThreshold": {}, "clispExtGlobalStatsEidRegMoreSpecificEntryCount": {}, "clispExtReliableTransportSessionBytesIn": {}, "clispExtReliableTransportSessionBytesOut": {}, "clispExtReliableTransportSessionEstablishmentRole": {}, "clispExtReliableTransportSessionLastStateChangeTime": {}, "clispExtReliableTransportSessionMessagesIn": {}, "clispExtReliableTransportSessionMessagesOut": {}, "clispExtReliableTransportSessionState": {}, "clispExtRlocMembershipConfigured": {}, "clispExtRlocMembershipDiscovered": {}, "clispExtRlocMembershipMemberSince": {}, "clogBasic": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}}, "clogHistoryEntry": {"2": {}, "3": {}, "4": {}, "5": {}, "6": {}}, "cmiFaAdvertChallengeChapSPI": {}, "cmiFaAdvertChallengeValue": {}, "cmiFaAdvertChallengeWindow": {}, "cmiFaAdvertIsBusy": {}, "cmiFaAdvertRegRequired": {}, "cmiFaChallengeEnable": {}, "cmiFaChallengeSupported": {}, "cmiFaCoaInterfaceOnly": {}, "cmiFaCoaRegAsymLink": {}, "cmiFaCoaTransmitOnly": {}, "cmiFaCvsesFromHaRejected": {}, "cmiFaCvsesFromMnRejected": {}, "cmiFaDeRegRepliesValidFromHA": {}, "cmiFaDeRegRepliesValidRelayToMN": {}, "cmiFaDeRegRequestsDenied": {}, "cmiFaDeRegRequestsDiscarded": {}, "cmiFaDeRegRequestsReceived": {}, "cmiFaDeRegRequestsRelayed": {}, "cmiFaDeliveryStyleUnsupported": {}, "cmiFaEncapDeliveryStyleSupported": {}, "cmiFaInitRegRepliesValidFromHA": {}, "cmiFaInitRegRepliesValidRelayMN": {}, "cmiFaInitRegRequestsDenied": {}, "cmiFaInitRegRequestsDiscarded": {}, "cmiFaInitRegRequestsReceived": {}, "cmiFaInitRegRequestsRelayed": {}, "cmiFaMissingChallenge": {}, "cmiFaMnAAAAuthFailures": {}, "cmiFaMnFaAuthFailures": {}, "cmiFaMnTooDistant": {}, "cmiFaNvsesFromHaNeglected": {}, "cmiFaNvsesFromMnNeglected": {}, "cmiFaReRegRepliesValidFromHA": {}, "cmiFaReRegRepliesValidRelayToMN": {}, "cmiFaReRegRequestsDenied": {}, "cmiFaReRegRequestsDiscarded": {}, "cmiFaReRegRequestsReceived": {}, "cmiFaReRegRequestsRelayed": {}, "cmiFaRegTotalVisitors": {}, "cmiFaRegVisitorChallengeValue": {}, "cmiFaRegVisitorHomeAddress": {}, "cmiFaRegVisitorHomeAgentAddress": {}, "cmiFaRegVisitorRegFlags": {}, "cmiFaRegVisitorRegFlagsRev1": {}, "cmiFaRegVisitorRegIDHigh": {}, "cmiFaRegVisitorRegIDLow": {}, "cmiFaRegVisitorRegIsAccepted": {}, "cmiFaRegVisitorTimeGranted": {}, "cmiFaRegVisitorTimeRemaining": {}, "cmiFaRevTunnelSupported": {}, "cmiFaReverseTunnelBitNotSet": {}, "cmiFaReverseTunnelEnable": {}, "cmiFaReverseTunnelUnavailable": {}, "cmiFaStaleChallenge": {}, "cmiFaTotalRegReplies": {}, "cmiFaTotalRegRequests": {}, "cmiFaUnknownChallenge": {}, "cmiHaCvsesFromFaRejected": {}, "cmiHaCvsesFromMnRejected": {}, "cmiHaDeRegRequestsAccepted": {}, "cmiHaDeRegRequestsDenied": {}, "cmiHaDeRegRequestsDiscarded": {}, "cmiHaDeRegRequestsReceived": {}, "cmiHaEncapUnavailable": {}, "cmiHaEncapsulationUnavailable": {}, "cmiHaInitRegRequestsAccepted": {}, "cmiHaInitRegRequestsDenied": {}, "cmiHaInitRegRequestsDiscarded": {}, "cmiHaInitRegRequestsReceived": {}, "cmiHaMnAAAAuthFailures": {}, "cmiHaMnHaAuthFailures": {}, "cmiHaMobNetDynamic": {}, "cmiHaMobNetStatus": {}, "cmiHaMrDynamic": {}, "cmiHaMrMultiPath": {}, "cmiHaMrMultiPathMetricType": {}, "cmiHaMrStatus": {}, "cmiHaNAICheckFailures": {}, "cmiHaNvsesFromFaNeglected": {}, "cmiHaNvsesFromMnNeglected": {}, "cmiHaReRegRequestsAccepted": {}, "cmiHaReRegRequestsDenied": {}, "cmiHaReRegRequestsDiscarded": {}, "cmiHaReRegRequestsReceived": {}, "cmiHaRedunDroppedBIAcks": {}, "cmiHaRedunDroppedBIReps": {}, "cmiHaRedunFailedBIReps": {}, "cmiHaRedunFailedBIReqs": {}, "cmiHaRedunFailedBUs": {}, "cmiHaRedunReceivedBIAcks": {}, "cmiHaRedunReceivedBIReps": {}, "cmiHaRedunReceivedBIReqs": {}, "cmiHaRedunReceivedBUAcks": {}, "cmiHaRedunReceivedBUs": {}, "cmiHaRedunSecViolations": {}, "cmiHaRedunSentBIAcks": {}, "cmiHaRedunSentBIReps": {}, "cmiHaRedunSentBIReqs": {}, "cmiHaRedunSentBUAcks": {}, "cmiHaRedunSentBUs": {}, "cmiHaRedunTotalSentBIReps": {}, "cmiHaRedunTotalSentBIReqs": {}, "cmiHaRedunTotalSentBUs": {}, "cmiHaRegAvgTimeRegsProcByAAA": {}, "cmiHaRegDateMaxRegsProcByAAA": {}, "cmiHaRegDateMaxRegsProcLoc": {}, "cmiHaRegMaxProcByAAAInMinRegs": {}, "cmiHaRegMaxProcLocInMinRegs": {}, "cmiHaRegMaxTimeRegsProcByAAA": {}, "cmiHaRegMnIdentifier": {}, "cmiHaRegMnIdentifierType": {}, "cmiHaRegMnIfBandwidth": {}, "cmiHaRegMnIfDescription": {}, "cmiHaRegMnIfID": {}, "cmiHaRegMnIfPathMetricType": {}, "cmiHaRegMobilityBindingRegFlags": {}, "cmiHaRegOverallServTime": {}, "cmiHaRegProcAAAInLastByMinRegs": {}, "cmiHaRegProcLocInLastMinRegs": {}, "cmiHaRegRecentServAcceptedTime": {}, "cmiHaRegRecentServDeniedCode": {}, "cmiHaRegRecentServDeniedTime": {}, "cmiHaRegRequestsDenied": {}, "cmiHaRegRequestsDiscarded": {}, "cmiHaRegRequestsReceived": {}, "cmiHaRegServAcceptedRequests": {}, "cmiHaRegServDeniedRequests": {}, "cmiHaRegTotalMobilityBindings": {}, "cmiHaRegTotalProcByAAARegs": {}, "cmiHaRegTotalProcLocRegs": {}, "cmiHaReverseTunnelBitNotSet": {}, "cmiHaReverseTunnelUnavailable": {}, "cmiHaSystemVersion": {}, "cmiMRIfDescription": {}, "cmiMaAdvAddress": {}, "cmiMaAdvAddressType": {}, "cmiMaAdvMaxAdvLifetime": {}, "cmiMaAdvMaxInterval": {}, "cmiMaAdvMaxRegLifetime": {}, "cmiMaAdvMinInterval": {}, "cmiMaAdvPrefixLengthInclusion": {}, "cmiMaAdvResponseSolicitationOnly": {}, "cmiMaAdvStatus": {}, "cmiMaInterfaceAddress": {}, "cmiMaInterfaceAddressType": {}, "cmiMaRegDateMaxRegsReceived": {}, "cmiMaRegInLastMinuteRegs": {}, "cmiMaRegMaxInMinuteRegs": {}, "cmiMnAdvFlags": {}, "cmiMnRegFlags": {}, "cmiMrBetterIfDetected": {}, "cmiMrCollocatedTunnel": {}, "cmiMrHABest": {}, "cmiMrHAPriority": {}, "cmiMrHaTunnelIfIndex": {}, "cmiMrIfCCoaAddress": {}, "cmiMrIfCCoaAddressType": {}, "cmiMrIfCCoaDefaultGw": {}, "cmiMrIfCCoaDefaultGwType": {}, "cmiMrIfCCoaEnable": {}, "cmiMrIfCCoaOnly": {}, "cmiMrIfCCoaRegRetry": {}, "cmiMrIfCCoaRegRetryRemaining": {}, "cmiMrIfCCoaRegistration": {}, "cmiMrIfHaTunnelIfIndex": {}, "cmiMrIfHoldDown": {}, "cmiMrIfID": {}, "cmiMrIfRegisteredCoA": {}, "cmiMrIfRegisteredCoAType": {}, "cmiMrIfRegisteredMaAddr": {}, "cmiMrIfRegisteredMaAddrType": {}, "cmiMrIfRoamPriority": {}, "cmiMrIfRoamStatus": {}, "cmiMrIfSolicitInterval": {}, "cmiMrIfSolicitPeriodic": {}, "cmiMrIfSolicitRetransCount": {}, "cmiMrIfSolicitRetransCurrent": {}, "cmiMrIfSolicitRetransInitial": {}, "cmiMrIfSolicitRetransLimit": {}, "cmiMrIfSolicitRetransMax": {}, "cmiMrIfSolicitRetransRemaining": {}, "cmiMrIfStatus": {}, "cmiMrMaAdvFlags": {}, "cmiMrMaAdvLifetimeRemaining": {}, "cmiMrMaAdvMaxLifetime": {}, "cmiMrMaAdvMaxRegLifetime": {}, "cmiMrMaAdvRcvIf": {}, "cmiMrMaAdvSequence": {}, "cmiMrMaAdvTimeFirstHeard": {}, "cmiMrMaAdvTimeReceived": {}, "cmiMrMaHoldDownRemaining": {}, "cmiMrMaIfMacAddress": {}, "cmiMrMaIsHa": {}, "cmiMrMobNetAddr": {}, "cmiMrMobNetAddrType": {}, "cmiMrMobNetPfxLen": {}, "cmiMrMobNetStatus": {}, "cmiMrMultiPath": {}, "cmiMrMultiPathMetricType": {}, "cmiMrRedStateActive": {}, "cmiMrRedStatePassive": {}, "cmiMrRedundancyGroup": {}, "cmiMrRegExtendExpire": {}, "cmiMrRegExtendInterval": {}, "cmiMrRegExtendRetry": {}, "cmiMrRegLifetime": {}, "cmiMrRegNewHa": {}, "cmiMrRegRetransInitial": {}, "cmiMrRegRetransLimit": {}, "cmiMrRegRetransMax": {}, "cmiMrReverseTunnel": {}, "cmiMrTunnelBytesRcvd": {}, "cmiMrTunnelBytesSent": {}, "cmiMrTunnelPktsRcvd": {}, "cmiMrTunnelPktsSent": {}, "cmiNtRegCOA": {}, "cmiNtRegCOAType": {}, "cmiNtRegDeniedCode": {}, "cmiNtRegHAAddrType": {}, "cmiNtRegHomeAddress": {}, "cmiNtRegHomeAddressType": {}, "cmiNtRegHomeAgent": {}, "cmiNtRegNAI": {}, "cmiSecAlgorithmMode": {}, "cmiSecAlgorithmType": {}, "cmiSecAssocsCount": {}, "cmiSecKey": {}, "cmiSecKey2": {}, "cmiSecRecentViolationIDHigh": {}, "cmiSecRecentViolationIDLow": {}, "cmiSecRecentViolationReason": {}, "cmiSecRecentViolationSPI": {}, "cmiSecRecentViolationTime": {}, "cmiSecReplayMethod": {}, "cmiSecStatus": {}, "cmiSecTotalViolations": {}, "cmiTrapControl": {}, "cmplsFrrConstEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cmplsFrrFacRouteDBEntry": {"7": {}, "8": {}, "9": {}}, "cmplsFrrMIB.1.1": {}, "cmplsFrrMIB.1.10": {}, "cmplsFrrMIB.1.11": {}, "cmplsFrrMIB.1.12": {}, "cmplsFrrMIB.1.13": {}, "cmplsFrrMIB.1.14": {}, "cmplsFrrMIB.1.2": {}, "cmplsFrrMIB.1.3": {}, "cmplsFrrMIB.1.4": {}, "cmplsFrrMIB.1.5": {}, "cmplsFrrMIB.1.6": {}, "cmplsFrrMIB.1.7": {}, "cmplsFrrMIB.1.8": {}, "cmplsFrrMIB.1.9": {}, "cmplsFrrMIB.10.9.2.1.2": {}, "cmplsFrrMIB.10.9.2.1.3": {}, "cmplsFrrMIB.10.9.2.1.4": {}, "cmplsFrrMIB.10.9.2.1.5": {}, "cmplsFrrMIB.10.9.2.1.6": {}, "cmplsNodeConfigGlobalId": {}, "cmplsNodeConfigIccId": {}, "cmplsNodeConfigNodeId": {}, "cmplsNodeConfigRowStatus": {}, "cmplsNodeConfigStorageType": {}, "cmplsNodeIccMapLocalId": {}, "cmplsNodeIpMapLocalId": {}, "cmplsTunnelExtDestTnlIndex": {}, "cmplsTunnelExtDestTnlLspIndex": {}, "cmplsTunnelExtDestTnlValid": {}, "cmplsTunnelExtOppositeDirTnlValid": {}, "cmplsTunnelOppositeDirPtr": {}, "cmplsTunnelReversePerfBytes": {}, "cmplsTunnelReversePerfErrors": {}, "cmplsTunnelReversePerfHCBytes": {}, "cmplsTunnelReversePerfHCPackets": {}, "cmplsTunnelReversePerfPackets": {}, "cmplsXCExtTunnelPointer": {}, "cmplsXCOppositeDirXCPtr": {}, "cmqCommonCallActiveASPCallReferenceId": {}, "cmqCommonCallActiveASPCallType": {}, "cmqCommonCallActiveASPConnectionId": {}, "cmqCommonCallActiveASPDirEar": {}, "cmqCommonCallActiveASPDirMic": {}, "cmqCommonCallActiveASPEnabledEar": {}, "cmqCommonCallActiveASPEnabledMic": {}, "cmqCommonCallActiveASPMode": {}, "cmqCommonCallActiveASPVer": {}, "cmqCommonCallActiveDurSigASPTriggEar": {}, "cmqCommonCallActiveDurSigASPTriggMic": {}, "cmqCommonCallActiveLongestDurEpiEar": {}, "cmqCommonCallActiveLongestDurEpiMic": {}, "cmqCommonCallActiveLoudestFreqEstForLongEpiEar": {}, "cmqCommonCallActiveLoudestFreqEstForLongEpiMic": {}, "cmqCommonCallActiveNRCallReferenceId": {}, "cmqCommonCallActiveNRCallType": {}, "cmqCommonCallActiveNRConnectionId": {}, "cmqCommonCallActiveNRDirEar": {}, "cmqCommonCallActiveNRDirMic": {}, "cmqCommonCallActiveNREnabledEar": {}, "cmqCommonCallActiveNREnabledMic": {}, "cmqCommonCallActiveNRIntensity": {}, "cmqCommonCallActiveNRLibVer": {}, "cmqCommonCallActiveNumSigASPTriggEar": {}, "cmqCommonCallActiveNumSigASPTriggMic": {}, "cmqCommonCallActivePostNRNoiseFloorEstEar": {}, "cmqCommonCallActivePostNRNoiseFloorEstMic": {}, "cmqCommonCallActivePreNRNoiseFloorEstEar": {}, "cmqCommonCallActivePreNRNoiseFloorEstMic": {}, "cmqCommonCallActiveTotASPDurEar": {}, "cmqCommonCallActiveTotASPDurMic": {}, "cmqCommonCallActiveTotNumASPTriggEar": {}, "cmqCommonCallActiveTotNumASPTriggMic": {}, "cmqCommonCallHistoryASPCallReferenceId": {}, "cmqCommonCallHistoryASPCallType": {}, "cmqCommonCallHistoryASPConnectionId": {}, "cmqCommonCallHistoryASPDirEar": {}, "cmqCommonCallHistoryASPDirMic": {}, "cmqCommonCallHistoryASPEnabledEar": {}, "cmqCommonCallHistoryASPEnabledMic": {}, "cmqCommonCallHistoryASPMode": {}, "cmqCommonCallHistoryASPVer": {}, "cmqCommonCallHistoryDurSigASPTriggEar": {}, "cmqCommonCallHistoryDurSigASPTriggMic": {}, "cmqCommonCallHistoryLongestDurEpiEar": {}, "cmqCommonCallHistoryLongestDurEpiMic": {}, "cmqCommonCallHistoryLoudestFreqEstForLongEpiEar": {}, "cmqCommonCallHistoryLoudestFreqEstForLongEpiMic": {}, "cmqCommonCallHistoryNRCallReferenceId": {}, "cmqCommonCallHistoryNRCallType": {}, "cmqCommonCallHistoryNRConnectionId": {}, "cmqCommonCallHistoryNRDirEar": {}, "cmqCommonCallHistoryNRDirMic": {}, "cmqCommonCallHistoryNREnabledEar": {}, "cmqCommonCallHistoryNREnabledMic": {}, "cmqCommonCallHistoryNRIntensity": {}, "cmqCommonCallHistoryNRLibVer": {}, "cmqCommonCallHistoryNumSigASPTriggEar": {}, "cmqCommonCallHistoryNumSigASPTriggMic": {}, "cmqCommonCallHistoryPostNRNoiseFloorEstEar": {}, "cmqCommonCallHistoryPostNRNoiseFloorEstMic": {}, "cmqCommonCallHistoryPreNRNoiseFloorEstEar": {}, "cmqCommonCallHistoryPreNRNoiseFloorEstMic": {}, "cmqCommonCallHistoryTotASPDurEar": {}, "cmqCommonCallHistoryTotASPDurMic": {}, "cmqCommonCallHistoryTotNumASPTriggEar": {}, "cmqCommonCallHistoryTotNumASPTriggMic": {}, "cmqVideoCallActiveCallReferenceId": {}, "cmqVideoCallActiveConnectionId": {}, "cmqVideoCallActiveRxCompressDegradeAverage": {}, "cmqVideoCallActiveRxCompressDegradeInstant": {}, "cmqVideoCallActiveRxMOSAverage": {}, "cmqVideoCallActiveRxMOSInstant": {}, "cmqVideoCallActiveRxNetworkDegradeAverage": {}, "cmqVideoCallActiveRxNetworkDegradeInstant": {}, "cmqVideoCallActiveRxTransscodeDegradeAverage": {}, "cmqVideoCallActiveRxTransscodeDegradeInstant": {}, "cmqVideoCallHistoryCallReferenceId": {}, "cmqVideoCallHistoryConnectionId": {}, "cmqVideoCallHistoryRxCompressDegradeAverage": {}, "cmqVideoCallHistoryRxMOSAverage": {}, "cmqVideoCallHistoryRxNetworkDegradeAverage": {}, "cmqVideoCallHistoryRxTransscodeDegradeAverage": {}, "cmqVoIPCallActive3550JCallAvg": {}, "cmqVoIPCallActive3550JShortTermAvg": {}, "cmqVoIPCallActiveCallReferenceId": {}, "cmqVoIPCallActiveConnectionId": {}, "cmqVoIPCallActiveRxCallConcealRatioPct": {}, "cmqVoIPCallActiveRxCallDur": {}, "cmqVoIPCallActiveRxCodecId": {}, "cmqVoIPCallActiveRxConcealSec": {}, "cmqVoIPCallActiveRxJBufDlyNow": {}, "cmqVoIPCallActiveRxJBufLowWater": {}, "cmqVoIPCallActiveRxJBufMode": {}, "cmqVoIPCallActiveRxJBufNomDelay": {}, "cmqVoIPCallActiveRxJBuffHiWater": {}, "cmqVoIPCallActiveRxPktCntComfortNoise": {}, "cmqVoIPCallActiveRxPktCntDiscarded": {}, "cmqVoIPCallActiveRxPktCntEffLoss": {}, "cmqVoIPCallActiveRxPktCntExpected": {}, "cmqVoIPCallActiveRxPktCntNotArrived": {}, "cmqVoIPCallActiveRxPktCntUnusableLate": {}, "cmqVoIPCallActiveRxPktLossConcealDur": {}, "cmqVoIPCallActiveRxPktLossRatioPct": {}, "cmqVoIPCallActiveRxPred107CodecBPL": {}, "cmqVoIPCallActiveRxPred107CodecIeBase": {}, "cmqVoIPCallActiveRxPred107DefaultR0": {}, "cmqVoIPCallActiveRxPred107Idd": {}, "cmqVoIPCallActiveRxPred107IeEff": {}, "cmqVoIPCallActiveRxPred107RMosConv": {}, "cmqVoIPCallActiveRxPred107RMosListen": {}, "cmqVoIPCallActiveRxPred107RScoreConv": {}, "cmqVoIPCallActiveRxPred107Rscore": {}, "cmqVoIPCallActiveRxPredMosLqoAvg": {}, "cmqVoIPCallActiveRxPredMosLqoBaseline": {}, "cmqVoIPCallActiveRxPredMosLqoBursts": {}, "cmqVoIPCallActiveRxPredMosLqoFrLoss": {}, "cmqVoIPCallActiveRxPredMosLqoMin": {}, "cmqVoIPCallActiveRxPredMosLqoNumWin": {}, "cmqVoIPCallActiveRxPredMosLqoRecent": {}, "cmqVoIPCallActiveRxPredMosLqoVerID": {}, "cmqVoIPCallActiveRxRoundTripTime": {}, "cmqVoIPCallActiveRxSevConcealRatioPct": {}, "cmqVoIPCallActiveRxSevConcealSec": {}, "cmqVoIPCallActiveRxSignalLvl": {}, "cmqVoIPCallActiveRxUnimpairedSecOK": {}, "cmqVoIPCallActiveRxVoiceDur": {}, "cmqVoIPCallActiveTxCodecId": {}, "cmqVoIPCallActiveTxNoiseFloor": {}, "cmqVoIPCallActiveTxSignalLvl": {}, "cmqVoIPCallActiveTxTmrActSpeechDur": {}, "cmqVoIPCallActiveTxTmrCallDur": {}, "cmqVoIPCallActiveTxVadEnabled": {}, "cmqVoIPCallHistory3550JCallAvg": {}, "cmqVoIPCallHistory3550JShortTermAvg": {}, "cmqVoIPCallHistoryCallReferenceId": {}, "cmqVoIPCallHistoryConnectionId": {}, "cmqVoIPCallHistoryRxCallConcealRatioPct": {}, "cmqVoIPCallHistoryRxCallDur": {}, "cmqVoIPCallHistoryRxCodecId": {}, "cmqVoIPCallHistoryRxConcealSec": {}, "cmqVoIPCallHistoryRxJBufDlyNow": {}, "cmqVoIPCallHistoryRxJBufLowWater": {}, "cmqVoIPCallHistoryRxJBufMode": {}, "cmqVoIPCallHistoryRxJBufNomDelay": {}, "cmqVoIPCallHistoryRxJBuffHiWater": {}, "cmqVoIPCallHistoryRxPktCntComfortNoise": {}, "cmqVoIPCallHistoryRxPktCntDiscarded": {}, "cmqVoIPCallHistoryRxPktCntEffLoss": {}, "cmqVoIPCallHistoryRxPktCntExpected": {}, "cmqVoIPCallHistoryRxPktCntNotArrived": {}, "cmqVoIPCallHistoryRxPktCntUnusableLate": {}, "cmqVoIPCallHistoryRxPktLossConcealDur": {}, "cmqVoIPCallHistoryRxPktLossRatioPct": {}, "cmqVoIPCallHistoryRxPred107CodecBPL": {}, "cmqVoIPCallHistoryRxPred107CodecIeBase": {}, "cmqVoIPCallHistoryRxPred107DefaultR0": {}, "cmqVoIPCallHistoryRxPred107Idd": {}, "cmqVoIPCallHistoryRxPred107IeEff": {}, "cmqVoIPCallHistoryRxPred107RMosConv": {}, "cmqVoIPCallHistoryRxPred107RMosListen": {}, "cmqVoIPCallHistoryRxPred107RScoreConv": {}, "cmqVoIPCallHistoryRxPred107Rscore": {}, "cmqVoIPCallHistoryRxPredMosLqoAvg": {}, "cmqVoIPCallHistoryRxPredMosLqoBaseline": {}, "cmqVoIPCallHistoryRxPredMosLqoBursts": {}, "cmqVoIPCallHistoryRxPredMosLqoFrLoss": {}, "cmqVoIPCallHistoryRxPredMosLqoMin": {}, "cmqVoIPCallHistoryRxPredMosLqoNumWin": {}, "cmqVoIPCallHistoryRxPredMosLqoRecent": {}, "cmqVoIPCallHistoryRxPredMosLqoVerID": {}, "cmqVoIPCallHistoryRxRoundTripTime": {}, "cmqVoIPCallHistoryRxSevConcealRatioPct": {}, "cmqVoIPCallHistoryRxSevConcealSec": {}, "cmqVoIPCallHistoryRxSignalLvl": {}, "cmqVoIPCallHistoryRxUnimpairedSecOK": {}, "cmqVoIPCallHistoryRxVoiceDur": {}, "cmqVoIPCallHistoryTxCodecId": {}, "cmqVoIPCallHistoryTxNoiseFloor": {}, "cmqVoIPCallHistoryTxSignalLvl": {}, "cmqVoIPCallHistoryTxTmrActSpeechDur": {}, "cmqVoIPCallHistoryTxTmrCallDur": {}, "cmqVoIPCallHistoryTxVadEnabled": {}, "cnatAddrBindCurrentIdleTime": {}, "cnatAddrBindDirection": {}, "cnatAddrBindGlobalAddr": {}, "cnatAddrBindId": {}, "cnatAddrBindInTranslate": {}, "cnatAddrBindNumberOfEntries": {}, "cnatAddrBindOutTranslate": {}, "cnatAddrBindType": {}, "cnatAddrPortBindCurrentIdleTime": {}, "cnatAddrPortBindDirection": {}, "cnatAddrPortBindGlobalAddr": {}, "cnatAddrPortBindGlobalPort": {}, "cnatAddrPortBindId": {}, "cnatAddrPortBindInTranslate": {}, "cnatAddrPortBindNumberOfEntries": {}, "cnatAddrPortBindOutTranslate": {}, "cnatAddrPortBindType": {}, "cnatInterfaceRealm": {}, "cnatInterfaceStatus": {}, "cnatInterfaceStorageType": {}, "cnatProtocolStatsInTranslate": {}, "cnatProtocolStatsOutTranslate": {}, "cnatProtocolStatsRejectCount": {}, "cndeCollectorStatus": {}, "cndeMaxCollectors": {}, "cneClientStatRedirectRx": {}, "cneNotifEnable": {}, "cneServerStatRedirectTx": {}, "cnfCIBridgedFlowStatsCtrlEntry": {"2": {}, "3": {}}, "cnfCICacheEntry": { "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cnfCIInterfaceEntry": {"1": {}, "2": {}}, "cnfCacheInfo": {"4": {}}, "cnfEICollectorEntry": {"4": {}}, "cnfEIExportInfoEntry": {"1": {}, "2": {}, "3": {}, "4": {}}, "cnfExportInfo": {"2": {}}, "cnfExportStatistics": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}}, "cnfExportTemplate": {"1": {}}, "cnfPSProtocolStatEntry": {"2": {}, "3": {}, "4": {}, "5": {}, "6": {}}, "cnfProtocolStatistics": {"1": {}, "2": {}}, "cnfTemplateEntry": {"2": {}, "3": {}, "4": {}}, "cnfTemplateExportInfoEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}}, "cnpdAllStatsEntry": { "10": {}, "11": {}, "12": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cnpdNotificationsConfig": {"1": {}}, "cnpdStatusEntry": {"1": {}, "2": {}}, "cnpdSupportedProtocolsEntry": {"2": {}}, "cnpdThresholdConfigEntry": { "10": {}, "12": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cnpdThresholdHistoryEntry": {"2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}}, "cnpdTopNConfigEntry": { "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, }, "cnpdTopNStatsEntry": {"2": {}, "3": {}, "4": {}}, "cnsClkSelGlobClockMode": {}, "cnsClkSelGlobCurrHoldoverSeconds": {}, "cnsClkSelGlobEECOption": {}, "cnsClkSelGlobESMCMode": {}, "cnsClkSelGlobHoldoffTime": {}, "cnsClkSelGlobLastHoldoverSeconds": {}, "cnsClkSelGlobNetsyncEnable": {}, "cnsClkSelGlobNetworkOption": {}, "cnsClkSelGlobNofSources": {}, "cnsClkSelGlobProcessMode": {}, "cnsClkSelGlobRevertiveMode": {}, "cnsClkSelGlobWtrTime": {}, "cnsExtOutFSW": {}, "cnsExtOutIntfType": {}, "cnsExtOutMSW": {}, "cnsExtOutName": {}, "cnsExtOutPriority": {}, "cnsExtOutQualityLevel": {}, "cnsExtOutSelNetsyncIndex": {}, "cnsExtOutSquelch": {}, "cnsInpSrcAlarm": {}, "cnsInpSrcAlarmInfo": {}, "cnsInpSrcESMCCap": {}, "cnsInpSrcFSW": {}, "cnsInpSrcHoldoffTime": {}, "cnsInpSrcIntfType": {}, "cnsInpSrcLockout": {}, "cnsInpSrcMSW": {}, "cnsInpSrcName": {}, "cnsInpSrcPriority": {}, "cnsInpSrcQualityLevel": {}, "cnsInpSrcQualityLevelRx": {}, "cnsInpSrcQualityLevelRxCfg": {}, "cnsInpSrcQualityLevelTx": {}, "cnsInpSrcQualityLevelTxCfg": {}, "cnsInpSrcSSMCap": {}, "cnsInpSrcSignalFailure": {}, "cnsInpSrcWtrTime": {}, "cnsMIBEnableStatusNotification": {}, "cnsSelInpSrcFSW": {}, "cnsSelInpSrcIntfType": {}, "cnsSelInpSrcMSW": {}, "cnsSelInpSrcName": {}, "cnsSelInpSrcPriority": {}, "cnsSelInpSrcQualityLevel": {}, "cnsSelInpSrcTimestamp": {}, "cnsT4ClkSrcAlarm": {}, "cnsT4ClkSrcAlarmInfo": {}, "cnsT4ClkSrcESMCCap": {}, "cnsT4ClkSrcFSW": {}, "cnsT4ClkSrcHoldoffTime": {}, "cnsT4ClkSrcIntfType": {}, "cnsT4ClkSrcLockout": {}, "cnsT4ClkSrcMSW": {}, "cnsT4ClkSrcName": {}, "cnsT4ClkSrcPriority": {}, "cnsT4ClkSrcQualityLevel": {}, "cnsT4ClkSrcQualityLevelRx": {}, "cnsT4ClkSrcQualityLevelRxCfg": {}, "cnsT4ClkSrcQualityLevelTx": {}, "cnsT4ClkSrcQualityLevelTxCfg": {}, "cnsT4ClkSrcSSMCap": {}, "cnsT4ClkSrcSignalFailure": {}, "cnsT4ClkSrcWtrTime": {}, "cntpFilterRegisterEntry": {"2": {}, "3": {}, "4": {}}, "cntpPeersVarEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "26": {}, "27": {}, "28": {}, "29": {}, "3": {}, "30": {}, "31": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cntpSystem": { "1": {}, "10": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "coiFECCurrentCorBitErrs": {}, "coiFECCurrentCorByteErrs": {}, "coiFECCurrentDetOneErrs": {}, "coiFECCurrentDetZeroErrs": {}, "coiFECCurrentUncorWords": {}, "coiFECIntervalCorBitErrs": {}, "coiFECIntervalCorByteErrs": {}, "coiFECIntervalDetOneErrs": {}, "coiFECIntervalDetZeroErrs": {}, "coiFECIntervalUncorWords": {}, "coiFECIntervalValidData": {}, "coiFECThreshStatus": {}, "coiFECThreshStorageType": {}, "coiFECThreshValue": {}, "coiIfControllerFECMode": {}, "coiIfControllerFECValidIntervals": {}, "coiIfControllerLaserAdminStatus": {}, "coiIfControllerLaserOperStatus": {}, "coiIfControllerLoopback": {}, "coiIfControllerOTNValidIntervals": {}, "coiIfControllerOtnStatus": {}, "coiIfControllerPreFECBERExponent": {}, "coiIfControllerPreFECBERMantissa": {}, "coiIfControllerQFactor": {}, "coiIfControllerQMargin": {}, "coiIfControllerTDCOperMode": {}, "coiIfControllerTDCOperSetting": {}, "coiIfControllerTDCOperStatus": {}, "coiIfControllerWavelength": {}, "coiOtnFarEndCurrentBBERs": {}, "coiOtnFarEndCurrentBBEs": {}, "coiOtnFarEndCurrentESRs": {}, "coiOtnFarEndCurrentESs": {}, "coiOtnFarEndCurrentFCs": {}, "coiOtnFarEndCurrentSESRs": {}, "coiOtnFarEndCurrentSESs": {}, "coiOtnFarEndCurrentUASs": {}, "coiOtnFarEndIntervalBBERs": {}, "coiOtnFarEndIntervalBBEs": {}, "coiOtnFarEndIntervalESRs": {}, "coiOtnFarEndIntervalESs": {}, "coiOtnFarEndIntervalFCs": {}, "coiOtnFarEndIntervalSESRs": {}, "coiOtnFarEndIntervalSESs": {}, "coiOtnFarEndIntervalUASs": {}, "coiOtnFarEndIntervalValidData": {}, "coiOtnFarEndThreshStatus": {}, "coiOtnFarEndThreshStorageType": {}, "coiOtnFarEndThreshValue": {}, "coiOtnIfNotifEnabled": {}, "coiOtnIfODUStatus": {}, "coiOtnIfOTUStatus": {}, "coiOtnNearEndCurrentBBERs": {}, "coiOtnNearEndCurrentBBEs": {}, "coiOtnNearEndCurrentESRs": {}, "coiOtnNearEndCurrentESs": {}, "coiOtnNearEndCurrentFCs": {}, "coiOtnNearEndCurrentSESRs": {}, "coiOtnNearEndCurrentSESs": {}, "coiOtnNearEndCurrentUASs": {}, "coiOtnNearEndIntervalBBERs": {}, "coiOtnNearEndIntervalBBEs": {}, "coiOtnNearEndIntervalESRs": {}, "coiOtnNearEndIntervalESs": {}, "coiOtnNearEndIntervalFCs": {}, "coiOtnNearEndIntervalSESRs": {}, "coiOtnNearEndIntervalSESs": {}, "coiOtnNearEndIntervalUASs": {}, "coiOtnNearEndIntervalValidData": {}, "coiOtnNearEndThreshStatus": {}, "coiOtnNearEndThreshStorageType": {}, "coiOtnNearEndThreshValue": {}, "convQllcAdminEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "convQllcOperEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "convSdllcAddrEntry": {"2": {}, "3": {}, "4": {}, "5": {}}, "convSdllcPortEntry": { "1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, }, "cospfAreaEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}}, "cospfGeneralGroup": {"5": {}}, "cospfIfEntry": {"1": {}, "2": {}}, "cospfLocalLsdbEntry": {"6": {}, "7": {}, "8": {}, "9": {}}, "cospfLsdbEntry": {"2": {}, "3": {}, "4": {}, "5": {}}, "cospfShamLinkEntry": {"4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}}, "cospfShamLinkNbrEntry": {"4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}}, "cospfShamLinksEntry": {"10": {}, "11": {}, "6": {}, "7": {}, "8": {}, "9": {}}, "cospfTrapControl": {"1": {}, "2": {}, "3": {}, "4": {}}, "cospfVirtIfEntry": {"1": {}, "2": {}}, "cospfVirtLocalLsdbEntry": {"6": {}, "7": {}, "8": {}, "9": {}}, "cpfrActiveProbeAdminStatus": {}, "cpfrActiveProbeAssignedPfxAddress": {}, "cpfrActiveProbeAssignedPfxAddressType": {}, "cpfrActiveProbeAssignedPfxLen": {}, "cpfrActiveProbeCodecName": {}, "cpfrActiveProbeDscpValue": {}, "cpfrActiveProbeMapIndex": {}, "cpfrActiveProbeMapPolicyIndex": {}, "cpfrActiveProbeMethod": {}, "cpfrActiveProbeOperStatus": {}, "cpfrActiveProbePfrMapIndex": {}, "cpfrActiveProbeRowStatus": {}, "cpfrActiveProbeStorageType": {}, "cpfrActiveProbeTargetAddress": {}, "cpfrActiveProbeTargetAddressType": {}, "cpfrActiveProbeTargetPortNumber": {}, "cpfrActiveProbeType": {}, "cpfrBRAddress": {}, "cpfrBRAddressType": {}, "cpfrBRAuthFailCount": {}, "cpfrBRConnFailureReason": {}, "cpfrBRConnStatus": {}, "cpfrBRKeyName": {}, "cpfrBROperStatus": {}, "cpfrBRRowStatus": {}, "cpfrBRStorageType": {}, "cpfrBRUpTime": {}, "cpfrDowngradeBgpCommunity": {}, "cpfrExitCapacity": {}, "cpfrExitCost1": {}, "cpfrExitCost2": {}, "cpfrExitCost3": {}, "cpfrExitCostCalcMethod": {}, "cpfrExitCostDiscard": {}, "cpfrExitCostDiscardAbsolute": {}, "cpfrExitCostDiscardPercent": {}, "cpfrExitCostDiscardType": {}, "cpfrExitCostEndDayOfMonth": {}, "cpfrExitCostEndOffset": {}, "cpfrExitCostEndOffsetType": {}, "cpfrExitCostFixedFeeCost": {}, "cpfrExitCostNickName": {}, "cpfrExitCostRollupPeriod": {}, "cpfrExitCostSamplingPeriod": {}, "cpfrExitCostSummerTimeEnd": {}, "cpfrExitCostSummerTimeOffset": {}, "cpfrExitCostSummerTimeStart": {}, "cpfrExitCostTierFee": {}, "cpfrExitCostTierRowStatus": {}, "cpfrExitCostTierStorageType": {}, "cpfrExitMaxUtilRxAbsolute": {}, "cpfrExitMaxUtilRxPercentage": {}, "cpfrExitMaxUtilRxType": {}, "cpfrExitMaxUtilTxAbsolute": {}, "cpfrExitMaxUtilTxPercentage": {}, "cpfrExitMaxUtilTxType": {}, "cpfrExitName": {}, "cpfrExitNickName": {}, "cpfrExitOperStatus": {}, "cpfrExitRollupCollected": {}, "cpfrExitRollupCumRxBytes": {}, "cpfrExitRollupCumTxBytes": {}, "cpfrExitRollupCurrentTgtUtil": {}, "cpfrExitRollupDiscard": {}, "cpfrExitRollupLeft": {}, "cpfrExitRollupMomTgtUtil": {}, "cpfrExitRollupStartingTgtUtil": {}, "cpfrExitRollupTimeRemain": {}, "cpfrExitRollupTotal": {}, "cpfrExitRowStatus": {}, "cpfrExitRsvpBandwidthPool": {}, "cpfrExitRxBandwidth": {}, "cpfrExitRxLoad": {}, "cpfrExitStorageType": {}, "cpfrExitSustainedUtil1": {}, "cpfrExitSustainedUtil2": {}, "cpfrExitSustainedUtil3": {}, "cpfrExitTxBandwidth": {}, "cpfrExitTxLoad": {}, "cpfrExitType": {}, "cpfrLearnAggAccesslistName": {}, "cpfrLearnAggregationPrefixLen": {}, "cpfrLearnAggregationType": {}, "cpfrLearnExpireSessionNum": {}, "cpfrLearnExpireTime": {}, "cpfrLearnExpireType": {}, "cpfrLearnFilterAccessListName": {}, "cpfrLearnListAclFilterPfxName": {}, "cpfrLearnListAclName": {}, "cpfrLearnListMethod": {}, "cpfrLearnListNbarAppl": {}, "cpfrLearnListPfxInside": {}, "cpfrLearnListPfxName": {}, "cpfrLearnListReferenceName": {}, "cpfrLearnListRowStatus": {}, "cpfrLearnListSequenceNum": {}, "cpfrLearnListStorageType": {}, "cpfrLearnMethod": {}, "cpfrLearnMonitorPeriod": {}, "cpfrLearnPeriodInterval": {}, "cpfrLearnPrefixesNumber": {}, "cpfrLinkGroupBRIndex": {}, "cpfrLinkGroupExitEntry": {"6": {}, "7": {}}, "cpfrLinkGroupExitIndex": {}, "cpfrLinkGroupRowStatus": {}, "cpfrMCAdminStatus": {}, "cpfrMCConnStatus": {}, "cpfrMCEntranceLinksMaxUtil": {}, "cpfrMCEntry": {"26": {}, "27": {}, "28": {}, "29": {}, "30": {}}, "cpfrMCExitLinksMaxUtil": {}, "cpfrMCKeepAliveTimer": {}, "cpfrMCLearnState": {}, "cpfrMCLearnStateTimeRemain": {}, "cpfrMCMapIndex": {}, "cpfrMCMaxPrefixLearn": {}, "cpfrMCMaxPrefixTotal": {}, "cpfrMCNetflowExporter": {}, "cpfrMCNumofBorderRouters": {}, "cpfrMCNumofExits": {}, "cpfrMCOperStatus": {}, "cpfrMCPbrMet": {}, "cpfrMCPortNumber": {}, "cpfrMCPrefixConfigured": {}, "cpfrMCPrefixCount": {}, "cpfrMCPrefixLearned": {}, "cpfrMCResolveMapPolicyIndex": {}, "cpfrMCResolvePolicyType": {}, "cpfrMCResolvePriority": {}, "cpfrMCResolveRowStatus": {}, "cpfrMCResolveStorageType": {}, "cpfrMCResolveVariance": {}, "cpfrMCRowStatus": {}, "cpfrMCRsvpPostDialDelay": {}, "cpfrMCRsvpSignalingRetries": {}, "cpfrMCStorageType": {}, "cpfrMCTracerouteProbeDelay": {}, "cpfrMapActiveProbeFrequency": {}, "cpfrMapActiveProbePackets": {}, "cpfrMapBackoffMaxTimer": {}, "cpfrMapBackoffMinTimer": {}, "cpfrMapBackoffStepTimer": {}, "cpfrMapDelayRelativePercent": {}, "cpfrMapDelayThresholdMax": {}, "cpfrMapDelayType": {}, "cpfrMapEntry": {"38": {}, "39": {}, "40": {}}, "cpfrMapFallbackLinkGroupName": {}, "cpfrMapHolddownTimer": {}, "cpfrMapJitterThresholdMax": {}, "cpfrMapLinkGroupName": {}, "cpfrMapLossRelativeAvg": {}, "cpfrMapLossThresholdMax": {}, "cpfrMapLossType": {}, "cpfrMapModeMonitor": {}, "cpfrMapModeRouteOpts": {}, "cpfrMapModeSelectExitType": {}, "cpfrMapMossPercentage": {}, "cpfrMapMossThresholdMin": {}, "cpfrMapName": {}, "cpfrMapNextHopAddress": {}, "cpfrMapNextHopAddressType": {}, "cpfrMapPeriodicTimer": {}, "cpfrMapPrefixForwardInterface": {}, "cpfrMapRoundRobinResolver": {}, "cpfrMapRouteMetricBgpLocalPref": {}, "cpfrMapRouteMetricEigrpTagCommunity": {}, "cpfrMapRouteMetricStaticTag": {}, "cpfrMapRowStatus": {}, "cpfrMapStorageType": {}, "cpfrMapTracerouteReporting": {}, "cpfrMapUnreachableRelativeAvg": {}, "cpfrMapUnreachableThresholdMax": {}, "cpfrMapUnreachableType": {}, "cpfrMatchAddrAccessList": {}, "cpfrMatchAddrPrefixInside": {}, "cpfrMatchAddrPrefixList": {}, "cpfrMatchLearnListName": {}, "cpfrMatchLearnMode": {}, "cpfrMatchTCAccessListName": {}, "cpfrMatchTCNbarApplPfxList": {}, "cpfrMatchTCNbarListName": {}, "cpfrMatchValid": {}, "cpfrNbarApplListRowStatus": {}, "cpfrNbarApplListStorageType": {}, "cpfrNbarApplPdIndex": {}, "cpfrResolveMapIndex": {}, "cpfrTCBRExitIndex": {}, "cpfrTCBRIndex": {}, "cpfrTCDscpValue": {}, "cpfrTCDstMaxPort": {}, "cpfrTCDstMinPort": {}, "cpfrTCDstPrefix": {}, "cpfrTCDstPrefixLen": {}, "cpfrTCDstPrefixType": {}, "cpfrTCMActiveLTDelayAvg": {}, "cpfrTCMActiveLTUnreachableAvg": {}, "cpfrTCMActiveSTDelayAvg": {}, "cpfrTCMActiveSTJitterAvg": {}, "cpfrTCMActiveSTUnreachableAvg": {}, "cpfrTCMAge": {}, "cpfrTCMAttempts": {}, "cpfrTCMLastUpdateTime": {}, "cpfrTCMMOSPercentage": {}, "cpfrTCMPackets": {}, "cpfrTCMPassiveLTDelayAvg": {}, "cpfrTCMPassiveLTLossAvg": {}, "cpfrTCMPassiveLTUnreachableAvg": {}, "cpfrTCMPassiveSTDelayAvg": {}, "cpfrTCMPassiveSTLossAvg": {}, "cpfrTCMPassiveSTUnreachableAvg": {}, "cpfrTCMapIndex": {}, "cpfrTCMapPolicyIndex": {}, "cpfrTCMetricsValid": {}, "cpfrTCNbarApplication": {}, "cpfrTCProtocol": {}, "cpfrTCSControlBy": {}, "cpfrTCSControlState": {}, "cpfrTCSLastOOPEventTime": {}, "cpfrTCSLastOOPReason": {}, "cpfrTCSLastRouteChangeEvent": {}, "cpfrTCSLastRouteChangeReason": {}, "cpfrTCSLearnListIndex": {}, "cpfrTCSTimeOnCurrExit": {}, "cpfrTCSTimeRemainCurrState": {}, "cpfrTCSType": {}, "cpfrTCSrcMaxPort": {}, "cpfrTCSrcMinPort": {}, "cpfrTCSrcPrefix": {}, "cpfrTCSrcPrefixLen": {}, "cpfrTCSrcPrefixType": {}, "cpfrTCStatus": {}, "cpfrTrafficClassValid": {}, "cpim": { "1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cpmCPUHistoryTable.1.2": {}, "cpmCPUHistoryTable.1.3": {}, "cpmCPUHistoryTable.1.4": {}, "cpmCPUHistoryTable.1.5": {}, "cpmCPUProcessHistoryTable.1.2": {}, "cpmCPUProcessHistoryTable.1.3": {}, "cpmCPUProcessHistoryTable.1.4": {}, "cpmCPUProcessHistoryTable.1.5": {}, "cpmCPUThresholdTable.1.2": {}, "cpmCPUThresholdTable.1.3": {}, "cpmCPUThresholdTable.1.4": {}, "cpmCPUThresholdTable.1.5": {}, "cpmCPUThresholdTable.1.6": {}, "cpmCPUTotalTable.1.10": {}, "cpmCPUTotalTable.1.11": {}, "cpmCPUTotalTable.1.12": {}, "cpmCPUTotalTable.1.13": {}, "cpmCPUTotalTable.1.14": {}, "cpmCPUTotalTable.1.15": {}, "cpmCPUTotalTable.1.16": {}, "cpmCPUTotalTable.1.17": {}, "cpmCPUTotalTable.1.18": {}, "cpmCPUTotalTable.1.19": {}, "cpmCPUTotalTable.1.2": {}, "cpmCPUTotalTable.1.20": {}, "cpmCPUTotalTable.1.21": {}, "cpmCPUTotalTable.1.22": {}, "cpmCPUTotalTable.1.23": {}, "cpmCPUTotalTable.1.24": {}, "cpmCPUTotalTable.1.25": {}, "cpmCPUTotalTable.1.26": {}, "cpmCPUTotalTable.1.27": {}, "cpmCPUTotalTable.1.28": {}, "cpmCPUTotalTable.1.29": {}, "cpmCPUTotalTable.1.3": {}, "cpmCPUTotalTable.1.4": {}, "cpmCPUTotalTable.1.5": {}, "cpmCPUTotalTable.1.6": {}, "cpmCPUTotalTable.1.7": {}, "cpmCPUTotalTable.1.8": {}, "cpmCPUTotalTable.1.9": {}, "cpmProcessExtTable.1.1": {}, "cpmProcessExtTable.1.2": {}, "cpmProcessExtTable.1.3": {}, "cpmProcessExtTable.1.4": {}, "cpmProcessExtTable.1.5": {}, "cpmProcessExtTable.1.6": {}, "cpmProcessExtTable.1.7": {}, "cpmProcessExtTable.1.8": {}, "cpmProcessTable.1.1": {}, "cpmProcessTable.1.2": {}, "cpmProcessTable.1.4": {}, "cpmProcessTable.1.5": {}, "cpmProcessTable.1.6": {}, "cpmThreadTable.1.2": {}, "cpmThreadTable.1.3": {}, "cpmThreadTable.1.4": {}, "cpmThreadTable.1.5": {}, "cpmThreadTable.1.6": {}, "cpmThreadTable.1.7": {}, "cpmThreadTable.1.8": {}, "cpmThreadTable.1.9": {}, "cpmVirtualProcessTable.1.10": {}, "cpmVirtualProcessTable.1.11": {}, "cpmVirtualProcessTable.1.12": {}, "cpmVirtualProcessTable.1.13": {}, "cpmVirtualProcessTable.1.2": {}, "cpmVirtualProcessTable.1.3": {}, "cpmVirtualProcessTable.1.4": {}, "cpmVirtualProcessTable.1.5": {}, "cpmVirtualProcessTable.1.6": {}, "cpmVirtualProcessTable.1.7": {}, "cpmVirtualProcessTable.1.8": {}, "cpmVirtualProcessTable.1.9": {}, "cpwAtmAvgCellsPacked": {}, "cpwAtmCellPacking": {}, "cpwAtmCellsReceived": {}, "cpwAtmCellsRejected": {}, "cpwAtmCellsSent": {}, "cpwAtmCellsTagged": {}, "cpwAtmClpQosMapping": {}, "cpwAtmEncap": {}, "cpwAtmHCCellsReceived": {}, "cpwAtmHCCellsRejected": {}, "cpwAtmHCCellsTagged": {}, "cpwAtmIf": {}, "cpwAtmMcptTimeout": {}, "cpwAtmMncp": {}, "cpwAtmOamCellSupported": {}, "cpwAtmPeerMncp": {}, "cpwAtmPktsReceived": {}, "cpwAtmPktsRejected": {}, "cpwAtmPktsSent": {}, "cpwAtmQosScalingFactor": {}, "cpwAtmRowStatus": {}, "cpwAtmVci": {}, "cpwAtmVpi": {}, "cpwVcAdminStatus": {}, "cpwVcControlWord": {}, "cpwVcCreateTime": {}, "cpwVcDescr": {}, "cpwVcHoldingPriority": {}, "cpwVcID": {}, "cpwVcIdMappingVcIndex": {}, "cpwVcInboundMode": {}, "cpwVcInboundOperStatus": {}, "cpwVcInboundVcLabel": {}, "cpwVcIndexNext": {}, "cpwVcLocalGroupID": {}, "cpwVcLocalIfMtu": {}, "cpwVcLocalIfString": {}, "cpwVcMplsEntry": { "1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, }, "cpwVcMplsInboundEntry": { "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cpwVcMplsMIB.1.2": {}, "cpwVcMplsMIB.1.4": {}, "cpwVcMplsNonTeMappingEntry": {"4": {}}, "cpwVcMplsOutboundEntry": { "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cpwVcMplsTeMappingEntry": {"6": {}}, "cpwVcName": {}, "cpwVcNotifRate": {}, "cpwVcOperStatus": {}, "cpwVcOutboundOperStatus": {}, "cpwVcOutboundVcLabel": {}, "cpwVcOwner": {}, "cpwVcPeerAddr": {}, "cpwVcPeerAddrType": {}, "cpwVcPeerMappingVcIndex": {}, "cpwVcPerfCurrentInHCBytes": {}, "cpwVcPerfCurrentInHCPackets": {}, "cpwVcPerfCurrentOutHCBytes": {}, "cpwVcPerfCurrentOutHCPackets": {}, "cpwVcPerfIntervalInHCBytes": {}, "cpwVcPerfIntervalInHCPackets": {}, "cpwVcPerfIntervalOutHCBytes": {}, "cpwVcPerfIntervalOutHCPackets": {}, "cpwVcPerfIntervalTimeElapsed": {}, "cpwVcPerfIntervalValidData": {}, "cpwVcPerfTotalDiscontinuityTime": {}, "cpwVcPerfTotalErrorPackets": {}, "cpwVcPerfTotalInHCBytes": {}, "cpwVcPerfTotalInHCPackets": {}, "cpwVcPerfTotalOutHCBytes": {}, "cpwVcPerfTotalOutHCPackets": {}, "cpwVcPsnType": {}, "cpwVcRemoteControlWord": {}, "cpwVcRemoteGroupID": {}, "cpwVcRemoteIfMtu": {}, "cpwVcRemoteIfString": {}, "cpwVcRowStatus": {}, "cpwVcSetUpPriority": {}, "cpwVcStorageType": {}, "cpwVcTimeElapsed": {}, "cpwVcType": {}, "cpwVcUpDownNotifEnable": {}, "cpwVcUpTime": {}, "cpwVcValidIntervals": {}, "cqvTerminationPeEncap": {}, "cqvTerminationRowStatus": {}, "cqvTranslationEntry": {"3": {}, "4": {}, "5": {}, "6": {}, "7": {}}, "creAcctClientAverageResponseDelay": {}, "creAcctClientBadAuthenticators": {}, "creAcctClientBufferAllocFailures": {}, "creAcctClientDupIDs": {}, "creAcctClientLastUsedSourceId": {}, "creAcctClientMalformedResponses": {}, "creAcctClientMaxBufferSize": {}, "creAcctClientMaxResponseDelay": {}, "creAcctClientTimeouts": {}, "creAcctClientTotalPacketsWithResponses": {}, "creAcctClientTotalPacketsWithoutResponses": {}, "creAcctClientTotalResponses": {}, "creAcctClientUnknownResponses": {}, "creAuthClientAverageResponseDelay": {}, "creAuthClientBadAuthenticators": {}, "creAuthClientBufferAllocFailures": {}, "creAuthClientDupIDs": {}, "creAuthClientLastUsedSourceId": {}, "creAuthClientMalformedResponses": {}, "creAuthClientMaxBufferSize": {}, "creAuthClientMaxResponseDelay": {}, "creAuthClientTimeouts": {}, "creAuthClientTotalPacketsWithResponses": {}, "creAuthClientTotalPacketsWithoutResponses": {}, "creAuthClientTotalResponses": {}, "creAuthClientUnknownResponses": {}, "creClientLastUsedSourceId": {}, "creClientLastUsedSourcePort": {}, "creClientSourcePortRangeEnd": {}, "creClientSourcePortRangeStart": {}, "creClientTotalAccessRejects": {}, "creClientTotalAverageResponseDelay": {}, "creClientTotalMaxDoneQLength": {}, "creClientTotalMaxInQLength": {}, "creClientTotalMaxWaitQLength": {}, "crttMonIPEchoAdminDscp": {}, "crttMonIPEchoAdminFlowLabel": {}, "crttMonIPEchoAdminLSPSelAddrType": {}, "crttMonIPEchoAdminLSPSelAddress": {}, "crttMonIPEchoAdminNameServerAddrType": {}, "crttMonIPEchoAdminNameServerAddress": {}, "crttMonIPEchoAdminSourceAddrType": {}, "crttMonIPEchoAdminSourceAddress": {}, "crttMonIPEchoAdminTargetAddrType": {}, "crttMonIPEchoAdminTargetAddress": {}, "crttMonIPEchoPathAdminHopAddrType": {}, "crttMonIPEchoPathAdminHopAddress": {}, "crttMonIPHistoryCollectionAddrType": {}, "crttMonIPHistoryCollectionAddress": {}, "crttMonIPLatestRttOperAddress": {}, "crttMonIPLatestRttOperAddressType": {}, "crttMonIPLpdGrpStatsTargetPEAddr": {}, "crttMonIPLpdGrpStatsTargetPEAddrType": {}, "crttMonIPStatsCollectAddress": {}, "crttMonIPStatsCollectAddressType": {}, "csNotifications": {"1": {}}, "csbAdjacencyStatusNotifEnabled": {}, "csbBlackListNotifEnabled": {}, "csbCallStatsActiveTranscodeFlows": {}, "csbCallStatsAvailableFlows": {}, "csbCallStatsAvailablePktRate": {}, "csbCallStatsAvailableTranscodeFlows": {}, "csbCallStatsCallsHigh": {}, "csbCallStatsCallsLow": {}, "csbCallStatsInstancePhysicalIndex": {}, "csbCallStatsNoMediaCount": {}, "csbCallStatsPeakFlows": {}, "csbCallStatsPeakSigFlows": {}, "csbCallStatsPeakTranscodeFlows": {}, "csbCallStatsRTPOctetsDiscard": {}, "csbCallStatsRTPOctetsRcvd": {}, "csbCallStatsRTPOctetsSent": {}, "csbCallStatsRTPPktsDiscard": {}, "csbCallStatsRTPPktsRcvd": {}, "csbCallStatsRTPPktsSent": {}, "csbCallStatsRate1Sec": {}, "csbCallStatsRouteErrors": {}, "csbCallStatsSbcName": {}, "csbCallStatsTotalFlows": {}, "csbCallStatsTotalSigFlows": {}, "csbCallStatsTotalTranscodeFlows": {}, "csbCallStatsUnclassifiedPkts": {}, "csbCallStatsUsedFlows": {}, "csbCallStatsUsedSigFlows": {}, "csbCongestionAlarmNotifEnabled": {}, "csbCurrPeriodicIpsecCalls": {}, "csbCurrPeriodicStatsActivatingCalls": {}, "csbCurrPeriodicStatsActiveCallFailure": {}, "csbCurrPeriodicStatsActiveCalls": {}, "csbCurrPeriodicStatsActiveE2EmergencyCalls": {}, "csbCurrPeriodicStatsActiveEmergencyCalls": {}, "csbCurrPeriodicStatsActiveIpv6Calls": {}, "csbCurrPeriodicStatsAudioTranscodedCalls": {}, "csbCurrPeriodicStatsCallMediaFailure": {}, "csbCurrPeriodicStatsCallResourceFailure": {}, "csbCurrPeriodicStatsCallRoutingFailure": {}, "csbCurrPeriodicStatsCallSetupCACBandwidthFailure": {}, "csbCurrPeriodicStatsCallSetupCACCallLimitFailure": {}, "csbCurrPeriodicStatsCallSetupCACMediaLimitFailure": {}, "csbCurrPeriodicStatsCallSetupCACMediaUpdateFailure": {}, "csbCurrPeriodicStatsCallSetupCACPolicyFailure": {}, "csbCurrPeriodicStatsCallSetupCACRateLimitFailure": {}, "csbCurrPeriodicStatsCallSetupNAPolicyFailure": {}, "csbCurrPeriodicStatsCallSetupPolicyFailure": {}, "csbCurrPeriodicStatsCallSetupRoutingPolicyFailure": {}, "csbCurrPeriodicStatsCallSigFailure": {}, "csbCurrPeriodicStatsCongestionFailure": {}, "csbCurrPeriodicStatsCurrentTaps": {}, "csbCurrPeriodicStatsDeactivatingCalls": {}, "csbCurrPeriodicStatsDtmfIw2833Calls": {}, "csbCurrPeriodicStatsDtmfIw2833InbandCalls": {}, "csbCurrPeriodicStatsDtmfIwInbandCalls": {}, "csbCurrPeriodicStatsFailedCallAttempts": {}, "csbCurrPeriodicStatsFaxTranscodedCalls": {}, "csbCurrPeriodicStatsImsRxActiveCalls": {}, "csbCurrPeriodicStatsImsRxCallRenegotiationAttempts": {}, "csbCurrPeriodicStatsImsRxCallRenegotiationFailures": {}, "csbCurrPeriodicStatsImsRxCallSetupFaiures": {}, "csbCurrPeriodicStatsNonSrtpCalls": {}, "csbCurrPeriodicStatsRtpDisallowedFailures": {}, "csbCurrPeriodicStatsSrtpDisallowedFailures": {}, "csbCurrPeriodicStatsSrtpIwCalls": {}, "csbCurrPeriodicStatsSrtpNonIwCalls": {}, "csbCurrPeriodicStatsTimestamp": {}, "csbCurrPeriodicStatsTotalCallAttempts": {}, "csbCurrPeriodicStatsTotalCallUpdateFailure": {}, "csbCurrPeriodicStatsTotalTapsRequested": {}, "csbCurrPeriodicStatsTotalTapsSucceeded": {}, "csbCurrPeriodicStatsTranscodedCalls": {}, "csbCurrPeriodicStatsTransratedCalls": {}, "csbDiameterConnectionStatusNotifEnabled": {}, "csbH248ControllerStatusNotifEnabled": {}, "csbH248StatsEstablishedTime": {}, "csbH248StatsEstablishedTimeRev1": {}, "csbH248StatsLT": {}, "csbH248StatsLTRev1": {}, "csbH248StatsRTT": {}, "csbH248StatsRTTRev1": {}, "csbH248StatsRepliesRcvd": {}, "csbH248StatsRepliesRcvdRev1": {}, "csbH248StatsRepliesRetried": {}, "csbH248StatsRepliesRetriedRev1": {}, "csbH248StatsRepliesSent": {}, "csbH248StatsRepliesSentRev1": {}, "csbH248StatsRequestsFailed": {}, "csbH248StatsRequestsFailedRev1": {}, "csbH248StatsRequestsRcvd": {}, "csbH248StatsRequestsRcvdRev1": {}, "csbH248StatsRequestsRetried": {}, "csbH248StatsRequestsRetriedRev1": {}, "csbH248StatsRequestsSent": {}, "csbH248StatsRequestsSentRev1": {}, "csbH248StatsSegPktsRcvd": {}, "csbH248StatsSegPktsRcvdRev1": {}, "csbH248StatsSegPktsSent": {}, "csbH248StatsSegPktsSentRev1": {}, "csbH248StatsTMaxTimeoutVal": {}, "csbH248StatsTMaxTimeoutValRev1": {}, "csbHistoryStatsActiveCallFailure": {}, "csbHistoryStatsActiveCalls": {}, "csbHistoryStatsActiveE2EmergencyCalls": {}, "csbHistoryStatsActiveEmergencyCalls": {}, "csbHistoryStatsActiveIpv6Calls": {}, "csbHistoryStatsAudioTranscodedCalls": {}, "csbHistoryStatsCallMediaFailure": {}, "csbHistoryStatsCallResourceFailure": {}, "csbHistoryStatsCallRoutingFailure": {}, "csbHistoryStatsCallSetupCACBandwidthFailure": {}, "csbHistoryStatsCallSetupCACCallLimitFailure": {}, "csbHistoryStatsCallSetupCACMediaLimitFailure": {}, "csbHistoryStatsCallSetupCACMediaUpdateFailure": {}, "csbHistoryStatsCallSetupCACPolicyFailure": {}, "csbHistoryStatsCallSetupCACRateLimitFailure": {}, "csbHistoryStatsCallSetupNAPolicyFailure": {}, "csbHistoryStatsCallSetupPolicyFailure": {}, "csbHistoryStatsCallSetupRoutingPolicyFailure": {}, "csbHistoryStatsCongestionFailure": {}, "csbHistoryStatsCurrentTaps": {}, "csbHistoryStatsDtmfIw2833Calls": {}, "csbHistoryStatsDtmfIw2833InbandCalls": {}, "csbHistoryStatsDtmfIwInbandCalls": {}, "csbHistoryStatsFailSigFailure": {}, "csbHistoryStatsFailedCallAttempts": {}, "csbHistoryStatsFaxTranscodedCalls": {}, "csbHistoryStatsImsRxActiveCalls": {}, "csbHistoryStatsImsRxCallRenegotiationAttempts": {}, "csbHistoryStatsImsRxCallRenegotiationFailures": {}, "csbHistoryStatsImsRxCallSetupFailures": {}, "csbHistoryStatsIpsecCalls": {}, "csbHistoryStatsNonSrtpCalls": {}, "csbHistoryStatsRtpDisallowedFailures": {}, "csbHistoryStatsSrtpDisallowedFailures": {}, "csbHistoryStatsSrtpIwCalls": {}, "csbHistoryStatsSrtpNonIwCalls": {}, "csbHistoryStatsTimestamp": {}, "csbHistoryStatsTotalCallAttempts": {}, "csbHistoryStatsTotalCallUpdateFailure": {}, "csbHistoryStatsTotalTapsRequested": {}, "csbHistoryStatsTotalTapsSucceeded": {}, "csbHistroyStatsTranscodedCalls": {}, "csbHistroyStatsTransratedCalls": {}, "csbPerFlowStatsAdrStatus": {}, "csbPerFlowStatsDscpSettings": {}, "csbPerFlowStatsEPJitter": {}, "csbPerFlowStatsFlowType": {}, "csbPerFlowStatsQASettings": {}, "csbPerFlowStatsRTCPPktsLost": {}, "csbPerFlowStatsRTCPPktsRcvd": {}, "csbPerFlowStatsRTCPPktsSent": {}, "csbPerFlowStatsRTPOctetsDiscard": {}, "csbPerFlowStatsRTPOctetsRcvd": {}, "csbPerFlowStatsRTPOctetsSent": {}, "csbPerFlowStatsRTPPktsDiscard": {}, "csbPerFlowStatsRTPPktsLost": {}, "csbPerFlowStatsRTPPktsRcvd": {}, "csbPerFlowStatsRTPPktsSent": {}, "csbPerFlowStatsTmanPerMbs": {}, "csbPerFlowStatsTmanPerSdr": {}, "csbRadiusConnectionStatusNotifEnabled": {}, "csbRadiusStatsAcsAccpts": {}, "csbRadiusStatsAcsChalls": {}, "csbRadiusStatsAcsRejects": {}, "csbRadiusStatsAcsReqs": {}, "csbRadiusStatsAcsRtrns": {}, "csbRadiusStatsActReqs": {}, "csbRadiusStatsActRetrans": {}, "csbRadiusStatsActRsps": {}, "csbRadiusStatsBadAuths": {}, "csbRadiusStatsClientName": {}, "csbRadiusStatsClientType": {}, "csbRadiusStatsDropped": {}, "csbRadiusStatsMalformedRsps": {}, "csbRadiusStatsPending": {}, "csbRadiusStatsSrvrName": {}, "csbRadiusStatsTimeouts": {}, "csbRadiusStatsUnknownType": {}, "csbRfBillRealmStatsFailEventAcrs": {}, "csbRfBillRealmStatsFailInterimAcrs": {}, "csbRfBillRealmStatsFailStartAcrs": {}, "csbRfBillRealmStatsFailStopAcrs": {}, "csbRfBillRealmStatsRealmName": {}, "csbRfBillRealmStatsSuccEventAcrs": {}, "csbRfBillRealmStatsSuccInterimAcrs": {}, "csbRfBillRealmStatsSuccStartAcrs": {}, "csbRfBillRealmStatsSuccStopAcrs": {}, "csbRfBillRealmStatsTotalEventAcrs": {}, "csbRfBillRealmStatsTotalInterimAcrs": {}, "csbRfBillRealmStatsTotalStartAcrs": {}, "csbRfBillRealmStatsTotalStopAcrs": {}, "csbSIPMthdCurrentStatsAdjName": {}, "csbSIPMthdCurrentStatsMethodName": {}, "csbSIPMthdCurrentStatsReqIn": {}, "csbSIPMthdCurrentStatsReqOut": {}, "csbSIPMthdCurrentStatsResp1xxIn": {}, "csbSIPMthdCurrentStatsResp1xxOut": {}, "csbSIPMthdCurrentStatsResp2xxIn": {}, "csbSIPMthdCurrentStatsResp2xxOut": {}, "csbSIPMthdCurrentStatsResp3xxIn": {}, "csbSIPMthdCurrentStatsResp3xxOut": {}, "csbSIPMthdCurrentStatsResp4xxIn": {}, "csbSIPMthdCurrentStatsResp4xxOut": {}, "csbSIPMthdCurrentStatsResp5xxIn": {}, "csbSIPMthdCurrentStatsResp5xxOut": {}, "csbSIPMthdCurrentStatsResp6xxIn": {}, "csbSIPMthdCurrentStatsResp6xxOut": {}, "csbSIPMthdHistoryStatsAdjName": {}, "csbSIPMthdHistoryStatsMethodName": {}, "csbSIPMthdHistoryStatsReqIn": {}, "csbSIPMthdHistoryStatsReqOut": {}, "csbSIPMthdHistoryStatsResp1xxIn": {}, "csbSIPMthdHistoryStatsResp1xxOut": {}, "csbSIPMthdHistoryStatsResp2xxIn": {}, "csbSIPMthdHistoryStatsResp2xxOut": {}, "csbSIPMthdHistoryStatsResp3xxIn": {}, "csbSIPMthdHistoryStatsResp3xxOut": {}, "csbSIPMthdHistoryStatsResp4xxIn": {}, "csbSIPMthdHistoryStatsResp4xxOut": {}, "csbSIPMthdHistoryStatsResp5xxIn": {}, "csbSIPMthdHistoryStatsResp5xxOut": {}, "csbSIPMthdHistoryStatsResp6xxIn": {}, "csbSIPMthdHistoryStatsResp6xxOut": {}, "csbSIPMthdRCCurrentStatsAdjName": {}, "csbSIPMthdRCCurrentStatsMethodName": {}, "csbSIPMthdRCCurrentStatsRespIn": {}, "csbSIPMthdRCCurrentStatsRespOut": {}, "csbSIPMthdRCHistoryStatsAdjName": {}, "csbSIPMthdRCHistoryStatsMethodName": {}, "csbSIPMthdRCHistoryStatsRespIn": {}, "csbSIPMthdRCHistoryStatsRespOut": {}, "csbSLAViolationNotifEnabled": {}, "csbSLAViolationNotifEnabledRev1": {}, "csbServiceStateNotifEnabled": {}, "csbSourceAlertNotifEnabled": {}, "cslFarEndTotalEntry": {"1": {}, "2": {}, "3": {}, "4": {}}, "cslTotalEntry": {"1": {}, "2": {}, "3": {}, "4": {}}, "cspFarEndTotalEntry": {"1": {}, "2": {}, "3": {}, "4": {}}, "cspTotalEntry": {"1": {}, "2": {}, "3": {}, "4": {}}, "cssTotalEntry": {"1": {}, "2": {}, "3": {}, "4": {}}, "csubAggStatsAuthSessions": {}, "csubAggStatsAvgSessionRPH": {}, "csubAggStatsAvgSessionRPM": {}, "csubAggStatsAvgSessionUptime": {}, "csubAggStatsCurrAuthSessions": {}, "csubAggStatsCurrCreatedSessions": {}, "csubAggStatsCurrDiscSessions": {}, "csubAggStatsCurrFailedSessions": {}, "csubAggStatsCurrFlowsUp": {}, "csubAggStatsCurrInvalidIntervals": {}, "csubAggStatsCurrTimeElapsed": {}, "csubAggStatsCurrUpSessions": {}, "csubAggStatsCurrValidIntervals": {}, "csubAggStatsDayAuthSessions": {}, "csubAggStatsDayCreatedSessions": {}, "csubAggStatsDayDiscSessions": {}, "csubAggStatsDayFailedSessions": {}, "csubAggStatsDayUpSessions": {}, "csubAggStatsDiscontinuityTime": {}, "csubAggStatsHighUpSessions": {}, "csubAggStatsIntAuthSessions": {}, "csubAggStatsIntCreatedSessions": {}, "csubAggStatsIntDiscSessions": {}, "csubAggStatsIntFailedSessions": {}, "csubAggStatsIntUpSessions": {}, "csubAggStatsIntValid": {}, "csubAggStatsLightWeightSessions": {}, "csubAggStatsPendingSessions": {}, "csubAggStatsRedSessions": {}, "csubAggStatsThrottleEngagements": {}, "csubAggStatsTotalAuthSessions": {}, "csubAggStatsTotalCreatedSessions": {}, "csubAggStatsTotalDiscSessions": {}, "csubAggStatsTotalFailedSessions": {}, "csubAggStatsTotalFlowsUp": {}, "csubAggStatsTotalLightWeightSessions": {}, "csubAggStatsTotalUpSessions": {}, "csubAggStatsUnAuthSessions": {}, "csubAggStatsUpSessions": {}, "csubJobControl": {}, "csubJobCount": {}, "csubJobFinishedNotifyEnable": {}, "csubJobFinishedReason": {}, "csubJobFinishedTime": {}, "csubJobIdNext": {}, "csubJobIndexedAttributes": {}, "csubJobMatchAcctSessionId": {}, "csubJobMatchAuthenticated": {}, "csubJobMatchCircuitId": {}, "csubJobMatchDanglingDuration": {}, "csubJobMatchDhcpClass": {}, "csubJobMatchDnis": {}, "csubJobMatchDomain": {}, "csubJobMatchDomainIpAddr": {}, "csubJobMatchDomainIpAddrType": {}, "csubJobMatchDomainIpMask": {}, "csubJobMatchDomainVrf": {}, "csubJobMatchIdentities": {}, "csubJobMatchMacAddress": {}, "csubJobMatchMedia": {}, "csubJobMatchMlpNegotiated": {}, "csubJobMatchNasPort": {}, "csubJobMatchNativeIpAddr": {}, "csubJobMatchNativeIpAddrType": {}, "csubJobMatchNativeIpMask": {}, "csubJobMatchNativeVrf": {}, "csubJobMatchOtherParams": {}, "csubJobMatchPbhk": {}, "csubJobMatchProtocol": {}, "csubJobMatchRedundancyMode": {}, "csubJobMatchRemoteId": {}, "csubJobMatchServiceName": {}, "csubJobMatchState": {}, "csubJobMatchSubscriberLabel": {}, "csubJobMatchTunnelName": {}, "csubJobMatchUsername": {}, "csubJobMaxLife": {}, "csubJobMaxNumber": {}, "csubJobQueryResultingReportSize": {}, "csubJobQuerySortKey1": {}, "csubJobQuerySortKey2": {}, "csubJobQuerySortKey3": {}, "csubJobQueueJobId": {}, "csubJobReportSession": {}, "csubJobStartedTime": {}, "csubJobState": {}, "csubJobStatus": {}, "csubJobStorage": {}, "csubJobType": {}, "csubSessionAcctSessionId": {}, "csubSessionAuthenticated": {}, "csubSessionAvailableIdentities": {}, "csubSessionByType": {}, "csubSessionCircuitId": {}, "csubSessionCreationTime": {}, "csubSessionDerivedCfg": {}, "csubSessionDhcpClass": {}, "csubSessionDnis": {}, "csubSessionDomain": {}, "csubSessionDomainIpAddr": {}, "csubSessionDomainIpAddrType": {}, "csubSessionDomainIpMask": {}, "csubSessionDomainVrf": {}, "csubSessionIfIndex": {}, "csubSessionIpAddrAssignment": {}, "csubSessionLastChanged": {}, "csubSessionLocationIdentifier": {}, "csubSessionMacAddress": {}, "csubSessionMedia": {}, "csubSessionMlpNegotiated": {}, "csubSessionNasPort": {}, "csubSessionNativeIpAddr": {}, "csubSessionNativeIpAddr2": {}, "csubSessionNativeIpAddrType": {}, "csubSessionNativeIpAddrType2": {}, "csubSessionNativeIpMask": {}, "csubSessionNativeIpMask2": {}, "csubSessionNativeVrf": {}, "csubSessionPbhk": {}, "csubSessionProtocol": {}, "csubSessionRedundancyMode": {}, "csubSessionRemoteId": {}, "csubSessionServiceIdentifier": {}, "csubSessionState": {}, "csubSessionSubscriberLabel": {}, "csubSessionTunnelName": {}, "csubSessionType": {}, "csubSessionUsername": {}, "cubeEnabled": {}, "cubeTotalSessionAllowed": {}, "cubeVersion": {}, "cufwAIAlertEnabled": {}, "cufwAIAuditTrailEnabled": {}, "cufwAaicGlobalNumBadPDUSize": {}, "cufwAaicGlobalNumBadPortRange": {}, "cufwAaicGlobalNumBadProtocolOps": {}, "cufwAaicHttpNumBadContent": {}, "cufwAaicHttpNumBadPDUSize": {}, "cufwAaicHttpNumBadProtocolOps": {}, "cufwAaicHttpNumDoubleEncodedPkts": {}, "cufwAaicHttpNumLargeURIs": {}, "cufwAaicHttpNumMismatchContent": {}, "cufwAaicHttpNumTunneledConns": {}, "cufwAppConnNumAborted": {}, "cufwAppConnNumActive": {}, "cufwAppConnNumAttempted": {}, "cufwAppConnNumHalfOpen": {}, "cufwAppConnNumPolicyDeclined": {}, "cufwAppConnNumResDeclined": {}, "cufwAppConnNumSetupsAborted": {}, "cufwAppConnSetupRate1": {}, "cufwAppConnSetupRate5": {}, "cufwCntlL2StaticMacAddressMoved": {}, "cufwCntlUrlfServerStatusChange": {}, "cufwConnGlobalConnSetupRate1": {}, "cufwConnGlobalConnSetupRate5": {}, "cufwConnGlobalNumAborted": {}, "cufwConnGlobalNumActive": {}, "cufwConnGlobalNumAttempted": {}, "cufwConnGlobalNumEmbryonic": {}, "cufwConnGlobalNumExpired": {}, "cufwConnGlobalNumHalfOpen": {}, "cufwConnGlobalNumPolicyDeclined": {}, "cufwConnGlobalNumRemoteAccess": {}, "cufwConnGlobalNumResDeclined": {}, "cufwConnGlobalNumSetupsAborted": {}, "cufwConnNumAborted": {}, "cufwConnNumActive": {}, "cufwConnNumAttempted": {}, "cufwConnNumHalfOpen": {}, "cufwConnNumPolicyDeclined": {}, "cufwConnNumResDeclined": {}, "cufwConnNumSetupsAborted": {}, "cufwConnReptAppStats": {}, "cufwConnReptAppStatsLastChanged": {}, "cufwConnResActiveConnMemoryUsage": {}, "cufwConnResEmbrConnMemoryUsage": {}, "cufwConnResHOConnMemoryUsage": {}, "cufwConnResMemoryUsage": {}, "cufwConnSetupRate1": {}, "cufwConnSetupRate5": {}, "cufwInspectionStatus": {}, "cufwL2GlobalArpCacheSize": {}, "cufwL2GlobalArpOverflowRate5": {}, "cufwL2GlobalEnableArpInspection": {}, "cufwL2GlobalEnableStealthMode": {}, "cufwL2GlobalNumArpRequests": {}, "cufwL2GlobalNumBadArpResponses": {}, "cufwL2GlobalNumDrops": {}, "cufwL2GlobalNumFloods": {}, "cufwL2GlobalNumIcmpRequests": {}, "cufwL2GlobalNumSpoofedArpResps": {}, "cufwPolAppConnNumAborted": {}, "cufwPolAppConnNumActive": {}, "cufwPolAppConnNumAttempted": {}, "cufwPolAppConnNumHalfOpen": {}, "cufwPolAppConnNumPolicyDeclined": {}, "cufwPolAppConnNumResDeclined": {}, "cufwPolAppConnNumSetupsAborted": {}, "cufwPolConnNumAborted": {}, "cufwPolConnNumActive": {}, "cufwPolConnNumAttempted": {}, "cufwPolConnNumHalfOpen": {}, "cufwPolConnNumPolicyDeclined": {}, "cufwPolConnNumResDeclined": {}, "cufwPolConnNumSetupsAborted": {}, "cufwUrlfAllowModeReqNumAllowed": {}, "cufwUrlfAllowModeReqNumDenied": {}, "cufwUrlfFunctionEnabled": {}, "cufwUrlfNumServerRetries": {}, "cufwUrlfNumServerTimeouts": {}, "cufwUrlfRequestsDeniedRate1": {}, "cufwUrlfRequestsDeniedRate5": {}, "cufwUrlfRequestsNumAllowed": {}, "cufwUrlfRequestsNumCacheAllowed": {}, "cufwUrlfRequestsNumCacheDenied": {}, "cufwUrlfRequestsNumDenied": {}, "cufwUrlfRequestsNumProcessed": {}, "cufwUrlfRequestsNumResDropped": {}, "cufwUrlfRequestsProcRate1": {}, "cufwUrlfRequestsProcRate5": {}, "cufwUrlfRequestsResDropRate1": {}, "cufwUrlfRequestsResDropRate5": {}, "cufwUrlfResTotalRequestCacheSize": {}, "cufwUrlfResTotalRespCacheSize": {}, "cufwUrlfResponsesNumLate": {}, "cufwUrlfServerAvgRespTime1": {}, "cufwUrlfServerAvgRespTime5": {}, "cufwUrlfServerNumRetries": {}, "cufwUrlfServerNumTimeouts": {}, "cufwUrlfServerReqsNumAllowed": {}, "cufwUrlfServerReqsNumDenied": {}, "cufwUrlfServerReqsNumProcessed": {}, "cufwUrlfServerRespsNumLate": {}, "cufwUrlfServerRespsNumReceived": {}, "cufwUrlfServerStatus": {}, "cufwUrlfServerVendor": {}, "cufwUrlfUrlAccRespsNumResDropped": {}, "cvActiveCallStatsAvgVal": {}, "cvActiveCallStatsMaxVal": {}, "cvActiveCallWMValue": {}, "cvActiveCallWMts": {}, "cvBasic": {"1": {}, "2": {}, "3": {}}, "cvCallActiveACOMLevel": {}, "cvCallActiveAccountCode": {}, "cvCallActiveCallId": {}, "cvCallActiveCallerIDBlock": {}, "cvCallActiveCallingName": {}, "cvCallActiveCoderTypeRate": {}, "cvCallActiveConnectionId": {}, "cvCallActiveDS0s": {}, "cvCallActiveDS0sHighNotifyEnable": {}, "cvCallActiveDS0sHighThreshold": {}, "cvCallActiveDS0sLowNotifyEnable": {}, "cvCallActiveDS0sLowThreshold": {}, "cvCallActiveERLLevel": {}, "cvCallActiveERLLevelRev1": {}, "cvCallActiveEcanReflectorLocation": {}, "cvCallActiveFaxTxDuration": {}, "cvCallActiveImgPageCount": {}, "cvCallActiveInSignalLevel": {}, "cvCallActiveNoiseLevel": {}, "cvCallActiveOutSignalLevel": {}, "cvCallActiveSessionTarget": {}, "cvCallActiveTxDuration": {}, "cvCallActiveVoiceTxDuration": {}, "cvCallDurationStatsAvgVal": {}, "cvCallDurationStatsMaxVal": {}, "cvCallDurationStatsThreshold": {}, "cvCallHistoryACOMLevel": {}, "cvCallHistoryAccountCode": {}, "cvCallHistoryCallId": {}, "cvCallHistoryCallerIDBlock": {}, "cvCallHistoryCallingName": {}, "cvCallHistoryCoderTypeRate": {}, "cvCallHistoryConnectionId": {}, "cvCallHistoryFaxTxDuration": {}, "cvCallHistoryImgPageCount": {}, "cvCallHistoryNoiseLevel": {}, "cvCallHistorySessionTarget": {}, "cvCallHistoryTxDuration": {}, "cvCallHistoryVoiceTxDuration": {}, "cvCallLegRateStatsAvgVal": {}, "cvCallLegRateStatsMaxVal": {}, "cvCallLegRateWMValue": {}, "cvCallLegRateWMts": {}, "cvCallRate": {}, "cvCallRateHiWaterMark": {}, "cvCallRateMonitorEnable": {}, "cvCallRateMonitorTime": {}, "cvCallRateStatsAvgVal": {}, "cvCallRateStatsMaxVal": {}, "cvCallRateWMValue": {}, "cvCallRateWMts": {}, "cvCallVolConnActiveConnection": {}, "cvCallVolConnMaxCallConnectionLicenese": {}, "cvCallVolConnTotalActiveConnections": {}, "cvCallVolMediaIncomingCalls": {}, "cvCallVolMediaOutgoingCalls": {}, "cvCallVolPeerIncomingCalls": {}, "cvCallVolPeerOutgoingCalls": {}, "cvCallVolumeWMTableSize": {}, "cvCommonDcCallActiveCallerIDBlock": {}, "cvCommonDcCallActiveCallingName": {}, "cvCommonDcCallActiveCodecBytes": {}, "cvCommonDcCallActiveCoderTypeRate": {}, "cvCommonDcCallActiveConnectionId": {}, "cvCommonDcCallActiveInBandSignaling": {}, "cvCommonDcCallActiveVADEnable": {}, "cvCommonDcCallHistoryCallerIDBlock": {}, "cvCommonDcCallHistoryCallingName": {}, "cvCommonDcCallHistoryCodecBytes": {}, "cvCommonDcCallHistoryCoderTypeRate": {}, "cvCommonDcCallHistoryConnectionId": {}, "cvCommonDcCallHistoryInBandSignaling": {}, "cvCommonDcCallHistoryVADEnable": {}, "cvForwNeighborEntry": {"4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}}, "cvForwRouteEntry": { "10": {}, "11": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cvForwarding": {"1": {}, "2": {}, "3": {}, "5": {}, "6": {}, "7": {}, "8": {}}, "cvGeneralDSCPPolicyNotificationEnable": {}, "cvGeneralFallbackNotificationEnable": {}, "cvGeneralMediaPolicyNotificationEnable": {}, "cvGeneralPoorQoVNotificationEnable": {}, "cvIfCfgEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cvIfConfigEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cvIfCountInEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "26": {}, "27": {}, "28": {}, "29": {}, "3": {}, "30": {}, "31": {}, "32": {}, "33": {}, "34": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cvIfCountOutEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "26": {}, "27": {}, "28": {}, "29": {}, "3": {}, "30": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cvInterfaceVnetTrunkEnabled": {}, "cvInterfaceVnetVrfList": {}, "cvPeerCfgIfIndex": {}, "cvPeerCfgPeerType": {}, "cvPeerCfgRowStatus": {}, "cvPeerCfgType": {}, "cvPeerCommonCfgApplicationName": {}, "cvPeerCommonCfgDnisMappingName": {}, "cvPeerCommonCfgHuntStop": {}, "cvPeerCommonCfgIncomingDnisDigits": {}, "cvPeerCommonCfgMaxConnections": {}, "cvPeerCommonCfgPreference": {}, "cvPeerCommonCfgSourceCarrierId": {}, "cvPeerCommonCfgSourceTrunkGrpLabel": {}, "cvPeerCommonCfgTargetCarrierId": {}, "cvPeerCommonCfgTargetTrunkGrpLabel": {}, "cvSipMsgRateStatsAvgVal": {}, "cvSipMsgRateStatsMaxVal": {}, "cvSipMsgRateWMValue": {}, "cvSipMsgRateWMts": {}, "cvTotal": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "cvVnetTrunkNotifEnable": {}, "cvVoIPCallActiveBitRates": {}, "cvVoIPCallActiveCRC": {}, "cvVoIPCallActiveCallId": {}, "cvVoIPCallActiveCallReferenceId": {}, "cvVoIPCallActiveChannels": {}, "cvVoIPCallActiveCoderMode": {}, "cvVoIPCallActiveCoderTypeRate": {}, "cvVoIPCallActiveConnectionId": {}, "cvVoIPCallActiveEarlyPackets": {}, "cvVoIPCallActiveEncap": {}, "cvVoIPCallActiveEntry": {"46": {}}, "cvVoIPCallActiveGapFillWithInterpolation": {}, "cvVoIPCallActiveGapFillWithPrediction": {}, "cvVoIPCallActiveGapFillWithRedundancy": {}, "cvVoIPCallActiveGapFillWithSilence": {}, "cvVoIPCallActiveHiWaterPlayoutDelay": {}, "cvVoIPCallActiveInterleaving": {}, "cvVoIPCallActiveJBufferNominalDelay": {}, "cvVoIPCallActiveLatePackets": {}, "cvVoIPCallActiveLoWaterPlayoutDelay": {}, "cvVoIPCallActiveLostPackets": {}, "cvVoIPCallActiveMaxPtime": {}, "cvVoIPCallActiveModeChgNeighbor": {}, "cvVoIPCallActiveModeChgPeriod": {}, "cvVoIPCallActiveMosQe": {}, "cvVoIPCallActiveOctetAligned": {}, "cvVoIPCallActiveOnTimeRvPlayout": {}, "cvVoIPCallActiveOutOfOrder": {}, "cvVoIPCallActiveProtocolCallId": {}, "cvVoIPCallActivePtime": {}, "cvVoIPCallActiveReceiveDelay": {}, "cvVoIPCallActiveRemMediaIPAddr": {}, "cvVoIPCallActiveRemMediaIPAddrT": {}, "cvVoIPCallActiveRemMediaPort": {}, "cvVoIPCallActiveRemSigIPAddr": {}, "cvVoIPCallActiveRemSigIPAddrT": {}, "cvVoIPCallActiveRemSigPort": {}, "cvVoIPCallActiveRemoteIPAddress": {}, "cvVoIPCallActiveRemoteUDPPort": {}, "cvVoIPCallActiveReversedDirectionPeerAddress": {}, "cvVoIPCallActiveRobustSorting": {}, "cvVoIPCallActiveRoundTripDelay": {}, "cvVoIPCallActiveSRTPEnable": {}, "cvVoIPCallActiveSelectedQoS": {}, "cvVoIPCallActiveSessionProtocol": {}, "cvVoIPCallActiveSessionTarget": {}, "cvVoIPCallActiveTotalPacketLoss": {}, "cvVoIPCallActiveUsername": {}, "cvVoIPCallActiveVADEnable": {}, "cvVoIPCallHistoryBitRates": {}, "cvVoIPCallHistoryCRC": {}, "cvVoIPCallHistoryCallId": {}, "cvVoIPCallHistoryCallReferenceId": {}, "cvVoIPCallHistoryChannels": {}, "cvVoIPCallHistoryCoderMode": {}, "cvVoIPCallHistoryCoderTypeRate": {}, "cvVoIPCallHistoryConnectionId": {}, "cvVoIPCallHistoryEarlyPackets": {}, "cvVoIPCallHistoryEncap": {}, "cvVoIPCallHistoryEntry": {"48": {}}, "cvVoIPCallHistoryFallbackDelay": {}, "cvVoIPCallHistoryFallbackIcpif": {}, "cvVoIPCallHistoryFallbackLoss": {}, "cvVoIPCallHistoryGapFillWithInterpolation": {}, "cvVoIPCallHistoryGapFillWithPrediction": {}, "cvVoIPCallHistoryGapFillWithRedundancy": {}, "cvVoIPCallHistoryGapFillWithSilence": {}, "cvVoIPCallHistoryHiWaterPlayoutDelay": {}, "cvVoIPCallHistoryIcpif": {}, "cvVoIPCallHistoryInterleaving": {}, "cvVoIPCallHistoryJBufferNominalDelay": {}, "cvVoIPCallHistoryLatePackets": {}, "cvVoIPCallHistoryLoWaterPlayoutDelay": {}, "cvVoIPCallHistoryLostPackets": {}, "cvVoIPCallHistoryMaxPtime": {}, "cvVoIPCallHistoryModeChgNeighbor": {}, "cvVoIPCallHistoryModeChgPeriod": {}, "cvVoIPCallHistoryMosQe": {}, "cvVoIPCallHistoryOctetAligned": {}, "cvVoIPCallHistoryOnTimeRvPlayout": {}, "cvVoIPCallHistoryOutOfOrder": {}, "cvVoIPCallHistoryProtocolCallId": {}, "cvVoIPCallHistoryPtime": {}, "cvVoIPCallHistoryReceiveDelay": {}, "cvVoIPCallHistoryRemMediaIPAddr": {}, "cvVoIPCallHistoryRemMediaIPAddrT": {}, "cvVoIPCallHistoryRemMediaPort": {}, "cvVoIPCallHistoryRemSigIPAddr": {}, "cvVoIPCallHistoryRemSigIPAddrT": {}, "cvVoIPCallHistoryRemSigPort": {}, "cvVoIPCallHistoryRemoteIPAddress": {}, "cvVoIPCallHistoryRemoteUDPPort": {}, "cvVoIPCallHistoryRobustSorting": {}, "cvVoIPCallHistoryRoundTripDelay": {}, "cvVoIPCallHistorySRTPEnable": {}, "cvVoIPCallHistorySelectedQoS": {}, "cvVoIPCallHistorySessionProtocol": {}, "cvVoIPCallHistorySessionTarget": {}, "cvVoIPCallHistoryTotalPacketLoss": {}, "cvVoIPCallHistoryUsername": {}, "cvVoIPCallHistoryVADEnable": {}, "cvVoIPPeerCfgBitRate": {}, "cvVoIPPeerCfgBitRates": {}, "cvVoIPPeerCfgCRC": {}, "cvVoIPPeerCfgCoderBytes": {}, "cvVoIPPeerCfgCoderMode": {}, "cvVoIPPeerCfgCoderRate": {}, "cvVoIPPeerCfgCodingMode": {}, "cvVoIPPeerCfgDSCPPolicyNotificationEnable": {}, "cvVoIPPeerCfgDesiredQoS": {}, "cvVoIPPeerCfgDesiredQoSVideo": {}, "cvVoIPPeerCfgDigitRelay": {}, "cvVoIPPeerCfgExpectFactor": {}, "cvVoIPPeerCfgFaxBytes": {}, "cvVoIPPeerCfgFaxRate": {}, "cvVoIPPeerCfgFrameSize": {}, "cvVoIPPeerCfgIPPrecedence": {}, "cvVoIPPeerCfgIcpif": {}, "cvVoIPPeerCfgInBandSignaling": {}, "cvVoIPPeerCfgMediaPolicyNotificationEnable": {}, "cvVoIPPeerCfgMediaSetting": {}, "cvVoIPPeerCfgMinAcceptableQoS": {}, "cvVoIPPeerCfgMinAcceptableQoSVideo": {}, "cvVoIPPeerCfgOctetAligned": {}, "cvVoIPPeerCfgPoorQoVNotificationEnable": {}, "cvVoIPPeerCfgRedirectip2ip": {}, "cvVoIPPeerCfgSessionProtocol": {}, "cvVoIPPeerCfgSessionTarget": {}, "cvVoIPPeerCfgTechPrefix": {}, "cvVoIPPeerCfgUDPChecksumEnable": {}, "cvVoIPPeerCfgVADEnable": {}, "cvVoicePeerCfgCasGroup": {}, "cvVoicePeerCfgDIDCallEnable": {}, "cvVoicePeerCfgDialDigitsPrefix": {}, "cvVoicePeerCfgEchoCancellerTest": {}, "cvVoicePeerCfgForwardDigits": {}, "cvVoicePeerCfgRegisterE164": {}, "cvVoicePeerCfgSessionTarget": {}, "cvVrfIfNotifEnable": {}, "cvVrfInterfaceRowStatus": {}, "cvVrfInterfaceStorageType": {}, "cvVrfInterfaceType": {}, "cvVrfInterfaceVnetTagOverride": {}, "cvVrfListRowStatus": {}, "cvVrfListStorageType": {}, "cvVrfListVrfIndex": {}, "cvVrfName": {}, "cvVrfOperStatus": {}, "cvVrfRouteDistProt": {}, "cvVrfRowStatus": {}, "cvVrfStorageType": {}, "cvVrfVnetTag": {}, "cvaIfCfgImpedance": {}, "cvaIfCfgIntegratedDSP": {}, "cvaIfEMCfgDialType": {}, "cvaIfEMCfgEntry": {"7": {}}, "cvaIfEMCfgLmrECap": {}, "cvaIfEMCfgLmrMCap": {}, "cvaIfEMCfgOperation": {}, "cvaIfEMCfgSignalType": {}, "cvaIfEMCfgType": {}, "cvaIfEMInSeizureActive": {}, "cvaIfEMOutSeizureActive": {}, "cvaIfEMTimeoutLmrTeardown": {}, "cvaIfEMTimingClearWaitDuration": {}, "cvaIfEMTimingDelayStart": {}, "cvaIfEMTimingDigitDuration": {}, "cvaIfEMTimingEntry": {"13": {}, "14": {}, "15": {}}, "cvaIfEMTimingInterDigitDuration": {}, "cvaIfEMTimingMaxDelayDuration": {}, "cvaIfEMTimingMaxWinkDuration": {}, "cvaIfEMTimingMaxWinkWaitDuration": {}, "cvaIfEMTimingMinDelayPulseWidth": {}, "cvaIfEMTimingPulseInterDigitDuration": {}, "cvaIfEMTimingPulseRate": {}, "cvaIfEMTimingVoiceHangover": {}, "cvaIfFXOCfgDialType": {}, "cvaIfFXOCfgNumberRings": {}, "cvaIfFXOCfgSignalType": {}, "cvaIfFXOCfgSupDisconnect": {}, "cvaIfFXOCfgSupDisconnect2": {}, "cvaIfFXOHookStatus": {}, "cvaIfFXORingDetect": {}, "cvaIfFXORingGround": {}, "cvaIfFXOTimingDigitDuration": {}, "cvaIfFXOTimingInterDigitDuration": {}, "cvaIfFXOTimingPulseInterDigitDuration": {}, "cvaIfFXOTimingPulseRate": {}, "cvaIfFXOTipGround": {}, "cvaIfFXSCfgSignalType": {}, "cvaIfFXSHookStatus": {}, "cvaIfFXSRingActive": {}, "cvaIfFXSRingFrequency": {}, "cvaIfFXSRingGround": {}, "cvaIfFXSTimingDigitDuration": {}, "cvaIfFXSTimingInterDigitDuration": {}, "cvaIfFXSTipGround": {}, "cvaIfMaintenanceMode": {}, "cvaIfStatusInfoType": {}, "cvaIfStatusSignalErrors": {}, "cviRoutedVlanIfIndex": {}, "cvpdnDeniedUsersTotal": {}, "cvpdnSessionATOTimeouts": {}, "cvpdnSessionAdaptiveTimeOut": {}, "cvpdnSessionAttrBytesIn": {}, "cvpdnSessionAttrBytesOut": {}, "cvpdnSessionAttrCallDuration": {}, "cvpdnSessionAttrDS1ChannelIndex": {}, "cvpdnSessionAttrDS1PortIndex": {}, "cvpdnSessionAttrDS1SlotIndex": {}, "cvpdnSessionAttrDeviceCallerId": {}, "cvpdnSessionAttrDevicePhyId": {}, "cvpdnSessionAttrDeviceType": {}, "cvpdnSessionAttrEntry": {"20": {}, "21": {}, "22": {}, "23": {}, "24": {}}, "cvpdnSessionAttrModemCallStartIndex": {}, "cvpdnSessionAttrModemCallStartTime": {}, "cvpdnSessionAttrModemPortIndex": {}, "cvpdnSessionAttrModemSlotIndex": {}, "cvpdnSessionAttrMultilink": {}, "cvpdnSessionAttrPacketsIn": {}, "cvpdnSessionAttrPacketsOut": {}, "cvpdnSessionAttrState": {}, "cvpdnSessionAttrUserName": {}, "cvpdnSessionCalculationType": {}, "cvpdnSessionCurrentWindowSize": {}, "cvpdnSessionInterfaceName": {}, "cvpdnSessionLastChange": {}, "cvpdnSessionLocalWindowSize": {}, "cvpdnSessionMinimumWindowSize": {}, "cvpdnSessionOutGoingQueueSize": {}, "cvpdnSessionOutOfOrderPackets": {}, "cvpdnSessionPktProcessingDelay": {}, "cvpdnSessionRecvRBits": {}, "cvpdnSessionRecvSequence": {}, "cvpdnSessionRecvZLB": {}, "cvpdnSessionRemoteId": {}, "cvpdnSessionRemoteRecvSequence": {}, "cvpdnSessionRemoteSendSequence": {}, "cvpdnSessionRemoteWindowSize": {}, "cvpdnSessionRoundTripTime": {}, "cvpdnSessionSendSequence": {}, "cvpdnSessionSentRBits": {}, "cvpdnSessionSentZLB": {}, "cvpdnSessionSequencing": {}, "cvpdnSessionTotal": {}, "cvpdnSessionZLBTime": {}, "cvpdnSystemDeniedUsersTotal": {}, "cvpdnSystemInfo": {"5": {}, "6": {}}, "cvpdnSystemSessionTotal": {}, "cvpdnSystemTunnelTotal": {}, "cvpdnTunnelActiveSessions": {}, "cvpdnTunnelAttrActiveSessions": {}, "cvpdnTunnelAttrDeniedUsers": {}, "cvpdnTunnelAttrEntry": { "16": {}, "17": {}, "18": {}, "19": {}, "20": {}, "21": {}, }, "cvpdnTunnelAttrLocalInitConnection": {}, "cvpdnTunnelAttrLocalIpAddress": {}, "cvpdnTunnelAttrLocalName": {}, "cvpdnTunnelAttrNetworkServiceType": {}, "cvpdnTunnelAttrOrigCause": {}, "cvpdnTunnelAttrRemoteEndpointName": {}, "cvpdnTunnelAttrRemoteIpAddress": {}, "cvpdnTunnelAttrRemoteName": {}, "cvpdnTunnelAttrRemoteTunnelId": {}, "cvpdnTunnelAttrSoftshut": {}, "cvpdnTunnelAttrSourceIpAddress": {}, "cvpdnTunnelAttrState": {}, "cvpdnTunnelBytesIn": {}, "cvpdnTunnelBytesOut": {}, "cvpdnTunnelDeniedUsers": {}, "cvpdnTunnelExtEntry": {"8": {}, "9": {}}, "cvpdnTunnelLastChange": {}, "cvpdnTunnelLocalInitConnection": {}, "cvpdnTunnelLocalIpAddress": {}, "cvpdnTunnelLocalName": {}, "cvpdnTunnelLocalPort": {}, "cvpdnTunnelNetworkServiceType": {}, "cvpdnTunnelOrigCause": {}, "cvpdnTunnelPacketsIn": {}, "cvpdnTunnelPacketsOut": {}, "cvpdnTunnelRemoteEndpointName": {}, "cvpdnTunnelRemoteIpAddress": {}, "cvpdnTunnelRemoteName": {}, "cvpdnTunnelRemotePort": {}, "cvpdnTunnelRemoteTunnelId": {}, "cvpdnTunnelSessionBytesIn": {}, "cvpdnTunnelSessionBytesOut": {}, "cvpdnTunnelSessionCallDuration": {}, "cvpdnTunnelSessionDS1ChannelIndex": {}, "cvpdnTunnelSessionDS1PortIndex": {}, "cvpdnTunnelSessionDS1SlotIndex": {}, "cvpdnTunnelSessionDeviceCallerId": {}, "cvpdnTunnelSessionDevicePhyId": {}, "cvpdnTunnelSessionDeviceType": {}, "cvpdnTunnelSessionModemCallStartIndex": {}, "cvpdnTunnelSessionModemCallStartTime": {}, "cvpdnTunnelSessionModemPortIndex": {}, "cvpdnTunnelSessionModemSlotIndex": {}, "cvpdnTunnelSessionMultilink": {}, "cvpdnTunnelSessionPacketsIn": {}, "cvpdnTunnelSessionPacketsOut": {}, "cvpdnTunnelSessionState": {}, "cvpdnTunnelSessionUserName": {}, "cvpdnTunnelSoftshut": {}, "cvpdnTunnelSourceIpAddress": {}, "cvpdnTunnelState": {}, "cvpdnTunnelTotal": {}, "cvpdnUnameToFailHistCount": {}, "cvpdnUnameToFailHistDestIp": {}, "cvpdnUnameToFailHistFailReason": {}, "cvpdnUnameToFailHistFailTime": {}, "cvpdnUnameToFailHistFailType": {}, "cvpdnUnameToFailHistLocalInitConn": {}, "cvpdnUnameToFailHistLocalName": {}, "cvpdnUnameToFailHistRemoteName": {}, "cvpdnUnameToFailHistSourceIp": {}, "cvpdnUnameToFailHistUserId": {}, "cvpdnUserToFailHistInfoEntry": {"13": {}, "14": {}, "15": {}, "16": {}}, "ddp": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "demandNbrAcceptCalls": {}, "demandNbrAddress": {}, "demandNbrCallOrigin": {}, "demandNbrClearCode": {}, "demandNbrClearReason": {}, "demandNbrFailCalls": {}, "demandNbrLastAttemptTime": {}, "demandNbrLastDuration": {}, "demandNbrLogIf": {}, "demandNbrMaxDuration": {}, "demandNbrName": {}, "demandNbrPermission": {}, "demandNbrRefuseCalls": {}, "demandNbrStatus": {}, "demandNbrSuccessCalls": {}, "dialCtlAcceptMode": {}, "dialCtlPeerCfgAnswerAddress": {}, "dialCtlPeerCfgCallRetries": {}, "dialCtlPeerCfgCarrierDelay": {}, "dialCtlPeerCfgFailureDelay": {}, "dialCtlPeerCfgIfType": {}, "dialCtlPeerCfgInactivityTimer": {}, "dialCtlPeerCfgInfoType": {}, "dialCtlPeerCfgLowerIf": {}, "dialCtlPeerCfgMaxDuration": {}, "dialCtlPeerCfgMinDuration": {}, "dialCtlPeerCfgOriginateAddress": {}, "dialCtlPeerCfgPermission": {}, "dialCtlPeerCfgRetryDelay": {}, "dialCtlPeerCfgSpeed": {}, "dialCtlPeerCfgStatus": {}, "dialCtlPeerCfgSubAddress": {}, "dialCtlPeerCfgTrapEnable": {}, "dialCtlPeerStatsAcceptCalls": {}, "dialCtlPeerStatsChargedUnits": {}, "dialCtlPeerStatsConnectTime": {}, "dialCtlPeerStatsFailCalls": {}, "dialCtlPeerStatsLastDisconnectCause": {}, "dialCtlPeerStatsLastDisconnectText": {}, "dialCtlPeerStatsLastSetupTime": {}, "dialCtlPeerStatsRefuseCalls": {}, "dialCtlPeerStatsSuccessCalls": {}, "dialCtlTrapEnable": {}, "diffServAction": {"1": {}, "4": {}}, "diffServActionEntry": {"2": {}, "3": {}, "4": {}, "5": {}, "6": {}}, "diffServAlgDrop": {"1": {}, "3": {}}, "diffServAlgDropEntry": { "10": {}, "11": {}, "12": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "diffServClassifier": {"1": {}, "3": {}, "5": {}}, "diffServClfrElementEntry": {"2": {}, "3": {}, "4": {}, "5": {}, "6": {}}, "diffServClfrEntry": {"2": {}, "3": {}}, "diffServCountActEntry": {"2": {}, "3": {}, "4": {}, "5": {}}, "diffServDataPathEntry": {"2": {}, "3": {}, "4": {}}, "diffServDscpMarkActEntry": {"1": {}}, "diffServMaxRateEntry": {"3": {}, "4": {}, "5": {}, "6": {}, "7": {}}, "diffServMeter": {"1": {}}, "diffServMeterEntry": {"2": {}, "3": {}, "4": {}, "5": {}, "6": {}}, "diffServMinRateEntry": {"2": {}, "3": {}, "4": {}, "5": {}, "6": {}}, "diffServMultiFieldClfrEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "diffServQEntry": {"2": {}, "3": {}, "4": {}, "5": {}, "6": {}}, "diffServQueue": {"1": {}}, "diffServRandomDropEntry": { "10": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "diffServScheduler": {"1": {}, "3": {}, "5": {}}, "diffServSchedulerEntry": {"2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}}, "diffServTBParam": {"1": {}}, "diffServTBParamEntry": {"2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}}, "dlswCircuitEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "26": {}, "27": {}, "28": {}, "29": {}, "3": {}, "30": {}, "31": {}, "4": {}, "5": {}, "6": {}, "7": {}, }, "dlswCircuitStat": {"1": {}, "2": {}}, "dlswDirLocateMacEntry": {"3": {}}, "dlswDirLocateNBEntry": {"3": {}}, "dlswDirMacEntry": { "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "dlswDirNBEntry": { "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "dlswDirStat": { "1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, }, "dlswIfEntry": {"1": {}, "2": {}, "3": {}}, "dlswNode": { "1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "dlswSdlc": {"1": {}}, "dlswSdlcLsEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}}, "dlswTConnConfigEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "dlswTConnOperEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "26": {}, "27": {}, "28": {}, "29": {}, "30": {}, "31": {}, "32": {}, "33": {}, "34": {}, "35": {}, "36": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "dlswTConnStat": {"1": {}, "2": {}, "3": {}}, "dlswTConnTcpConfigEntry": {"1": {}, "2": {}, "3": {}}, "dlswTConnTcpOperEntry": {"1": {}, "2": {}, "3": {}}, "dlswTrapControl": {"1": {}, "2": {}, "3": {}, "4": {}}, "dnAreaTableEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}}, "dnHostTableEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}}, "dnIfTableEntry": {"1": {}}, "dot1agCfmConfigErrorListErrorType": {}, "dot1agCfmDefaultMdDefIdPermission": {}, "dot1agCfmDefaultMdDefLevel": {}, "dot1agCfmDefaultMdDefMhfCreation": {}, "dot1agCfmDefaultMdIdPermission": {}, "dot1agCfmDefaultMdLevel": {}, "dot1agCfmDefaultMdMhfCreation": {}, "dot1agCfmDefaultMdStatus": {}, "dot1agCfmLtrChassisId": {}, "dot1agCfmLtrChassisIdSubtype": {}, "dot1agCfmLtrEgress": {}, "dot1agCfmLtrEgressMac": {}, "dot1agCfmLtrEgressPortId": {}, "dot1agCfmLtrEgressPortIdSubtype": {}, "dot1agCfmLtrForwarded": {}, "dot1agCfmLtrIngress": {}, "dot1agCfmLtrIngressMac": {}, "dot1agCfmLtrIngressPortId": {}, "dot1agCfmLtrIngressPortIdSubtype": {}, "dot1agCfmLtrLastEgressIdentifier": {}, "dot1agCfmLtrManAddress": {}, "dot1agCfmLtrManAddressDomain": {}, "dot1agCfmLtrNextEgressIdentifier": {}, "dot1agCfmLtrOrganizationSpecificTlv": {}, "dot1agCfmLtrRelay": {}, "dot1agCfmLtrTerminalMep": {}, "dot1agCfmLtrTtl": {}, "dot1agCfmMaCompIdPermission": {}, "dot1agCfmMaCompMhfCreation": {}, "dot1agCfmMaCompNumberOfVids": {}, "dot1agCfmMaCompPrimaryVlanId": {}, "dot1agCfmMaCompRowStatus": {}, "dot1agCfmMaMepListRowStatus": {}, "dot1agCfmMaNetCcmInterval": {}, "dot1agCfmMaNetFormat": {}, "dot1agCfmMaNetName": {}, "dot1agCfmMaNetRowStatus": {}, "dot1agCfmMdFormat": {}, "dot1agCfmMdMaNextIndex": {}, "dot1agCfmMdMdLevel": {}, "dot1agCfmMdMhfCreation": {}, "dot1agCfmMdMhfIdPermission": {}, "dot1agCfmMdName": {}, "dot1agCfmMdRowStatus": {}, "dot1agCfmMdTableNextIndex": {}, "dot1agCfmMepActive": {}, "dot1agCfmMepCciEnabled": {}, "dot1agCfmMepCciSentCcms": {}, "dot1agCfmMepCcmLtmPriority": {}, "dot1agCfmMepCcmSequenceErrors": {}, "dot1agCfmMepDbChassisId": {}, "dot1agCfmMepDbChassisIdSubtype": {}, "dot1agCfmMepDbInterfaceStatusTlv": {}, "dot1agCfmMepDbMacAddress": {}, "dot1agCfmMepDbManAddress": {}, "dot1agCfmMepDbManAddressDomain": {}, "dot1agCfmMepDbPortStatusTlv": {}, "dot1agCfmMepDbRMepFailedOkTime": {}, "dot1agCfmMepDbRMepState": {}, "dot1agCfmMepDbRdi": {}, "dot1agCfmMepDefects": {}, "dot1agCfmMepDirection": {}, "dot1agCfmMepErrorCcmLastFailure": {}, "dot1agCfmMepFngAlarmTime": {}, "dot1agCfmMepFngResetTime": {}, "dot1agCfmMepFngState": {}, "dot1agCfmMepHighestPrDefect": {}, "dot1agCfmMepIfIndex": {}, "dot1agCfmMepLbrBadMsdu": {}, "dot1agCfmMepLbrIn": {}, "dot1agCfmMepLbrInOutOfOrder": {}, "dot1agCfmMepLbrOut": {}, "dot1agCfmMepLowPrDef": {}, "dot1agCfmMepLtmNextSeqNumber": {}, "dot1agCfmMepMacAddress": {}, "dot1agCfmMepNextLbmTransId": {}, "dot1agCfmMepPrimaryVid": {}, "dot1agCfmMepRowStatus": {}, "dot1agCfmMepTransmitLbmDataTlv": {}, "dot1agCfmMepTransmitLbmDestIsMepId": {}, "dot1agCfmMepTransmitLbmDestMacAddress": {}, "dot1agCfmMepTransmitLbmDestMepId": {}, "dot1agCfmMepTransmitLbmMessages": {}, "dot1agCfmMepTransmitLbmResultOK": {}, "dot1agCfmMepTransmitLbmSeqNumber": {}, "dot1agCfmMepTransmitLbmStatus": {}, "dot1agCfmMepTransmitLbmVlanDropEnable": {}, "dot1agCfmMepTransmitLbmVlanPriority": {}, "dot1agCfmMepTransmitLtmEgressIdentifier": {}, "dot1agCfmMepTransmitLtmFlags": {}, "dot1agCfmMepTransmitLtmResult": {}, "dot1agCfmMepTransmitLtmSeqNumber": {}, "dot1agCfmMepTransmitLtmStatus": {}, "dot1agCfmMepTransmitLtmTargetIsMepId": {}, "dot1agCfmMepTransmitLtmTargetMacAddress": {}, "dot1agCfmMepTransmitLtmTargetMepId": {}, "dot1agCfmMepTransmitLtmTtl": {}, "dot1agCfmMepUnexpLtrIn": {}, "dot1agCfmMepXconCcmLastFailure": {}, "dot1agCfmStackMaIndex": {}, "dot1agCfmStackMacAddress": {}, "dot1agCfmStackMdIndex": {}, "dot1agCfmStackMepId": {}, "dot1agCfmVlanPrimaryVid": {}, "dot1agCfmVlanRowStatus": {}, "dot1dBase": {"1": {}, "2": {}, "3": {}}, "dot1dBasePortEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}}, "dot1dSrPortEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "dot1dStaticEntry": {"1": {}, "2": {}, "3": {}, "4": {}}, "dot1dStp": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "dot1dStpPortEntry": { "1": {}, "10": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "dot1dTp": {"1": {}, "2": {}}, "dot1dTpFdbEntry": {"1": {}, "2": {}, "3": {}}, "dot1dTpPortEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}}, "dot10.196.1.1": {}, "dot10.196.1.2": {}, "dot10.196.1.3": {}, "dot10.196.1.4": {}, "dot10.196.1.5": {}, "dot10.196.1.6": {}, "dot3CollEntry": {"3": {}}, "dot3ControlEntry": {"1": {}, "2": {}, "3": {}}, "dot3PauseEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}}, "dot3StatsEntry": { "1": {}, "10": {}, "11": {}, "13": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "dot3adAggActorAdminKey": {}, "dot3adAggActorOperKey": {}, "dot3adAggActorSystemID": {}, "dot3adAggActorSystemPriority": {}, "dot3adAggAggregateOrIndividual": {}, "dot3adAggCollectorMaxDelay": {}, "dot3adAggMACAddress": {}, "dot3adAggPartnerOperKey": {}, "dot3adAggPartnerSystemID": {}, "dot3adAggPartnerSystemPriority": {}, "dot3adAggPortActorAdminKey": {}, "dot3adAggPortActorAdminState": {}, "dot3adAggPortActorOperKey": {}, "dot3adAggPortActorOperState": {}, "dot3adAggPortActorPort": {}, "dot3adAggPortActorPortPriority": {}, "dot3adAggPortActorSystemID": {}, "dot3adAggPortActorSystemPriority": {}, "dot3adAggPortAggregateOrIndividual": {}, "dot3adAggPortAttachedAggID": {}, "dot3adAggPortDebugActorChangeCount": {}, "dot3adAggPortDebugActorChurnCount": {}, "dot3adAggPortDebugActorChurnState": {}, "dot3adAggPortDebugActorSyncTransitionCount": {}, "dot3adAggPortDebugLastRxTime": {}, "dot3adAggPortDebugMuxReason": {}, "dot3adAggPortDebugMuxState": {}, "dot3adAggPortDebugPartnerChangeCount": {}, "dot3adAggPortDebugPartnerChurnCount": {}, "dot3adAggPortDebugPartnerChurnState": {}, "dot3adAggPortDebugPartnerSyncTransitionCount": {}, "dot3adAggPortDebugRxState": {}, "dot3adAggPortListPorts": {}, "dot3adAggPortPartnerAdminKey": {}, "dot3adAggPortPartnerAdminPort": {}, "dot3adAggPortPartnerAdminPortPriority": {}, "dot3adAggPortPartnerAdminState": {}, "dot3adAggPortPartnerAdminSystemID": {}, "dot3adAggPortPartnerAdminSystemPriority": {}, "dot3adAggPortPartnerOperKey": {}, "dot3adAggPortPartnerOperPort": {}, "dot3adAggPortPartnerOperPortPriority": {}, "dot3adAggPortPartnerOperState": {}, "dot3adAggPortPartnerOperSystemID": {}, "dot3adAggPortPartnerOperSystemPriority": {}, "dot3adAggPortSelectedAggID": {}, "dot3adAggPortStatsIllegalRx": {}, "dot3adAggPortStatsLACPDUsRx": {}, "dot3adAggPortStatsLACPDUsTx": {}, "dot3adAggPortStatsMarkerPDUsRx": {}, "dot3adAggPortStatsMarkerPDUsTx": {}, "dot3adAggPortStatsMarkerResponsePDUsRx": {}, "dot3adAggPortStatsMarkerResponsePDUsTx": {}, "dot3adAggPortStatsUnknownRx": {}, "dot3adTablesLastChanged": {}, "dot5Entry": { "1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "dot5StatsEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ds10.121.1.1": {}, "ds10.121.1.10": {}, "ds10.121.1.11": {}, "ds10.121.1.12": {}, "ds10.121.1.13": {}, "ds10.121.1.2": {}, "ds10.121.1.3": {}, "ds10.121.1.4": {}, "ds10.121.1.5": {}, "ds10.121.1.6": {}, "ds10.121.1.7": {}, "ds10.121.1.8": {}, "ds10.121.1.9": {}, "ds10.144.1.1": {}, "ds10.144.1.10": {}, "ds10.144.1.11": {}, "ds10.144.1.12": {}, "ds10.144.1.2": {}, "ds10.144.1.3": {}, "ds10.144.1.4": {}, "ds10.144.1.5": {}, "ds10.144.1.6": {}, "ds10.144.1.7": {}, "ds10.144.1.8": {}, "ds10.144.1.9": {}, "ds10.169.1.1": {}, "ds10.169.1.10": {}, "ds10.169.1.2": {}, "ds10.169.1.3": {}, "ds10.169.1.4": {}, "ds10.169.1.5": {}, "ds10.169.1.6": {}, "ds10.169.1.7": {}, "ds10.169.1.8": {}, "ds10.169.1.9": {}, "ds10.34.1.1": {}, "ds10.196.1.7": {}, "dspuLuAdminEntry": {"2": {}, "3": {}, "4": {}, "5": {}, "6": {}}, "dspuLuOperEntry": { "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "dspuNode": { "1": {}, "10": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "dspuPoolClassEntry": {"2": {}, "3": {}, "4": {}, "5": {}}, "dspuPooledLuEntry": {"1": {}, "2": {}}, "dspuPuAdminEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "dspuPuOperEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "dspuPuStatsEntry": { "1": {}, "10": {}, "11": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "dspuSapEntry": {"2": {}, "6": {}, "7": {}}, "dsx1ConfigEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "dsx1CurrentEntry": { "1": {}, "10": {}, "11": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "dsx1FracEntry": {"1": {}, "2": {}, "3": {}}, "dsx1IntervalEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "dsx1TotalEntry": { "1": {}, "10": {}, "11": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "dsx3ConfigEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "dsx3CurrentEntry": { "1": {}, "10": {}, "11": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "dsx3FracEntry": {"1": {}, "2": {}, "3": {}}, "dsx3IntervalEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "dsx3TotalEntry": { "1": {}, "10": {}, "11": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "entAliasMappingEntry": {"2": {}}, "entLPMappingEntry": {"1": {}}, "entLastInconsistencyDetectTime": {}, "entLogicalEntry": {"2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}}, "entPhySensorOperStatus": {}, "entPhySensorPrecision": {}, "entPhySensorScale": {}, "entPhySensorType": {}, "entPhySensorUnitsDisplay": {}, "entPhySensorValue": {}, "entPhySensorValueTimeStamp": {}, "entPhySensorValueUpdateRate": {}, "entPhysicalContainsEntry": {"1": {}}, "entPhysicalEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "entSensorMeasuredEntity": {}, "entSensorPrecision": {}, "entSensorScale": {}, "entSensorStatus": {}, "entSensorThresholdEvaluation": {}, "entSensorThresholdNotificationEnable": {}, "entSensorThresholdRelation": {}, "entSensorThresholdSeverity": {}, "entSensorThresholdValue": {}, "entSensorType": {}, "entSensorValue": {}, "entSensorValueTimeStamp": {}, "entSensorValueUpdateRate": {}, "entStateTable.1.1": {}, "entStateTable.1.2": {}, "entStateTable.1.3": {}, "entStateTable.1.4": {}, "entStateTable.1.5": {}, "entStateTable.1.6": {}, "enterprises.310.49.6.10.10.25.1.1": {}, "enterprises.310.49.6.1.10.4.1.2": {}, "enterprises.310.49.6.1.10.4.1.3": {}, "enterprises.310.49.6.1.10.4.1.4": {}, "enterprises.310.49.6.1.10.4.1.5": {}, "enterprises.310.49.6.1.10.4.1.6": {}, "enterprises.310.49.6.1.10.4.1.7": {}, "enterprises.310.49.6.1.10.4.1.8": {}, "enterprises.310.49.6.1.10.4.1.9": {}, "enterprises.310.49.6.1.10.9.1.1": {}, "enterprises.310.49.6.1.10.9.1.10": {}, "enterprises.310.49.6.1.10.9.1.11": {}, "enterprises.310.49.6.1.10.9.1.12": {}, "enterprises.310.49.6.1.10.9.1.13": {}, "enterprises.310.49.6.1.10.9.1.14": {}, "enterprises.310.49.6.1.10.9.1.2": {}, "enterprises.310.49.6.1.10.9.1.3": {}, "enterprises.310.49.6.1.10.9.1.4": {}, "enterprises.310.49.6.1.10.9.1.5": {}, "enterprises.310.49.6.1.10.9.1.6": {}, "enterprises.310.49.6.1.10.9.1.7": {}, "enterprises.310.49.6.1.10.9.1.8": {}, "enterprises.310.49.6.1.10.9.1.9": {}, "enterprises.310.49.6.1.10.16.1.10": {}, "enterprises.310.49.6.1.10.16.1.11": {}, "enterprises.310.49.6.1.10.16.1.12": {}, "enterprises.310.49.6.1.10.16.1.13": {}, "enterprises.310.49.6.1.10.16.1.14": {}, "enterprises.310.49.6.1.10.16.1.3": {}, "enterprises.310.49.6.1.10.16.1.4": {}, "enterprises.310.49.6.1.10.16.1.5": {}, "enterprises.310.49.6.1.10.16.1.6": {}, "enterprises.310.49.6.1.10.16.1.7": {}, "enterprises.310.49.6.1.10.16.1.8": {}, "enterprises.310.49.6.1.10.16.1.9": {}, "entityGeneral": {"1": {}}, "etherWisDeviceRxTestPatternErrors": {}, "etherWisDeviceRxTestPatternMode": {}, "etherWisDeviceTxTestPatternMode": {}, "etherWisFarEndPathCurrentStatus": {}, "etherWisPathCurrentJ1Received": {}, "etherWisPathCurrentJ1Transmitted": {}, "etherWisPathCurrentStatus": {}, "etherWisSectionCurrentJ0Received": {}, "etherWisSectionCurrentJ0Transmitted": {}, "eventEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}}, "faAdmProhibited": {}, "faCOAStatus": {}, "faEncapsulationUnavailable": {}, "faHAAuthenticationFailure": {}, "faHAUnreachable": {}, "faInsufficientResource": {}, "faMNAuthenticationFailure": {}, "faPoorlyFormedReplies": {}, "faPoorlyFormedRequests": {}, "faReasonUnspecified": {}, "faRegLifetimeTooLong": {}, "faRegRepliesRecieved": {}, "faRegRepliesRelayed": {}, "faRegRequestsReceived": {}, "faRegRequestsRelayed": {}, "faVisitorHomeAddress": {}, "faVisitorHomeAgentAddress": {}, "faVisitorIPAddress": {}, "faVisitorRegFlags": {}, "faVisitorRegIDHigh": {}, "faVisitorRegIDLow": {}, "faVisitorRegIsAccepted": {}, "faVisitorTimeGranted": {}, "faVisitorTimeRemaining": {}, "frCircuitEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "frDlcmiEntry": { "1": {}, "10": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "frTrapState": {}, "frasBanLlc": {}, "frasBanSdlc": {}, "frasBnnLlc": {}, "frasBnnSdlc": {}, "haAdmProhibited": {}, "haDeRegRepliesSent": {}, "haDeRegRequestsReceived": {}, "haFAAuthenticationFailure": {}, "haGratuitiousARPsSent": {}, "haIDMismatch": {}, "haInsufficientResource": {}, "haMNAuthenticationFailure": {}, "haMobilityBindingCOA": {}, "haMobilityBindingMN": {}, "haMobilityBindingRegFlags": {}, "haMobilityBindingRegIDHigh": {}, "haMobilityBindingRegIDLow": {}, "haMobilityBindingSourceAddress": {}, "haMobilityBindingTimeGranted": {}, "haMobilityBindingTimeRemaining": {}, "haMultiBindingUnsupported": {}, "haOverallServiceTime": {}, "haPoorlyFormedRequest": {}, "haProxyARPsSent": {}, "haReasonUnspecified": {}, "haRecentServiceAcceptedTime": {}, "haRecentServiceDeniedCode": {}, "haRecentServiceDeniedTime": {}, "haRegRepliesSent": {}, "haRegRequestsReceived": {}, "haRegistrationAccepted": {}, "haServiceRequestsAccepted": {}, "haServiceRequestsDenied": {}, "haTooManyBindings": {}, "haUnknownHA": {}, "hcAlarmAbsValue": {}, "hcAlarmCapabilities": {}, "hcAlarmFallingEventIndex": {}, "hcAlarmFallingThreshAbsValueHi": {}, "hcAlarmFallingThreshAbsValueLo": {}, "hcAlarmFallingThresholdValStatus": {}, "hcAlarmInterval": {}, "hcAlarmOwner": {}, "hcAlarmRisingEventIndex": {}, "hcAlarmRisingThreshAbsValueHi": {}, "hcAlarmRisingThreshAbsValueLo": {}, "hcAlarmRisingThresholdValStatus": {}, "hcAlarmSampleType": {}, "hcAlarmStartupAlarm": {}, "hcAlarmStatus": {}, "hcAlarmStorageType": {}, "hcAlarmValueFailedAttempts": {}, "hcAlarmValueStatus": {}, "hcAlarmVariable": {}, "icmp": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "26": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "icmpMsgStatsEntry": {"3": {}, "4": {}}, "icmpStatsEntry": {"2": {}, "3": {}, "4": {}, "5": {}}, "ieee8021CfmConfigErrorListErrorType": {}, "ieee8021CfmDefaultMdIdPermission": {}, "ieee8021CfmDefaultMdLevel": {}, "ieee8021CfmDefaultMdMhfCreation": {}, "ieee8021CfmDefaultMdStatus": {}, "ieee8021CfmMaCompIdPermission": {}, "ieee8021CfmMaCompMhfCreation": {}, "ieee8021CfmMaCompNumberOfVids": {}, "ieee8021CfmMaCompPrimarySelectorOrNone": {}, "ieee8021CfmMaCompPrimarySelectorType": {}, "ieee8021CfmMaCompRowStatus": {}, "ieee8021CfmStackMaIndex": {}, "ieee8021CfmStackMacAddress": {}, "ieee8021CfmStackMdIndex": {}, "ieee8021CfmStackMepId": {}, "ieee8021CfmVlanPrimarySelector": {}, "ieee8021CfmVlanRowStatus": {}, "ifAdminStatus": {}, "ifAlias": {}, "ifConnectorPresent": {}, "ifCounterDiscontinuityTime": {}, "ifDescr": {}, "ifHCInBroadcastPkts": {}, "ifHCInMulticastPkts": {}, "ifHCInOctets": {}, "ifHCInUcastPkts": {}, "ifHCOutBroadcastPkts": {}, "ifHCOutMulticastPkts": {}, "ifHCOutOctets": {}, "ifHCOutUcastPkts": {}, "ifHighSpeed": {}, "ifInBroadcastPkts": {}, "ifInDiscards": {}, "ifInErrors": {}, "ifInMulticastPkts": {}, "ifInNUcastPkts": {}, "ifInOctets": {}, "ifInUcastPkts": {}, "ifInUnknownProtos": {}, "ifIndex": {}, "ifLastChange": {}, "ifLinkUpDownTrapEnable": {}, "ifMtu": {}, "ifName": {}, "ifNumber": {}, "ifOperStatus": {}, "ifOutBroadcastPkts": {}, "ifOutDiscards": {}, "ifOutErrors": {}, "ifOutMulticastPkts": {}, "ifOutNUcastPkts": {}, "ifOutOctets": {}, "ifOutQLen": {}, "ifOutUcastPkts": {}, "ifPhysAddress": {}, "ifPromiscuousMode": {}, "ifRcvAddressStatus": {}, "ifRcvAddressType": {}, "ifSpecific": {}, "ifSpeed": {}, "ifStackLastChange": {}, "ifStackStatus": {}, "ifTableLastChange": {}, "ifTestCode": {}, "ifTestId": {}, "ifTestOwner": {}, "ifTestResult": {}, "ifTestStatus": {}, "ifTestType": {}, "ifType": {}, "igmpCacheEntry": {"3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}}, "igmpInterfaceEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "inetCidrRouteEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "7": {}, "8": {}, "9": {}, }, "intSrvFlowEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "intSrvGenObjects": {"1": {}}, "intSrvGuaranteedIfEntry": {"1": {}, "2": {}, "3": {}, "4": {}}, "intSrvIfAttribEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}}, "ip": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "23": {}, "25": {}, "26": {}, "27": {}, "29": {}, "3": {}, "33": {}, "38": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ipAddrEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}}, "ipAddressEntry": { "10": {}, "11": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ipAddressPrefixEntry": {"5": {}, "6": {}, "7": {}, "8": {}, "9": {}}, "ipCidrRouteEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ipDefaultRouterEntry": {"4": {}, "5": {}}, "ipForward": {"3": {}, "6": {}}, "ipIfStatsEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "20": {}, "21": {}, "23": {}, "24": {}, "25": {}, "26": {}, "27": {}, "28": {}, "29": {}, "3": {}, "30": {}, "31": {}, "32": {}, "33": {}, "34": {}, "35": {}, "36": {}, "37": {}, "38": {}, "39": {}, "4": {}, "40": {}, "41": {}, "42": {}, "43": {}, "44": {}, "45": {}, "46": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ipMRoute": {"1": {}, "7": {}}, "ipMRouteBoundaryEntry": {"4": {}}, "ipMRouteEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ipMRouteInterfaceEntry": { "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, }, "ipMRouteNextHopEntry": {"10": {}, "11": {}, "6": {}, "7": {}, "8": {}, "9": {}}, "ipMRouteScopeNameEntry": {"4": {}, "5": {}, "6": {}}, "ipNetToMediaEntry": {"1": {}, "2": {}, "3": {}, "4": {}}, "ipNetToPhysicalEntry": {"4": {}, "5": {}, "6": {}, "7": {}, "8": {}}, "ipSystemStatsEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "26": {}, "27": {}, "28": {}, "29": {}, "3": {}, "30": {}, "31": {}, "32": {}, "33": {}, "34": {}, "35": {}, "36": {}, "37": {}, "38": {}, "39": {}, "4": {}, "40": {}, "41": {}, "42": {}, "43": {}, "44": {}, "45": {}, "46": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ipTrafficStats": {"2": {}}, "ipslaEtherJAggMaxSucFrmLoss": {}, "ipslaEtherJAggMeasuredAvgJ": {}, "ipslaEtherJAggMeasuredAvgJDS": {}, "ipslaEtherJAggMeasuredAvgJSD": {}, "ipslaEtherJAggMeasuredAvgLossDenominatorDS": {}, "ipslaEtherJAggMeasuredAvgLossDenominatorSD": {}, "ipslaEtherJAggMeasuredAvgLossNumeratorDS": {}, "ipslaEtherJAggMeasuredAvgLossNumeratorSD": {}, "ipslaEtherJAggMeasuredBusies": {}, "ipslaEtherJAggMeasuredCmpletions": {}, "ipslaEtherJAggMeasuredCumulativeAvgLossDenominatorDS": {}, "ipslaEtherJAggMeasuredCumulativeAvgLossDenominatorSD": {}, "ipslaEtherJAggMeasuredCumulativeAvgLossNumeratorDS": {}, "ipslaEtherJAggMeasuredCumulativeAvgLossNumeratorSD": {}, "ipslaEtherJAggMeasuredCumulativeLossDenominatorDS": {}, "ipslaEtherJAggMeasuredCumulativeLossDenominatorSD": {}, "ipslaEtherJAggMeasuredCumulativeLossNumeratorDS": {}, "ipslaEtherJAggMeasuredCumulativeLossNumeratorSD": {}, "ipslaEtherJAggMeasuredErrors": {}, "ipslaEtherJAggMeasuredFrmLateAs": {}, "ipslaEtherJAggMeasuredFrmLossSDs": {}, "ipslaEtherJAggMeasuredFrmLssDSes": {}, "ipslaEtherJAggMeasuredFrmMIAes": {}, "ipslaEtherJAggMeasuredFrmOutSeqs": {}, "ipslaEtherJAggMeasuredFrmSkippds": {}, "ipslaEtherJAggMeasuredFrmUnPrcds": {}, "ipslaEtherJAggMeasuredIAJIn": {}, "ipslaEtherJAggMeasuredIAJOut": {}, "ipslaEtherJAggMeasuredMaxLossDenominatorDS": {}, "ipslaEtherJAggMeasuredMaxLossDenominatorSD": {}, "ipslaEtherJAggMeasuredMaxLossNumeratorDS": {}, "ipslaEtherJAggMeasuredMaxLossNumeratorSD": {}, "ipslaEtherJAggMeasuredMaxNegDS": {}, "ipslaEtherJAggMeasuredMaxNegSD": {}, "ipslaEtherJAggMeasuredMaxNegTW": {}, "ipslaEtherJAggMeasuredMaxPosDS": {}, "ipslaEtherJAggMeasuredMaxPosSD": {}, "ipslaEtherJAggMeasuredMaxPosTW": {}, "ipslaEtherJAggMeasuredMinLossDenominatorDS": {}, "ipslaEtherJAggMeasuredMinLossDenominatorSD": {}, "ipslaEtherJAggMeasuredMinLossNumeratorDS": {}, "ipslaEtherJAggMeasuredMinLossNumeratorSD": {}, "ipslaEtherJAggMeasuredMinNegDS": {}, "ipslaEtherJAggMeasuredMinNegSD": {}, "ipslaEtherJAggMeasuredMinNegTW": {}, "ipslaEtherJAggMeasuredMinPosDS": {}, "ipslaEtherJAggMeasuredMinPosSD": {}, "ipslaEtherJAggMeasuredMinPosTW": {}, "ipslaEtherJAggMeasuredNumNegDSes": {}, "ipslaEtherJAggMeasuredNumNegSDs": {}, "ipslaEtherJAggMeasuredNumOWs": {}, "ipslaEtherJAggMeasuredNumOverThresh": {}, "ipslaEtherJAggMeasuredNumPosDSes": {}, "ipslaEtherJAggMeasuredNumPosSDs": {}, "ipslaEtherJAggMeasuredNumRTTs": {}, "ipslaEtherJAggMeasuredOWMaxDS": {}, "ipslaEtherJAggMeasuredOWMaxSD": {}, "ipslaEtherJAggMeasuredOWMinDS": {}, "ipslaEtherJAggMeasuredOWMinSD": {}, "ipslaEtherJAggMeasuredOWSum2DSHs": {}, "ipslaEtherJAggMeasuredOWSum2DSLs": {}, "ipslaEtherJAggMeasuredOWSum2SDHs": {}, "ipslaEtherJAggMeasuredOWSum2SDLs": {}, "ipslaEtherJAggMeasuredOWSumDSes": {}, "ipslaEtherJAggMeasuredOWSumSDs": {}, "ipslaEtherJAggMeasuredOvThrshlds": {}, "ipslaEtherJAggMeasuredRTTMax": {}, "ipslaEtherJAggMeasuredRTTMin": {}, "ipslaEtherJAggMeasuredRTTSum2Hs": {}, "ipslaEtherJAggMeasuredRTTSum2Ls": {}, "ipslaEtherJAggMeasuredRTTSums": {}, "ipslaEtherJAggMeasuredRxFrmsDS": {}, "ipslaEtherJAggMeasuredRxFrmsSD": {}, "ipslaEtherJAggMeasuredSum2NDSHs": {}, "ipslaEtherJAggMeasuredSum2NDSLs": {}, "ipslaEtherJAggMeasuredSum2NSDHs": {}, "ipslaEtherJAggMeasuredSum2NSDLs": {}, "ipslaEtherJAggMeasuredSum2PDSHs": {}, "ipslaEtherJAggMeasuredSum2PDSLs": {}, "ipslaEtherJAggMeasuredSum2PSDHs": {}, "ipslaEtherJAggMeasuredSum2PSDLs": {}, "ipslaEtherJAggMeasuredSumNegDSes": {}, "ipslaEtherJAggMeasuredSumNegSDs": {}, "ipslaEtherJAggMeasuredSumPosDSes": {}, "ipslaEtherJAggMeasuredSumPosSDs": {}, "ipslaEtherJAggMeasuredTxFrmsDS": {}, "ipslaEtherJAggMeasuredTxFrmsSD": {}, "ipslaEtherJAggMinSucFrmLoss": {}, "ipslaEtherJLatestFrmUnProcessed": {}, "ipslaEtherJitterLatestAvgDSJ": {}, "ipslaEtherJitterLatestAvgJitter": {}, "ipslaEtherJitterLatestAvgSDJ": {}, "ipslaEtherJitterLatestFrmLateA": {}, "ipslaEtherJitterLatestFrmLossDS": {}, "ipslaEtherJitterLatestFrmLossSD": {}, "ipslaEtherJitterLatestFrmMIA": {}, "ipslaEtherJitterLatestFrmOutSeq": {}, "ipslaEtherJitterLatestFrmSkipped": {}, "ipslaEtherJitterLatestIAJIn": {}, "ipslaEtherJitterLatestIAJOut": {}, "ipslaEtherJitterLatestMaxNegDS": {}, "ipslaEtherJitterLatestMaxNegSD": {}, "ipslaEtherJitterLatestMaxPosDS": {}, "ipslaEtherJitterLatestMaxPosSD": {}, "ipslaEtherJitterLatestMaxSucFrmL": {}, "ipslaEtherJitterLatestMinNegDS": {}, "ipslaEtherJitterLatestMinNegSD": {}, "ipslaEtherJitterLatestMinPosDS": {}, "ipslaEtherJitterLatestMinPosSD": {}, "ipslaEtherJitterLatestMinSucFrmL": {}, "ipslaEtherJitterLatestNumNegDS": {}, "ipslaEtherJitterLatestNumNegSD": {}, "ipslaEtherJitterLatestNumOW": {}, "ipslaEtherJitterLatestNumOverThresh": {}, "ipslaEtherJitterLatestNumPosDS": {}, "ipslaEtherJitterLatestNumPosSD": {}, "ipslaEtherJitterLatestNumRTT": {}, "ipslaEtherJitterLatestOWAvgDS": {}, "ipslaEtherJitterLatestOWAvgSD": {}, "ipslaEtherJitterLatestOWMaxDS": {}, "ipslaEtherJitterLatestOWMaxSD": {}, "ipslaEtherJitterLatestOWMinDS": {}, "ipslaEtherJitterLatestOWMinSD": {}, "ipslaEtherJitterLatestOWSum2DS": {}, "ipslaEtherJitterLatestOWSum2SD": {}, "ipslaEtherJitterLatestOWSumDS": {}, "ipslaEtherJitterLatestOWSumSD": {}, "ipslaEtherJitterLatestRTTMax": {}, "ipslaEtherJitterLatestRTTMin": {}, "ipslaEtherJitterLatestRTTSum": {}, "ipslaEtherJitterLatestRTTSum2": {}, "ipslaEtherJitterLatestSense": {}, "ipslaEtherJitterLatestSum2NegDS": {}, "ipslaEtherJitterLatestSum2NegSD": {}, "ipslaEtherJitterLatestSum2PosDS": {}, "ipslaEtherJitterLatestSum2PosSD": {}, "ipslaEtherJitterLatestSumNegDS": {}, "ipslaEtherJitterLatestSumNegSD": {}, "ipslaEtherJitterLatestSumPosDS": {}, "ipslaEtherJitterLatestSumPosSD": {}, "ipslaEthernetGrpCtrlCOS": {}, "ipslaEthernetGrpCtrlDomainName": {}, "ipslaEthernetGrpCtrlDomainNameType": {}, "ipslaEthernetGrpCtrlEntry": {"21": {}, "22": {}}, "ipslaEthernetGrpCtrlInterval": {}, "ipslaEthernetGrpCtrlMPIDExLst": {}, "ipslaEthernetGrpCtrlNumFrames": {}, "ipslaEthernetGrpCtrlOwner": {}, "ipslaEthernetGrpCtrlProbeList": {}, "ipslaEthernetGrpCtrlReqDataSize": {}, "ipslaEthernetGrpCtrlRttType": {}, "ipslaEthernetGrpCtrlStatus": {}, "ipslaEthernetGrpCtrlStorageType": {}, "ipslaEthernetGrpCtrlTag": {}, "ipslaEthernetGrpCtrlThreshold": {}, "ipslaEthernetGrpCtrlTimeout": {}, "ipslaEthernetGrpCtrlVLAN": {}, "ipslaEthernetGrpReactActionType": {}, "ipslaEthernetGrpReactStatus": {}, "ipslaEthernetGrpReactStorageType": {}, "ipslaEthernetGrpReactThresholdCountX": {}, "ipslaEthernetGrpReactThresholdCountY": {}, "ipslaEthernetGrpReactThresholdFalling": {}, "ipslaEthernetGrpReactThresholdRising": {}, "ipslaEthernetGrpReactThresholdType": {}, "ipslaEthernetGrpReactVar": {}, "ipslaEthernetGrpScheduleFrequency": {}, "ipslaEthernetGrpSchedulePeriod": {}, "ipslaEthernetGrpScheduleRttStartTime": {}, "ipv4InterfaceEntry": {"2": {}, "3": {}, "4": {}}, "ipv6InterfaceEntry": {"2": {}, "3": {}, "5": {}, "6": {}, "7": {}, "8": {}}, "ipv6RouterAdvertEntry": { "10": {}, "11": {}, "12": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ipv6ScopeZoneIndexEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ipxAdvSysEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ipxBasicSysEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ipxCircEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "26": {}, "27": {}, "28": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ipxDestEntry": { "1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, }, "ipxDestServEntry": { "1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, }, "ipxServEntry": { "1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, }, "ipxStaticRouteEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}}, "ipxStaticServEntry": { "1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "isdnBasicRateEntry": {"1": {}, "2": {}, "3": {}, "4": {}}, "isdnBearerEntry": { "1": {}, "10": {}, "11": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "isdnDirectoryEntry": {"2": {}, "3": {}, "4": {}}, "isdnEndpointEntry": {"2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}}, "isdnEndpointGetIndex": {}, "isdnMib.10.16.4.1.1": {}, "isdnMib.10.16.4.1.2": {}, "isdnMib.10.16.4.1.3": {}, "isdnMib.10.16.4.1.4": {}, "isdnSignalingEntry": { "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, }, "isdnSignalingGetIndex": {}, "isdnSignalingStatsEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}}, "lapbAdmnEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "lapbFlowEntry": { "1": {}, "10": {}, "11": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "lapbOperEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "lapbXidEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}}, "lifEntry": { "1": {}, "10": {}, "100": {}, "101": {}, "102": {}, "103": {}, "104": {}, "105": {}, "106": {}, "107": {}, "108": {}, "109": {}, "11": {}, "110": {}, "111": {}, "112": {}, "113": {}, "114": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "26": {}, "27": {}, "28": {}, "3": {}, "30": {}, "31": {}, "32": {}, "33": {}, "34": {}, "35": {}, "36": {}, "37": {}, "38": {}, "39": {}, "4": {}, "40": {}, "41": {}, "42": {}, "43": {}, "44": {}, "45": {}, "46": {}, "47": {}, "48": {}, "49": {}, "5": {}, "50": {}, "51": {}, "52": {}, "53": {}, "54": {}, "55": {}, "56": {}, "57": {}, "58": {}, "59": {}, "6": {}, "60": {}, "61": {}, "62": {}, "63": {}, "64": {}, "65": {}, "66": {}, "67": {}, "68": {}, "69": {}, "7": {}, "70": {}, "71": {}, "72": {}, "73": {}, "74": {}, "75": {}, "76": {}, "77": {}, "78": {}, "79": {}, "8": {}, "80": {}, "81": {}, "82": {}, "83": {}, "84": {}, "85": {}, "86": {}, "87": {}, "88": {}, "89": {}, "9": {}, "90": {}, "91": {}, "92": {}, "93": {}, "94": {}, "95": {}, "96": {}, "97": {}, "98": {}, "99": {}, }, "lip": {"10": {}, "11": {}, "12": {}, "4": {}, "5": {}, "6": {}, "8": {}}, "lipAccountEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}}, "lipAddrEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}}, "lipCkAccountEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}}, "lipRouteEntry": {"1": {}, "2": {}, "3": {}}, "lipxAccountingEntry": {"1": {}, "2": {}, "3": {}, "4": {}}, "lipxCkAccountingEntry": {"1": {}, "2": {}, "3": {}, "4": {}}, "lispConfiguredLocatorRlocLocal": {}, "lispConfiguredLocatorRlocState": {}, "lispConfiguredLocatorRlocTimeStamp": {}, "lispEidRegistrationAuthenticationErrors": {}, "lispEidRegistrationEtrLastTimeStamp": {}, "lispEidRegistrationEtrProxyReply": {}, "lispEidRegistrationEtrTtl": {}, "lispEidRegistrationEtrWantsMapNotify": {}, "lispEidRegistrationFirstTimeStamp": {}, "lispEidRegistrationIsRegistered": {}, "lispEidRegistrationLastRegisterSender": {}, "lispEidRegistrationLastRegisterSenderLength": {}, "lispEidRegistrationLastTimeStamp": {}, "lispEidRegistrationLocatorIsLocal": {}, "lispEidRegistrationLocatorMPriority": {}, "lispEidRegistrationLocatorMWeight": {}, "lispEidRegistrationLocatorPriority": {}, "lispEidRegistrationLocatorRlocState": {}, "lispEidRegistrationLocatorWeight": {}, "lispEidRegistrationRlocsMismatch": {}, "lispEidRegistrationSiteDescription": {}, "lispEidRegistrationSiteName": {}, "lispFeaturesEtrAcceptMapDataEnabled": {}, "lispFeaturesEtrAcceptMapDataVerifyEnabled": {}, "lispFeaturesEtrEnabled": {}, "lispFeaturesEtrMapCacheTtl": {}, "lispFeaturesItrEnabled": {}, "lispFeaturesMapCacheLimit": {}, "lispFeaturesMapCacheSize": {}, "lispFeaturesMapResolverEnabled": {}, "lispFeaturesMapServerEnabled": {}, "lispFeaturesProxyEtrEnabled": {}, "lispFeaturesProxyItrEnabled": {}, "lispFeaturesRlocProbeEnabled": {}, "lispFeaturesRouterTimeStamp": {}, "lispGlobalStatsMapRegistersIn": {}, "lispGlobalStatsMapRegistersOut": {}, "lispGlobalStatsMapRepliesIn": {}, "lispGlobalStatsMapRepliesOut": {}, "lispGlobalStatsMapRequestsIn": {}, "lispGlobalStatsMapRequestsOut": {}, "lispIidToVrfName": {}, "lispMapCacheEidAuthoritative": {}, "lispMapCacheEidEncapOctets": {}, "lispMapCacheEidEncapPackets": {}, "lispMapCacheEidExpiryTime": {}, "lispMapCacheEidState": {}, "lispMapCacheEidTimeStamp": {}, "lispMapCacheLocatorRlocLastMPriorityChange": {}, "lispMapCacheLocatorRlocLastMWeightChange": {}, "lispMapCacheLocatorRlocLastPriorityChange": {}, "lispMapCacheLocatorRlocLastStateChange": {}, "lispMapCacheLocatorRlocLastWeightChange": {}, "lispMapCacheLocatorRlocMPriority": {}, "lispMapCacheLocatorRlocMWeight": {}, "lispMapCacheLocatorRlocPriority": {}, "lispMapCacheLocatorRlocRtt": {}, "lispMapCacheLocatorRlocState": {}, "lispMapCacheLocatorRlocTimeStamp": {}, "lispMapCacheLocatorRlocWeight": {}, "lispMappingDatabaseEidPartitioned": {}, "lispMappingDatabaseLocatorRlocLocal": {}, "lispMappingDatabaseLocatorRlocMPriority": {}, "lispMappingDatabaseLocatorRlocMWeight": {}, "lispMappingDatabaseLocatorRlocPriority": {}, "lispMappingDatabaseLocatorRlocState": {}, "lispMappingDatabaseLocatorRlocTimeStamp": {}, "lispMappingDatabaseLocatorRlocWeight": {}, "lispMappingDatabaseLsb": {}, "lispMappingDatabaseTimeStamp": {}, "lispUseMapResolverState": {}, "lispUseMapServerState": {}, "lispUseProxyEtrMPriority": {}, "lispUseProxyEtrMWeight": {}, "lispUseProxyEtrPriority": {}, "lispUseProxyEtrState": {}, "lispUseProxyEtrWeight": {}, "lldpLocManAddrEntry": {"3": {}, "4": {}, "5": {}, "6": {}}, "lldpLocPortEntry": {"2": {}, "3": {}, "4": {}}, "lldpLocalSystemData": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}}, "lldpRemEntry": { "10": {}, "11": {}, "12": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "lldpRemManAddrEntry": {"3": {}, "4": {}, "5": {}}, "lldpRemOrgDefInfoEntry": {"4": {}}, "lldpRemUnknownTLVEntry": {"2": {}}, "logEntry": {"1": {}, "2": {}, "3": {}, "4": {}}, "lsystem": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "26": {}, "27": {}, "28": {}, "29": {}, "3": {}, "30": {}, "31": {}, "32": {}, "33": {}, "34": {}, "35": {}, "36": {}, "37": {}, "38": {}, "39": {}, "4": {}, "40": {}, "41": {}, "42": {}, "43": {}, "44": {}, "45": {}, "46": {}, "47": {}, "48": {}, "49": {}, "5": {}, "50": {}, "51": {}, "52": {}, "53": {}, "54": {}, "55": {}, "56": {}, "57": {}, "58": {}, "59": {}, "6": {}, "60": {}, "61": {}, "62": {}, "63": {}, "64": {}, "65": {}, "66": {}, "67": {}, "68": {}, "69": {}, "70": {}, "71": {}, "72": {}, "73": {}, "74": {}, "75": {}, "76": {}, "8": {}, "9": {}, }, "ltcpConnEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}}, "lts": {"1": {}, "10": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}}, "ltsLineEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ltsLineSessionEntry": { "1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, }, "maAdvAddress": {}, "maAdvMaxAdvLifetime": {}, "maAdvMaxInterval": {}, "maAdvMaxRegLifetime": {}, "maAdvMinInterval": {}, "maAdvPrefixLengthInclusion": {}, "maAdvResponseSolicitationOnly": {}, "maAdvStatus": {}, "maAdvertisementsSent": {}, "maAdvsSentForSolicitation": {}, "maSolicitationsReceived": {}, "mfrBundleActivationClass": {}, "mfrBundleBandwidth": {}, "mfrBundleCountMaxRetry": {}, "mfrBundleFarEndName": {}, "mfrBundleFragmentation": {}, "mfrBundleIfIndex": {}, "mfrBundleIfIndexMappingIndex": {}, "mfrBundleLinkConfigBundleIndex": {}, "mfrBundleLinkDelay": {}, "mfrBundleLinkFarEndBundleName": {}, "mfrBundleLinkFarEndName": {}, "mfrBundleLinkFramesControlInvalid": {}, "mfrBundleLinkFramesControlRx": {}, "mfrBundleLinkFramesControlTx": {}, "mfrBundleLinkLoopbackSuspected": {}, "mfrBundleLinkMismatch": {}, "mfrBundleLinkNearEndName": {}, "mfrBundleLinkRowStatus": {}, "mfrBundleLinkState": {}, "mfrBundleLinkTimerExpiredCount": {}, "mfrBundleLinkUnexpectedSequence": {}, "mfrBundleLinksActive": {}, "mfrBundleLinksConfigured": {}, "mfrBundleMaxBundleLinks": {}, "mfrBundleMaxDiffDelay": {}, "mfrBundleMaxFragSize": {}, "mfrBundleMaxNumBundles": {}, "mfrBundleNearEndName": {}, "mfrBundleNextIndex": {}, "mfrBundleResequencingErrors": {}, "mfrBundleRowStatus": {}, "mfrBundleSeqNumSize": {}, "mfrBundleThreshold": {}, "mfrBundleTimerAck": {}, "mfrBundleTimerHello": {}, "mgmdHostCacheLastReporter": {}, "mgmdHostCacheSourceFilterMode": {}, "mgmdHostCacheUpTime": {}, "mgmdHostInterfaceQuerier": {}, "mgmdHostInterfaceStatus": {}, "mgmdHostInterfaceVersion": {}, "mgmdHostInterfaceVersion1QuerierTimer": {}, "mgmdHostInterfaceVersion2QuerierTimer": {}, "mgmdHostInterfaceVersion3Robustness": {}, "mgmdHostSrcListExpire": {}, "mgmdInverseHostCacheAddress": {}, "mgmdInverseRouterCacheAddress": {}, "mgmdRouterCacheExcludeModeExpiryTimer": {}, "mgmdRouterCacheExpiryTime": {}, "mgmdRouterCacheLastReporter": {}, "mgmdRouterCacheSourceFilterMode": {}, "mgmdRouterCacheUpTime": {}, "mgmdRouterCacheVersion1HostTimer": {}, "mgmdRouterCacheVersion2HostTimer": {}, "mgmdRouterInterfaceGroups": {}, "mgmdRouterInterfaceJoins": {}, "mgmdRouterInterfaceLastMemberQueryCount": {}, "mgmdRouterInterfaceLastMemberQueryInterval": {}, "mgmdRouterInterfaceProxyIfIndex": {}, "mgmdRouterInterfaceQuerier": {}, "mgmdRouterInterfaceQuerierExpiryTime": {}, "mgmdRouterInterfaceQuerierUpTime": {}, "mgmdRouterInterfaceQueryInterval": {}, "mgmdRouterInterfaceQueryMaxResponseTime": {}, "mgmdRouterInterfaceRobustness": {}, "mgmdRouterInterfaceStartupQueryCount": {}, "mgmdRouterInterfaceStartupQueryInterval": {}, "mgmdRouterInterfaceStatus": {}, "mgmdRouterInterfaceVersion": {}, "mgmdRouterInterfaceWrongVersionQueries": {}, "mgmdRouterSrcListExpire": {}, "mib-10.49.1.1.1": {}, "mib-10.49.1.1.2": {}, "mib-10.49.1.1.3": {}, "mib-10.49.1.1.4": {}, "mib-10.49.1.1.5": {}, "mib-10.49.1.2.1.1.3": {}, "mib-10.49.1.2.1.1.4": {}, "mib-10.49.1.2.1.1.5": {}, "mib-10.49.1.2.1.1.6": {}, "mib-10.49.1.2.1.1.7": {}, "mib-10.49.1.2.1.1.8": {}, "mib-10.49.1.2.1.1.9": {}, "mib-10.49.1.2.2.1.1": {}, "mib-10.49.1.2.2.1.2": {}, "mib-10.49.1.2.2.1.3": {}, "mib-10.49.1.2.2.1.4": {}, "mib-10.49.1.2.3.1.10": {}, "mib-10.49.1.2.3.1.2": {}, "mib-10.49.1.2.3.1.3": {}, "mib-10.49.1.2.3.1.4": {}, "mib-10.49.1.2.3.1.5": {}, "mib-10.49.1.2.3.1.6": {}, "mib-10.49.1.2.3.1.7": {}, "mib-10.49.1.2.3.1.8": {}, "mib-10.49.1.2.3.1.9": {}, "mib-10.49.1.3.1.1.2": {}, "mib-10.49.1.3.1.1.3": {}, "mib-10.49.1.3.1.1.4": {}, "mib-10.49.1.3.1.1.5": {}, "mib-10.49.1.3.1.1.6": {}, "mib-10.49.1.3.1.1.7": {}, "mib-10.49.1.3.1.1.8": {}, "mib-10.49.1.3.1.1.9": {}, "mipEnable": {}, "mipEncapsulationSupported": {}, "mipEntities": {}, "mipSecAlgorithmMode": {}, "mipSecAlgorithmType": {}, "mipSecKey": {}, "mipSecRecentViolationIDHigh": {}, "mipSecRecentViolationIDLow": {}, "mipSecRecentViolationReason": {}, "mipSecRecentViolationSPI": {}, "mipSecRecentViolationTime": {}, "mipSecReplayMethod": {}, "mipSecTotalViolations": {}, "mipSecViolationCounter": {}, "mipSecViolatorAddress": {}, "mnAdvFlags": {}, "mnAdvMaxAdvLifetime": {}, "mnAdvMaxRegLifetime": {}, "mnAdvSequence": {}, "mnAdvSourceAddress": {}, "mnAdvTimeReceived": {}, "mnAdvertisementsReceived": {}, "mnAdvsDroppedInvalidExtension": {}, "mnAdvsIgnoredUnknownExtension": {}, "mnAgentRebootsDectected": {}, "mnCOA": {}, "mnCOAIsLocal": {}, "mnCurrentHA": {}, "mnDeRegRepliesRecieved": {}, "mnDeRegRequestsSent": {}, "mnFAAddress": {}, "mnGratuitousARPsSend": {}, "mnHAStatus": {}, "mnHomeAddress": {}, "mnMoveFromFAToFA": {}, "mnMoveFromFAToHA": {}, "mnMoveFromHAToFA": {}, "mnRegAgentAddress": {}, "mnRegCOA": {}, "mnRegFlags": {}, "mnRegIDHigh": {}, "mnRegIDLow": {}, "mnRegIsAccepted": {}, "mnRegRepliesRecieved": {}, "mnRegRequestsAccepted": {}, "mnRegRequestsDeniedByFA": {}, "mnRegRequestsDeniedByHA": {}, "mnRegRequestsDeniedByHADueToID": {}, "mnRegRequestsSent": {}, "mnRegTimeRemaining": {}, "mnRegTimeRequested": {}, "mnRegTimeSent": {}, "mnRepliesDroppedInvalidExtension": {}, "mnRepliesFAAuthenticationFailure": {}, "mnRepliesHAAuthenticationFailure": {}, "mnRepliesIgnoredUnknownExtension": {}, "mnRepliesInvalidHomeAddress": {}, "mnRepliesInvalidID": {}, "mnRepliesUnknownFA": {}, "mnRepliesUnknownHA": {}, "mnSolicitationsSent": {}, "mnState": {}, "mplsFecAddr": {}, "mplsFecAddrPrefixLength": {}, "mplsFecAddrType": {}, "mplsFecIndexNext": {}, "mplsFecLastChange": {}, "mplsFecRowStatus": {}, "mplsFecStorageType": {}, "mplsFecType": {}, "mplsInSegmentAddrFamily": {}, "mplsInSegmentIndexNext": {}, "mplsInSegmentInterface": {}, "mplsInSegmentLabel": {}, "mplsInSegmentLabelPtr": {}, "mplsInSegmentLdpLspLabelType": {}, "mplsInSegmentLdpLspType": {}, "mplsInSegmentMapIndex": {}, "mplsInSegmentNPop": {}, "mplsInSegmentOwner": {}, "mplsInSegmentPerfDiscards": {}, "mplsInSegmentPerfDiscontinuityTime": {}, "mplsInSegmentPerfErrors": {}, "mplsInSegmentPerfHCOctets": {}, "mplsInSegmentPerfOctets": {}, "mplsInSegmentPerfPackets": {}, "mplsInSegmentRowStatus": {}, "mplsInSegmentStorageType": {}, "mplsInSegmentTrafficParamPtr": {}, "mplsInSegmentXCIndex": {}, "mplsInterfaceAvailableBandwidth": {}, "mplsInterfaceLabelMaxIn": {}, "mplsInterfaceLabelMaxOut": {}, "mplsInterfaceLabelMinIn": {}, "mplsInterfaceLabelMinOut": {}, "mplsInterfaceLabelParticipationType": {}, "mplsInterfacePerfInLabelLookupFailures": {}, "mplsInterfacePerfInLabelsInUse": {}, "mplsInterfacePerfOutFragmentedPkts": {}, "mplsInterfacePerfOutLabelsInUse": {}, "mplsInterfaceTotalBandwidth": {}, "mplsL3VpnIfConfEntry": {"2": {}, "3": {}, "4": {}}, "mplsL3VpnIfConfRowStatus": {}, "mplsL3VpnMIB.1.1.1": {}, "mplsL3VpnMIB.1.1.2": {}, "mplsL3VpnMIB.1.1.3": {}, "mplsL3VpnMIB.1.1.4": {}, "mplsL3VpnMIB.1.1.5": {}, "mplsL3VpnMIB.1.1.6": {}, "mplsL3VpnMIB.1.1.7": {}, "mplsL3VpnVrfConfHighRteThresh": {}, "mplsL3VpnVrfConfMidRteThresh": {}, "mplsL3VpnVrfEntry": { "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "2": {}, "3": {}, "4": {}, "5": {}, "7": {}, "8": {}, }, "mplsL3VpnVrfOperStatus": {}, "mplsL3VpnVrfPerfCurrNumRoutes": {}, "mplsL3VpnVrfPerfEntry": {"1": {}, "2": {}, "4": {}, "5": {}}, "mplsL3VpnVrfRTEntry": {"4": {}, "5": {}, "6": {}, "7": {}}, "mplsL3VpnVrfRteEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "7": {}, "8": {}, "9": {}, }, "mplsL3VpnVrfSecEntry": {"2": {}}, "mplsL3VpnVrfSecIllegalLblVltns": {}, "mplsLabelStackIndexNext": {}, "mplsLabelStackLabel": {}, "mplsLabelStackLabelPtr": {}, "mplsLabelStackRowStatus": {}, "mplsLabelStackStorageType": {}, "mplsLdpEntityAdminStatus": {}, "mplsLdpEntityAtmDefaultControlVci": {}, "mplsLdpEntityAtmDefaultControlVpi": {}, "mplsLdpEntityAtmIfIndexOrZero": {}, "mplsLdpEntityAtmLRComponents": {}, "mplsLdpEntityAtmLRMaxVci": {}, "mplsLdpEntityAtmLRMaxVpi": {}, "mplsLdpEntityAtmLRRowStatus": {}, "mplsLdpEntityAtmLRStorageType": {}, "mplsLdpEntityAtmLsrConnectivity": {}, "mplsLdpEntityAtmMergeCap": {}, "mplsLdpEntityAtmRowStatus": {}, "mplsLdpEntityAtmStorageType": {}, "mplsLdpEntityAtmUnlabTrafVci": {}, "mplsLdpEntityAtmUnlabTrafVpi": {}, "mplsLdpEntityAtmVcDirectionality": {}, "mplsLdpEntityDiscontinuityTime": {}, "mplsLdpEntityGenericIfIndexOrZero": {}, "mplsLdpEntityGenericLRRowStatus": {}, "mplsLdpEntityGenericLRStorageType": {}, "mplsLdpEntityGenericLabelSpace": {}, "mplsLdpEntityHelloHoldTimer": {}, "mplsLdpEntityHopCountLimit": {}, "mplsLdpEntityIndexNext": {}, "mplsLdpEntityInitSessionThreshold": {}, "mplsLdpEntityKeepAliveHoldTimer": {}, "mplsLdpEntityLabelDistMethod": {}, "mplsLdpEntityLabelRetentionMode": {}, "mplsLdpEntityLabelType": {}, "mplsLdpEntityLastChange": {}, "mplsLdpEntityMaxPduLength": {}, "mplsLdpEntityOperStatus": {}, "mplsLdpEntityPathVectorLimit": {}, "mplsLdpEntityProtocolVersion": {}, "mplsLdpEntityRowStatus": {}, "mplsLdpEntityStatsBadLdpIdentifierErrors": {}, "mplsLdpEntityStatsBadMessageLengthErrors": {}, "mplsLdpEntityStatsBadPduLengthErrors": {}, "mplsLdpEntityStatsBadTlvLengthErrors": {}, "mplsLdpEntityStatsKeepAliveTimerExpErrors": {}, "mplsLdpEntityStatsMalformedTlvValueErrors": {}, "mplsLdpEntityStatsSessionAttempts": {}, "mplsLdpEntityStatsSessionRejectedAdErrors": {}, "mplsLdpEntityStatsSessionRejectedLRErrors": {}, "mplsLdpEntityStatsSessionRejectedMaxPduErrors": {}, "mplsLdpEntityStatsSessionRejectedNoHelloErrors": {}, "mplsLdpEntityStatsShutdownReceivedNotifications": {}, "mplsLdpEntityStatsShutdownSentNotifications": {}, "mplsLdpEntityStorageType": {}, "mplsLdpEntityTargetPeer": {}, "mplsLdpEntityTargetPeerAddr": {}, "mplsLdpEntityTargetPeerAddrType": {}, "mplsLdpEntityTcpPort": {}, "mplsLdpEntityTransportAddrKind": {}, "mplsLdpEntityUdpDscPort": {}, "mplsLdpHelloAdjacencyHoldTime": {}, "mplsLdpHelloAdjacencyHoldTimeRem": {}, "mplsLdpHelloAdjacencyType": {}, "mplsLdpLspFecLastChange": {}, "mplsLdpLspFecRowStatus": {}, "mplsLdpLspFecStorageType": {}, "mplsLdpLsrId": {}, "mplsLdpLsrLoopDetectionCapable": {}, "mplsLdpPeerLabelDistMethod": {}, "mplsLdpPeerLastChange": {}, "mplsLdpPeerPathVectorLimit": {}, "mplsLdpPeerTransportAddr": {}, "mplsLdpPeerTransportAddrType": {}, "mplsLdpSessionAtmLRUpperBoundVci": {}, "mplsLdpSessionAtmLRUpperBoundVpi": {}, "mplsLdpSessionDiscontinuityTime": {}, "mplsLdpSessionKeepAliveHoldTimeRem": {}, "mplsLdpSessionKeepAliveTime": {}, "mplsLdpSessionMaxPduLength": {}, "mplsLdpSessionPeerNextHopAddr": {}, "mplsLdpSessionPeerNextHopAddrType": {}, "mplsLdpSessionProtocolVersion": {}, "mplsLdpSessionRole": {}, "mplsLdpSessionState": {}, "mplsLdpSessionStateLastChange": {}, "mplsLdpSessionStatsUnknownMesTypeErrors": {}, "mplsLdpSessionStatsUnknownTlvErrors": {}, "mplsLsrMIB.1.10": {}, "mplsLsrMIB.1.11": {}, "mplsLsrMIB.1.13": {}, "mplsLsrMIB.1.15": {}, "mplsLsrMIB.1.16": {}, "mplsLsrMIB.1.17": {}, "mplsLsrMIB.1.5": {}, "mplsLsrMIB.1.8": {}, "mplsMaxLabelStackDepth": {}, "mplsOutSegmentIndexNext": {}, "mplsOutSegmentInterface": {}, "mplsOutSegmentLdpLspLabelType": {}, "mplsOutSegmentLdpLspType": {}, "mplsOutSegmentNextHopAddr": {}, "mplsOutSegmentNextHopAddrType": {}, "mplsOutSegmentOwner": {}, "mplsOutSegmentPerfDiscards": {}, "mplsOutSegmentPerfDiscontinuityTime": {}, "mplsOutSegmentPerfErrors": {}, "mplsOutSegmentPerfHCOctets": {}, "mplsOutSegmentPerfOctets": {}, "mplsOutSegmentPerfPackets": {}, "mplsOutSegmentPushTopLabel": {}, "mplsOutSegmentRowStatus": {}, "mplsOutSegmentStorageType": {}, "mplsOutSegmentTopLabel": {}, "mplsOutSegmentTopLabelPtr": {}, "mplsOutSegmentTrafficParamPtr": {}, "mplsOutSegmentXCIndex": {}, "mplsTeMIB.1.1": {}, "mplsTeMIB.1.2": {}, "mplsTeMIB.1.3": {}, "mplsTeMIB.1.4": {}, "mplsTeMIB.2.1": {}, "mplsTeMIB.2.10": {}, "mplsTeMIB.2.3": {}, "mplsTeMIB.10.36.1.10": {}, "mplsTeMIB.10.36.1.11": {}, "mplsTeMIB.10.36.1.12": {}, "mplsTeMIB.10.36.1.13": {}, "mplsTeMIB.10.36.1.4": {}, "mplsTeMIB.10.36.1.5": {}, "mplsTeMIB.10.36.1.6": {}, "mplsTeMIB.10.36.1.7": {}, "mplsTeMIB.10.36.1.8": {}, "mplsTeMIB.10.36.1.9": {}, "mplsTeMIB.2.5": {}, "mplsTeObjects.10.1.1": {}, "mplsTeObjects.10.1.2": {}, "mplsTeObjects.10.1.3": {}, "mplsTeObjects.10.1.4": {}, "mplsTeObjects.10.1.5": {}, "mplsTeObjects.10.1.6": {}, "mplsTeObjects.10.1.7": {}, "mplsTunnelARHopEntry": {"3": {}, "4": {}, "5": {}, "6": {}}, "mplsTunnelActive": {}, "mplsTunnelAdminStatus": {}, "mplsTunnelCHopEntry": { "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "mplsTunnelConfigured": {}, "mplsTunnelEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "26": {}, "27": {}, "28": {}, "29": {}, "30": {}, "31": {}, "32": {}, "33": {}, "36": {}, "37": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "mplsTunnelHopEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "mplsTunnelHopListIndexNext": {}, "mplsTunnelIndexNext": {}, "mplsTunnelMaxHops": {}, "mplsTunnelNotificationEnable": {}, "mplsTunnelNotificationMaxRate": {}, "mplsTunnelOperStatus": {}, "mplsTunnelPerfEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}}, "mplsTunnelResourceEntry": { "10": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "mplsTunnelResourceIndexNext": {}, "mplsTunnelResourceMaxRate": {}, "mplsTunnelTEDistProto": {}, "mplsVpnInterfaceConfEntry": {"2": {}, "3": {}, "4": {}, "5": {}, "6": {}}, "mplsVpnMIB.1.1.1": {}, "mplsVpnMIB.1.1.2": {}, "mplsVpnMIB.1.1.3": {}, "mplsVpnMIB.1.1.4": {}, "mplsVpnMIB.1.1.5": {}, "mplsVpnVrfBgpNbrAddrEntry": {"2": {}, "3": {}, "4": {}, "5": {}, "6": {}}, "mplsVpnVrfBgpNbrPrefixEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "mplsVpnVrfConfHighRouteThreshold": {}, "mplsVpnVrfEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, }, "mplsVpnVrfPerfCurrNumRoutes": {}, "mplsVpnVrfPerfEntry": {"1": {}, "2": {}}, "mplsVpnVrfRouteEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "mplsVpnVrfRouteTargetEntry": {"4": {}, "5": {}, "6": {}}, "mplsVpnVrfSecEntry": {"2": {}}, "mplsVpnVrfSecIllegalLabelViolations": {}, "mplsXCAdminStatus": {}, "mplsXCIndexNext": {}, "mplsXCLabelStackIndex": {}, "mplsXCLspId": {}, "mplsXCNotificationsEnable": {}, "mplsXCOperStatus": {}, "mplsXCOwner": {}, "mplsXCRowStatus": {}, "mplsXCStorageType": {}, "msdp": {"1": {}, "2": {}, "3": {}, "9": {}}, "msdpPeerEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "26": {}, "27": {}, "3": {}, "30": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "msdpSACacheEntry": { "10": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "mteEventActions": {}, "mteEventComment": {}, "mteEventEnabled": {}, "mteEventEntryStatus": {}, "mteEventFailures": {}, "mteEventNotification": {}, "mteEventNotificationObjects": {}, "mteEventNotificationObjectsOwner": {}, "mteEventSetContextName": {}, "mteEventSetContextNameWildcard": {}, "mteEventSetObject": {}, "mteEventSetObjectWildcard": {}, "mteEventSetTargetTag": {}, "mteEventSetValue": {}, "mteFailedReason": {}, "mteHotContextName": {}, "mteHotOID": {}, "mteHotTargetName": {}, "mteHotTrigger": {}, "mteHotValue": {}, "mteObjectsEntryStatus": {}, "mteObjectsID": {}, "mteObjectsIDWildcard": {}, "mteResourceSampleInstanceLacks": {}, "mteResourceSampleInstanceMaximum": {}, "mteResourceSampleInstances": {}, "mteResourceSampleInstancesHigh": {}, "mteResourceSampleMinimum": {}, "mteTriggerBooleanComparison": {}, "mteTriggerBooleanEvent": {}, "mteTriggerBooleanEventOwner": {}, "mteTriggerBooleanObjects": {}, "mteTriggerBooleanObjectsOwner": {}, "mteTriggerBooleanStartup": {}, "mteTriggerBooleanValue": {}, "mteTriggerComment": {}, "mteTriggerContextName": {}, "mteTriggerContextNameWildcard": {}, "mteTriggerDeltaDiscontinuityID": {}, "mteTriggerDeltaDiscontinuityIDType": {}, "mteTriggerDeltaDiscontinuityIDWildcard": {}, "mteTriggerEnabled": {}, "mteTriggerEntryStatus": {}, "mteTriggerExistenceEvent": {}, "mteTriggerExistenceEventOwner": {}, "mteTriggerExistenceObjects": {}, "mteTriggerExistenceObjectsOwner": {}, "mteTriggerExistenceStartup": {}, "mteTriggerExistenceTest": {}, "mteTriggerFailures": {}, "mteTriggerFrequency": {}, "mteTriggerObjects": {}, "mteTriggerObjectsOwner": {}, "mteTriggerSampleType": {}, "mteTriggerTargetTag": {}, "mteTriggerTest": {}, "mteTriggerThresholdDeltaFalling": {}, "mteTriggerThresholdDeltaFallingEvent": {}, "mteTriggerThresholdDeltaFallingEventOwner": {}, "mteTriggerThresholdDeltaRising": {}, "mteTriggerThresholdDeltaRisingEvent": {}, "mteTriggerThresholdDeltaRisingEventOwner": {}, "mteTriggerThresholdFalling": {}, "mteTriggerThresholdFallingEvent": {}, "mteTriggerThresholdFallingEventOwner": {}, "mteTriggerThresholdObjects": {}, "mteTriggerThresholdObjectsOwner": {}, "mteTriggerThresholdRising": {}, "mteTriggerThresholdRisingEvent": {}, "mteTriggerThresholdRisingEventOwner": {}, "mteTriggerThresholdStartup": {}, "mteTriggerValueID": {}, "mteTriggerValueIDWildcard": {}, "natAddrBindCurrentIdleTime": {}, "natAddrBindGlobalAddr": {}, "natAddrBindGlobalAddrType": {}, "natAddrBindId": {}, "natAddrBindInTranslates": {}, "natAddrBindMapIndex": {}, "natAddrBindMaxIdleTime": {}, "natAddrBindNumberOfEntries": {}, "natAddrBindOutTranslates": {}, "natAddrBindSessions": {}, "natAddrBindTranslationEntity": {}, "natAddrBindType": {}, "natAddrPortBindNumberOfEntries": {}, "natBindDefIdleTimeout": {}, "natIcmpDefIdleTimeout": {}, "natInterfaceDiscards": {}, "natInterfaceInTranslates": {}, "natInterfaceOutTranslates": {}, "natInterfaceRealm": {}, "natInterfaceRowStatus": {}, "natInterfaceServiceType": {}, "natInterfaceStorageType": {}, "natMIBObjects.10.169.1.1": {}, "natMIBObjects.10.169.1.2": {}, "natMIBObjects.10.169.1.3": {}, "natMIBObjects.10.169.1.4": {}, "natMIBObjects.10.169.1.5": {}, "natMIBObjects.10.169.1.6": {}, "natMIBObjects.10.169.1.7": {}, "natMIBObjects.10.169.1.8": {}, "natMIBObjects.10.196.1.2": {}, "natMIBObjects.10.196.1.3": {}, "natMIBObjects.10.196.1.4": {}, "natMIBObjects.10.196.1.5": {}, "natMIBObjects.10.196.1.6": {}, "natMIBObjects.10.196.1.7": {}, "natOtherDefIdleTimeout": {}, "natPoolPortMax": {}, "natPoolPortMin": {}, "natPoolRangeAllocations": {}, "natPoolRangeBegin": {}, "natPoolRangeDeallocations": {}, "natPoolRangeEnd": {}, "natPoolRangeType": {}, "natPoolRealm": {}, "natPoolWatermarkHigh": {}, "natPoolWatermarkLow": {}, "natTcpDefIdleTimeout": {}, "natTcpDefNegTimeout": {}, "natUdpDefIdleTimeout": {}, "nbpEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}}, "nhrpCacheHoldingTime": {}, "nhrpCacheHoldingTimeValid": {}, "nhrpCacheNbmaAddr": {}, "nhrpCacheNbmaAddrType": {}, "nhrpCacheNbmaSubaddr": {}, "nhrpCacheNegotiatedMtu": {}, "nhrpCacheNextHopInternetworkAddr": {}, "nhrpCachePreference": {}, "nhrpCachePrefixLength": {}, "nhrpCacheRowStatus": {}, "nhrpCacheState": {}, "nhrpCacheStorageType": {}, "nhrpCacheType": {}, "nhrpClientDefaultMtu": {}, "nhrpClientHoldTime": {}, "nhrpClientInitialRequestTimeout": {}, "nhrpClientInternetworkAddr": {}, "nhrpClientInternetworkAddrType": {}, "nhrpClientNbmaAddr": {}, "nhrpClientNbmaAddrType": {}, "nhrpClientNbmaSubaddr": {}, "nhrpClientNhsInUse": {}, "nhrpClientNhsInternetworkAddr": {}, "nhrpClientNhsInternetworkAddrType": {}, "nhrpClientNhsNbmaAddr": {}, "nhrpClientNhsNbmaAddrType": {}, "nhrpClientNhsNbmaSubaddr": {}, "nhrpClientNhsRowStatus": {}, "nhrpClientPurgeRequestRetries": {}, "nhrpClientRegRowStatus": {}, "nhrpClientRegState": {}, "nhrpClientRegUniqueness": {}, "nhrpClientRegistrationRequestRetries": {}, "nhrpClientRequestID": {}, "nhrpClientResolutionRequestRetries": {}, "nhrpClientRowStatus": {}, "nhrpClientStatDiscontinuityTime": {}, "nhrpClientStatRxErrAuthenticationFailure": {}, "nhrpClientStatRxErrHopCountExceeded": {}, "nhrpClientStatRxErrInvalidExtension": {}, "nhrpClientStatRxErrLoopDetected": {}, "nhrpClientStatRxErrProtoAddrUnreachable": {}, "nhrpClientStatRxErrProtoError": {}, "nhrpClientStatRxErrSduSizeExceeded": {}, "nhrpClientStatRxErrUnrecognizedExtension": {}, "nhrpClientStatRxPurgeReply": {}, "nhrpClientStatRxPurgeReq": {}, "nhrpClientStatRxRegisterAck": {}, "nhrpClientStatRxRegisterNakAlreadyReg": {}, "nhrpClientStatRxRegisterNakInsufResources": {}, "nhrpClientStatRxRegisterNakProhibited": {}, "nhrpClientStatRxResolveReplyAck": {}, "nhrpClientStatRxResolveReplyNakInsufResources": {}, "nhrpClientStatRxResolveReplyNakNoBinding": {}, "nhrpClientStatRxResolveReplyNakNotUnique": {}, "nhrpClientStatRxResolveReplyNakProhibited": {}, "nhrpClientStatTxErrorIndication": {}, "nhrpClientStatTxPurgeReply": {}, "nhrpClientStatTxPurgeReq": {}, "nhrpClientStatTxRegisterReq": {}, "nhrpClientStatTxResolveReq": {}, "nhrpClientStorageType": {}, "nhrpNextIndex": {}, "nhrpPurgeCacheIdentifier": {}, "nhrpPurgePrefixLength": {}, "nhrpPurgeReplyExpected": {}, "nhrpPurgeRequestID": {}, "nhrpPurgeRowStatus": {}, "nhrpServerCacheAuthoritative": {}, "nhrpServerCacheUniqueness": {}, "nhrpServerInternetworkAddr": {}, "nhrpServerInternetworkAddrType": {}, "nhrpServerNbmaAddr": {}, "nhrpServerNbmaAddrType": {}, "nhrpServerNbmaSubaddr": {}, "nhrpServerNhcInUse": {}, "nhrpServerNhcInternetworkAddr": {}, "nhrpServerNhcInternetworkAddrType": {}, "nhrpServerNhcNbmaAddr": {}, "nhrpServerNhcNbmaAddrType": {}, "nhrpServerNhcNbmaSubaddr": {}, "nhrpServerNhcPrefixLength": {}, "nhrpServerNhcRowStatus": {}, "nhrpServerRowStatus": {}, "nhrpServerStatDiscontinuityTime": {}, "nhrpServerStatFwErrorIndication": {}, "nhrpServerStatFwPurgeReply": {}, "nhrpServerStatFwPurgeReq": {}, "nhrpServerStatFwRegisterReply": {}, "nhrpServerStatFwRegisterReq": {}, "nhrpServerStatFwResolveReply": {}, "nhrpServerStatFwResolveReq": {}, "nhrpServerStatRxErrAuthenticationFailure": {}, "nhrpServerStatRxErrHopCountExceeded": {}, "nhrpServerStatRxErrInvalidExtension": {}, "nhrpServerStatRxErrInvalidResReplyReceived": {}, "nhrpServerStatRxErrLoopDetected": {}, "nhrpServerStatRxErrProtoAddrUnreachable": {}, "nhrpServerStatRxErrProtoError": {}, "nhrpServerStatRxErrSduSizeExceeded": {}, "nhrpServerStatRxErrUnrecognizedExtension": {}, "nhrpServerStatRxPurgeReply": {}, "nhrpServerStatRxPurgeReq": {}, "nhrpServerStatRxRegisterReq": {}, "nhrpServerStatRxResolveReq": {}, "nhrpServerStatTxErrAuthenticationFailure": {}, "nhrpServerStatTxErrHopCountExceeded": {}, "nhrpServerStatTxErrInvalidExtension": {}, "nhrpServerStatTxErrLoopDetected": {}, "nhrpServerStatTxErrProtoAddrUnreachable": {}, "nhrpServerStatTxErrProtoError": {}, "nhrpServerStatTxErrSduSizeExceeded": {}, "nhrpServerStatTxErrUnrecognizedExtension": {}, "nhrpServerStatTxPurgeReply": {}, "nhrpServerStatTxPurgeReq": {}, "nhrpServerStatTxRegisterAck": {}, "nhrpServerStatTxRegisterNakAlreadyReg": {}, "nhrpServerStatTxRegisterNakInsufResources": {}, "nhrpServerStatTxRegisterNakProhibited": {}, "nhrpServerStatTxResolveReplyAck": {}, "nhrpServerStatTxResolveReplyNakInsufResources": {}, "nhrpServerStatTxResolveReplyNakNoBinding": {}, "nhrpServerStatTxResolveReplyNakNotUnique": {}, "nhrpServerStatTxResolveReplyNakProhibited": {}, "nhrpServerStorageType": {}, "nlmConfig": {"1": {}, "2": {}}, "nlmConfigLogEntry": {"2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}}, "nlmLogEntry": { "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "nlmLogVariableEntry": { "10": {}, "11": {}, "12": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "nlmStats": {"1": {}, "2": {}}, "nlmStatsLogEntry": {"1": {}, "2": {}}, "ntpAssocAddress": {}, "ntpAssocAddressType": {}, "ntpAssocName": {}, "ntpAssocOffset": {}, "ntpAssocRefId": {}, "ntpAssocStatInPkts": {}, "ntpAssocStatOutPkts": {}, "ntpAssocStatProtocolError": {}, "ntpAssocStatusDelay": {}, "ntpAssocStatusDispersion": {}, "ntpAssocStatusJitter": {}, "ntpAssocStratum": {}, "ntpEntInfo": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}}, "ntpEntStatus": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ntpEntStatus.17.1.2": {}, "ntpEntStatus.17.1.3": {}, "ntpSnmpMIBObjects.4.1": {}, "ntpSnmpMIBObjects.4.2": {}, "optIfOChCurrentStatus": {}, "optIfOChDirectionality": {}, "optIfOChSinkCurDayHighInputPower": {}, "optIfOChSinkCurDayLowInputPower": {}, "optIfOChSinkCurDaySuspectedFlag": {}, "optIfOChSinkCurrentHighInputPower": {}, "optIfOChSinkCurrentInputPower": {}, "optIfOChSinkCurrentLowInputPower": {}, "optIfOChSinkCurrentLowerInputPowerThreshold": {}, "optIfOChSinkCurrentSuspectedFlag": {}, "optIfOChSinkCurrentUpperInputPowerThreshold": {}, "optIfOChSinkIntervalHighInputPower": {}, "optIfOChSinkIntervalLastInputPower": {}, "optIfOChSinkIntervalLowInputPower": {}, "optIfOChSinkIntervalSuspectedFlag": {}, "optIfOChSinkPrevDayHighInputPower": {}, "optIfOChSinkPrevDayLastInputPower": {}, "optIfOChSinkPrevDayLowInputPower": {}, "optIfOChSinkPrevDaySuspectedFlag": {}, "optIfOChSrcCurDayHighOutputPower": {}, "optIfOChSrcCurDayLowOutputPower": {}, "optIfOChSrcCurDaySuspectedFlag": {}, "optIfOChSrcCurrentHighOutputPower": {}, "optIfOChSrcCurrentLowOutputPower": {}, "optIfOChSrcCurrentLowerOutputPowerThreshold": {}, "optIfOChSrcCurrentOutputPower": {}, "optIfOChSrcCurrentSuspectedFlag": {}, "optIfOChSrcCurrentUpperOutputPowerThreshold": {}, "optIfOChSrcIntervalHighOutputPower": {}, "optIfOChSrcIntervalLastOutputPower": {}, "optIfOChSrcIntervalLowOutputPower": {}, "optIfOChSrcIntervalSuspectedFlag": {}, "optIfOChSrcPrevDayHighOutputPower": {}, "optIfOChSrcPrevDayLastOutputPower": {}, "optIfOChSrcPrevDayLowOutputPower": {}, "optIfOChSrcPrevDaySuspectedFlag": {}, "optIfODUkTtpCurrentStatus": {}, "optIfODUkTtpDAPIExpected": {}, "optIfODUkTtpDEGM": {}, "optIfODUkTtpDEGThr": {}, "optIfODUkTtpSAPIExpected": {}, "optIfODUkTtpTIMActEnabled": {}, "optIfODUkTtpTIMDetMode": {}, "optIfODUkTtpTraceIdentifierAccepted": {}, "optIfODUkTtpTraceIdentifierTransmitted": {}, "optIfOTUk.2.1.2": {}, "optIfOTUk.2.1.3": {}, "optIfOTUkBitRateK": {}, "optIfOTUkCurrentStatus": {}, "optIfOTUkDAPIExpected": {}, "optIfOTUkDEGM": {}, "optIfOTUkDEGThr": {}, "optIfOTUkDirectionality": {}, "optIfOTUkSAPIExpected": {}, "optIfOTUkSinkAdaptActive": {}, "optIfOTUkSinkFECEnabled": {}, "optIfOTUkSourceAdaptActive": {}, "optIfOTUkTIMActEnabled": {}, "optIfOTUkTIMDetMode": {}, "optIfOTUkTraceIdentifierAccepted": {}, "optIfOTUkTraceIdentifierTransmitted": {}, "optIfObjects.10.4.1.1": {}, "optIfObjects.10.4.1.2": {}, "optIfObjects.10.4.1.3": {}, "optIfObjects.10.4.1.4": {}, "optIfObjects.10.4.1.5": {}, "optIfObjects.10.4.1.6": {}, "optIfObjects.10.9.1.1": {}, "optIfObjects.10.9.1.2": {}, "optIfObjects.10.9.1.3": {}, "optIfObjects.10.9.1.4": {}, "optIfObjects.10.16.1.1": {}, "optIfObjects.10.16.1.10": {}, "optIfObjects.10.16.1.2": {}, "optIfObjects.10.16.1.3": {}, "optIfObjects.10.16.1.4": {}, "optIfObjects.10.16.1.5": {}, "optIfObjects.10.16.1.6": {}, "optIfObjects.10.16.1.7": {}, "optIfObjects.10.16.1.8": {}, "optIfObjects.10.16.1.9": {}, "optIfObjects.10.25.1.1": {}, "optIfObjects.10.25.1.10": {}, "optIfObjects.10.25.1.11": {}, "optIfObjects.10.25.1.2": {}, "optIfObjects.10.25.1.3": {}, "optIfObjects.10.25.1.4": {}, "optIfObjects.10.25.1.5": {}, "optIfObjects.10.25.1.6": {}, "optIfObjects.10.25.1.7": {}, "optIfObjects.10.25.1.8": {}, "optIfObjects.10.25.1.9": {}, "optIfObjects.10.36.1.2": {}, "optIfObjects.10.36.1.3": {}, "optIfObjects.10.36.1.4": {}, "optIfObjects.10.36.1.5": {}, "optIfObjects.10.36.1.6": {}, "optIfObjects.10.36.1.7": {}, "optIfObjects.10.36.1.8": {}, "optIfObjects.10.49.1.1": {}, "optIfObjects.10.49.1.2": {}, "optIfObjects.10.49.1.3": {}, "optIfObjects.10.49.1.4": {}, "optIfObjects.10.49.1.5": {}, "optIfObjects.10.64.1.1": {}, "optIfObjects.10.64.1.2": {}, "optIfObjects.10.64.1.3": {}, "optIfObjects.10.64.1.4": {}, "optIfObjects.10.64.1.5": {}, "optIfObjects.10.64.1.6": {}, "optIfObjects.10.64.1.7": {}, "optIfObjects.10.81.1.1": {}, "optIfObjects.10.81.1.10": {}, "optIfObjects.10.81.1.11": {}, "optIfObjects.10.81.1.2": {}, "optIfObjects.10.81.1.3": {}, "optIfObjects.10.81.1.4": {}, "optIfObjects.10.81.1.5": {}, "optIfObjects.10.81.1.6": {}, "optIfObjects.10.81.1.7": {}, "optIfObjects.10.81.1.8": {}, "optIfObjects.10.81.1.9": {}, "optIfObjects.10.100.1.2": {}, "optIfObjects.10.100.1.3": {}, "optIfObjects.10.100.1.4": {}, "optIfObjects.10.100.1.5": {}, "optIfObjects.10.100.1.6": {}, "optIfObjects.10.100.1.7": {}, "optIfObjects.10.100.1.8": {}, "optIfObjects.10.121.1.1": {}, "optIfObjects.10.121.1.2": {}, "optIfObjects.10.121.1.3": {}, "optIfObjects.10.121.1.4": {}, "optIfObjects.10.121.1.5": {}, "optIfObjects.10.144.1.1": {}, "optIfObjects.10.144.1.2": {}, "optIfObjects.10.144.1.3": {}, "optIfObjects.10.144.1.4": {}, "optIfObjects.10.144.1.5": {}, "optIfObjects.10.144.1.6": {}, "optIfObjects.10.144.1.7": {}, "optIfObjects.10.36.1.1": {}, "optIfObjects.10.36.1.10": {}, "optIfObjects.10.36.1.11": {}, "optIfObjects.10.36.1.9": {}, "optIfObjects.10.49.1.6": {}, "optIfObjects.10.49.1.7": {}, "optIfObjects.10.49.1.8": {}, "optIfObjects.10.100.1.1": {}, "optIfObjects.10.100.1.10": {}, "optIfObjects.10.100.1.11": {}, "optIfObjects.10.100.1.9": {}, "optIfObjects.10.121.1.6": {}, "optIfObjects.10.121.1.7": {}, "optIfObjects.10.121.1.8": {}, "optIfObjects.10.169.1.1": {}, "optIfObjects.10.169.1.2": {}, "optIfObjects.10.169.1.3": {}, "optIfObjects.10.169.1.4": {}, "optIfObjects.10.169.1.5": {}, "optIfObjects.10.169.1.6": {}, "optIfObjects.10.169.1.7": {}, "optIfObjects.10.49.1.10": {}, "optIfObjects.10.49.1.11": {}, "optIfObjects.10.49.1.9": {}, "optIfObjects.10.64.1.8": {}, "optIfObjects.10.121.1.10": {}, "optIfObjects.10.121.1.11": {}, "optIfObjects.10.121.1.9": {}, "optIfObjects.10.144.1.8": {}, "optIfObjects.10.196.1.1": {}, "optIfObjects.10.196.1.2": {}, "optIfObjects.10.196.1.3": {}, "optIfObjects.10.196.1.4": {}, "optIfObjects.10.196.1.5": {}, "optIfObjects.10.196.1.6": {}, "optIfObjects.10.196.1.7": {}, "optIfObjects.10.144.1.10": {}, "optIfObjects.10.144.1.9": {}, "optIfObjects.10.100.1.12": {}, "optIfObjects.10.100.1.13": {}, "optIfObjects.10.100.1.14": {}, "optIfObjects.10.100.1.15": {}, "ospfAreaAggregateEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}}, "ospfAreaEntry": { "1": {}, "10": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ospfAreaRangeEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}}, "ospfExtLsdbEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}}, "ospfGeneralGroup": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ospfHostEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}}, "ospfIfEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ospfIfMetricEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}}, "ospfLsdbEntry": { "1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, }, "ospfNbrEntry": { "1": {}, "10": {}, "11": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ospfStubAreaEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}}, "ospfTrap.1.1": {}, "ospfTrap.1.2": {}, "ospfTrap.1.3": {}, "ospfTrap.1.4": {}, "ospfVirtIfEntry": { "1": {}, "10": {}, "11": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ospfVirtNbrEntry": { "1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, }, "ospfv3AreaAggregateEntry": {"6": {}, "7": {}, "8": {}}, "ospfv3AreaEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ospfv3AreaLsdbEntry": {"5": {}, "6": {}, "7": {}, "8": {}, "9": {}}, "ospfv3AsLsdbEntry": {"4": {}, "5": {}, "6": {}, "7": {}, "8": {}}, "ospfv3CfgNbrEntry": {"5": {}, "6": {}}, "ospfv3GeneralGroup": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ospfv3HostEntry": {"3": {}, "4": {}, "5": {}}, "ospfv3IfEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ospfv3LinkLsdbEntry": {"10": {}, "6": {}, "7": {}, "8": {}, "9": {}}, "ospfv3NbrEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ospfv3VirtIfEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ospfv3VirtLinkLsdbEntry": {"10": {}, "6": {}, "7": {}, "8": {}, "9": {}}, "ospfv3VirtNbrEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "pim": {"1": {}}, "pimAnycastRPSetLocalRouter": {}, "pimAnycastRPSetRowStatus": {}, "pimBidirDFElectionState": {}, "pimBidirDFElectionStateTimer": {}, "pimBidirDFElectionWinnerAddress": {}, "pimBidirDFElectionWinnerAddressType": {}, "pimBidirDFElectionWinnerMetric": {}, "pimBidirDFElectionWinnerMetricPref": {}, "pimBidirDFElectionWinnerUpTime": {}, "pimCandidateRPEntry": {"3": {}, "4": {}}, "pimComponentEntry": {"2": {}, "3": {}, "4": {}, "5": {}}, "pimGroupMappingPimMode": {}, "pimGroupMappingPrecedence": {}, "pimInAsserts": {}, "pimInterfaceAddress": {}, "pimInterfaceAddressType": {}, "pimInterfaceBidirCapable": {}, "pimInterfaceDFElectionRobustness": {}, "pimInterfaceDR": {}, "pimInterfaceDRPriority": {}, "pimInterfaceDRPriorityEnabled": {}, "pimInterfaceDomainBorder": {}, "pimInterfaceEffectOverrideIvl": {}, "pimInterfaceEffectPropagDelay": {}, "pimInterfaceElectionNotificationPeriod": {}, "pimInterfaceElectionWinCount": {}, "pimInterfaceEntry": { "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "pimInterfaceGenerationIDValue": {}, "pimInterfaceGraftRetryInterval": {}, "pimInterfaceHelloHoldtime": {}, "pimInterfaceHelloInterval": {}, "pimInterfaceJoinPruneHoldtime": {}, "pimInterfaceJoinPruneInterval": {}, "pimInterfaceLanDelayEnabled": {}, "pimInterfaceOverrideInterval": {}, "pimInterfacePropagationDelay": {}, "pimInterfacePruneLimitInterval": {}, "pimInterfaceSRPriorityEnabled": {}, "pimInterfaceStatus": {}, "pimInterfaceStubInterface": {}, "pimInterfaceSuppressionEnabled": {}, "pimInterfaceTrigHelloInterval": {}, "pimInvalidJoinPruneAddressType": {}, "pimInvalidJoinPruneGroup": {}, "pimInvalidJoinPruneMsgsRcvd": {}, "pimInvalidJoinPruneNotificationPeriod": {}, "pimInvalidJoinPruneOrigin": {}, "pimInvalidJoinPruneRp": {}, "pimInvalidRegisterAddressType": {}, "pimInvalidRegisterGroup": {}, "pimInvalidRegisterMsgsRcvd": {}, "pimInvalidRegisterNotificationPeriod": {}, "pimInvalidRegisterOrigin": {}, "pimInvalidRegisterRp": {}, "pimIpMRouteEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}}, "pimIpMRouteNextHopEntry": {"2": {}}, "pimKeepalivePeriod": {}, "pimLastAssertGroupAddress": {}, "pimLastAssertGroupAddressType": {}, "pimLastAssertInterface": {}, "pimLastAssertSourceAddress": {}, "pimLastAssertSourceAddressType": {}, "pimNbrSecAddress": {}, "pimNeighborBidirCapable": {}, "pimNeighborDRPriority": {}, "pimNeighborDRPriorityPresent": {}, "pimNeighborEntry": {"2": {}, "3": {}, "4": {}, "5": {}}, "pimNeighborExpiryTime": {}, "pimNeighborGenerationIDPresent": {}, "pimNeighborGenerationIDValue": {}, "pimNeighborLanPruneDelayPresent": {}, "pimNeighborLossCount": {}, "pimNeighborLossNotificationPeriod": {}, "pimNeighborOverrideInterval": {}, "pimNeighborPropagationDelay": {}, "pimNeighborSRCapable": {}, "pimNeighborTBit": {}, "pimNeighborUpTime": {}, "pimOutAsserts": {}, "pimRPEntry": {"3": {}, "4": {}, "5": {}, "6": {}}, "pimRPMappingChangeCount": {}, "pimRPMappingNotificationPeriod": {}, "pimRPSetEntry": {"4": {}, "5": {}}, "pimRegisterSuppressionTime": {}, "pimSGDRRegisterState": {}, "pimSGDRRegisterStopTimer": {}, "pimSGEntries": {}, "pimSGIAssertState": {}, "pimSGIAssertTimer": {}, "pimSGIAssertWinnerAddress": {}, "pimSGIAssertWinnerAddressType": {}, "pimSGIAssertWinnerMetric": {}, "pimSGIAssertWinnerMetricPref": {}, "pimSGIEntries": {}, "pimSGIJoinExpiryTimer": {}, "pimSGIJoinPruneState": {}, "pimSGILocalMembership": {}, "pimSGIPrunePendingTimer": {}, "pimSGIUpTime": {}, "pimSGKeepaliveTimer": {}, "pimSGOriginatorState": {}, "pimSGPimMode": {}, "pimSGRPFIfIndex": {}, "pimSGRPFNextHop": {}, "pimSGRPFNextHopType": {}, "pimSGRPFRouteAddress": {}, "pimSGRPFRouteMetric": {}, "pimSGRPFRouteMetricPref": {}, "pimSGRPFRoutePrefixLength": {}, "pimSGRPFRouteProtocol": {}, "pimSGRPRegisterPMBRAddress": {}, "pimSGRPRegisterPMBRAddressType": {}, "pimSGRptEntries": {}, "pimSGRptIEntries": {}, "pimSGRptIJoinPruneState": {}, "pimSGRptILocalMembership": {}, "pimSGRptIPruneExpiryTimer": {}, "pimSGRptIPrunePendingTimer": {}, "pimSGRptIUpTime": {}, "pimSGRptUpTime": {}, "pimSGRptUpstreamOverrideTimer": {}, "pimSGRptUpstreamPruneState": {}, "pimSGSPTBit": {}, "pimSGSourceActiveTimer": {}, "pimSGStateRefreshTimer": {}, "pimSGUpTime": {}, "pimSGUpstreamJoinState": {}, "pimSGUpstreamJoinTimer": {}, "pimSGUpstreamNeighbor": {}, "pimSGUpstreamPruneLimitTimer": {}, "pimSGUpstreamPruneState": {}, "pimStarGEntries": {}, "pimStarGIAssertState": {}, "pimStarGIAssertTimer": {}, "pimStarGIAssertWinnerAddress": {}, "pimStarGIAssertWinnerAddressType": {}, "pimStarGIAssertWinnerMetric": {}, "pimStarGIAssertWinnerMetricPref": {}, "pimStarGIEntries": {}, "pimStarGIJoinExpiryTimer": {}, "pimStarGIJoinPruneState": {}, "pimStarGILocalMembership": {}, "pimStarGIPrunePendingTimer": {}, "pimStarGIUpTime": {}, "pimStarGPimMode": {}, "pimStarGPimModeOrigin": {}, "pimStarGRPAddress": {}, "pimStarGRPAddressType": {}, "pimStarGRPFIfIndex": {}, "pimStarGRPFNextHop": {}, "pimStarGRPFNextHopType": {}, "pimStarGRPFRouteAddress": {}, "pimStarGRPFRouteMetric": {}, "pimStarGRPFRouteMetricPref": {}, "pimStarGRPFRoutePrefixLength": {}, "pimStarGRPFRouteProtocol": {}, "pimStarGRPIsLocal": {}, "pimStarGUpTime": {}, "pimStarGUpstreamJoinState": {}, "pimStarGUpstreamJoinTimer": {}, "pimStarGUpstreamNeighbor": {}, "pimStarGUpstreamNeighborType": {}, "pimStaticRPOverrideDynamic": {}, "pimStaticRPPimMode": {}, "pimStaticRPPrecedence": {}, "pimStaticRPRPAddress": {}, "pimStaticRPRowStatus": {}, "qllcLSAdminEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}}, "qllcLSOperEntry": { "1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, }, "qllcLSStatsEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ripCircEntry": { "1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "ripSysEntry": {"1": {}, "2": {}, "3": {}}, "rmon.10.106.1.2": {}, "rmon.10.106.1.3": {}, "rmon.10.106.1.4": {}, "rmon.10.106.1.5": {}, "rmon.10.106.1.6": {}, "rmon.10.106.1.7": {}, "rmon.10.145.1.2": {}, "rmon.10.145.1.3": {}, "rmon.10.186.1.2": {}, "rmon.10.186.1.3": {}, "rmon.10.186.1.4": {}, "rmon.10.186.1.5": {}, "rmon.10.229.1.1": {}, "rmon.10.229.1.2": {}, "rmon.19.1": {}, "rmon.10.76.1.1": {}, "rmon.10.76.1.2": {}, "rmon.10.76.1.3": {}, "rmon.10.76.1.4": {}, "rmon.10.76.1.5": {}, "rmon.10.76.1.6": {}, "rmon.10.76.1.7": {}, "rmon.10.76.1.8": {}, "rmon.10.76.1.9": {}, "rmon.10.135.1.1": {}, "rmon.10.135.1.2": {}, "rmon.10.135.1.3": {}, "rmon.19.12": {}, "rmon.10.4.1.2": {}, "rmon.10.4.1.3": {}, "rmon.10.4.1.4": {}, "rmon.10.4.1.5": {}, "rmon.10.4.1.6": {}, "rmon.10.69.1.2": {}, "rmon.10.69.1.3": {}, "rmon.10.69.1.4": {}, "rmon.10.69.1.5": {}, "rmon.10.69.1.6": {}, "rmon.10.69.1.7": {}, "rmon.10.69.1.8": {}, "rmon.10.69.1.9": {}, "rmon.19.15": {}, "rmon.19.16": {}, "rmon.19.2": {}, "rmon.19.3": {}, "rmon.19.4": {}, "rmon.19.5": {}, "rmon.19.6": {}, "rmon.19.7": {}, "rmon.19.8": {}, "rmon.19.9": {}, "rs232": {"1": {}}, "rs232AsyncPortEntry": { "1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, }, "rs232InSigEntry": {"1": {}, "2": {}, "3": {}}, "rs232OutSigEntry": {"1": {}, "2": {}, "3": {}}, "rs232PortEntry": { "1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, }, "rs232SyncPortEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "rsrbRemotePeerEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "rsrbRingEntry": {"2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}}, "rsrbVirtRingEntry": {"2": {}, "3": {}}, "rsvp.2.1": {}, "rsvp.2.2": {}, "rsvp.2.3": {}, "rsvp.2.4": {}, "rsvp.2.5": {}, "rsvpIfEntry": { "1": {}, "10": {}, "11": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "rsvpNbrEntry": {"2": {}, "3": {}}, "rsvpResvEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "26": {}, "27": {}, "28": {}, "29": {}, "3": {}, "30": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "rsvpResvFwdEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "26": {}, "27": {}, "28": {}, "29": {}, "3": {}, "30": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "rsvpSenderEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "26": {}, "27": {}, "28": {}, "29": {}, "3": {}, "30": {}, "31": {}, "32": {}, "33": {}, "34": {}, "35": {}, "36": {}, "37": {}, "38": {}, "39": {}, "4": {}, "40": {}, "41": {}, "42": {}, "43": {}, "44": {}, "45": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "rsvpSenderOutInterfaceStatus": {}, "rsvpSessionEntry": { "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "rtmpEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}}, "rttMonApplAuthKeyChain": {}, "rttMonApplAuthKeyString1": {}, "rttMonApplAuthKeyString2": {}, "rttMonApplAuthKeyString3": {}, "rttMonApplAuthKeyString4": {}, "rttMonApplAuthKeyString5": {}, "rttMonApplAuthStatus": {}, "rttMonApplFreeMemLowWaterMark": {}, "rttMonApplLatestSetError": {}, "rttMonApplLpdGrpStatsReset": {}, "rttMonApplMaxPacketDataSize": {}, "rttMonApplNumCtrlAdminEntry": {}, "rttMonApplPreConfigedReset": {}, "rttMonApplPreConfigedValid": {}, "rttMonApplProbeCapacity": {}, "rttMonApplReset": {}, "rttMonApplResponder": {}, "rttMonApplSupportedProtocolsValid": {}, "rttMonApplSupportedRttTypesValid": {}, "rttMonApplTimeOfLastSet": {}, "rttMonApplVersion": {}, "rttMonControlEnableErrors": {}, "rttMonCtrlAdminFrequency": {}, "rttMonCtrlAdminGroupName": {}, "rttMonCtrlAdminLongTag": {}, "rttMonCtrlAdminNvgen": {}, "rttMonCtrlAdminOwner": {}, "rttMonCtrlAdminRttType": {}, "rttMonCtrlAdminStatus": {}, "rttMonCtrlAdminTag": {}, "rttMonCtrlAdminThreshold": {}, "rttMonCtrlAdminTimeout": {}, "rttMonCtrlAdminVerifyData": {}, "rttMonCtrlOperConnectionLostOccurred": {}, "rttMonCtrlOperDiagText": {}, "rttMonCtrlOperModificationTime": {}, "rttMonCtrlOperNumRtts": {}, "rttMonCtrlOperOctetsInUse": {}, "rttMonCtrlOperOverThresholdOccurred": {}, "rttMonCtrlOperResetTime": {}, "rttMonCtrlOperRttLife": {}, "rttMonCtrlOperState": {}, "rttMonCtrlOperTimeoutOccurred": {}, "rttMonCtrlOperVerifyErrorOccurred": {}, "rttMonEchoAdminAggBurstCycles": {}, "rttMonEchoAdminAvailNumFrames": {}, "rttMonEchoAdminCache": {}, "rttMonEchoAdminCallDuration": {}, "rttMonEchoAdminCalledNumber": {}, "rttMonEchoAdminCodecInterval": {}, "rttMonEchoAdminCodecNumPackets": {}, "rttMonEchoAdminCodecPayload": {}, "rttMonEchoAdminCodecType": {}, "rttMonEchoAdminControlEnable": {}, "rttMonEchoAdminControlRetry": {}, "rttMonEchoAdminControlTimeout": {}, "rttMonEchoAdminDetectPoint": {}, "rttMonEchoAdminDscp": {}, "rttMonEchoAdminEmulateSourceAddress": {}, "rttMonEchoAdminEmulateSourcePort": {}, "rttMonEchoAdminEmulateTargetAddress": {}, "rttMonEchoAdminEmulateTargetPort": {}, "rttMonEchoAdminEnableBurst": {}, "rttMonEchoAdminEndPointListName": {}, "rttMonEchoAdminEntry": {"77": {}, "78": {}, "79": {}}, "rttMonEchoAdminEthernetCOS": {}, "rttMonEchoAdminGKRegistration": {}, "rttMonEchoAdminHTTPVersion": {}, "rttMonEchoAdminICPIFAdvFactor": {}, "rttMonEchoAdminIgmpTreeInit": {}, "rttMonEchoAdminInputInterface": {}, "rttMonEchoAdminInterval": {}, "rttMonEchoAdminLSPExp": {}, "rttMonEchoAdminLSPFECType": {}, "rttMonEchoAdminLSPNullShim": {}, "rttMonEchoAdminLSPReplyDscp": {}, "rttMonEchoAdminLSPReplyMode": {}, "rttMonEchoAdminLSPSelector": {}, "rttMonEchoAdminLSPTTL": {}, "rttMonEchoAdminLSPVccvID": {}, "rttMonEchoAdminLSREnable": {}, "rttMonEchoAdminLossRatioNumFrames": {}, "rttMonEchoAdminMode": {}, "rttMonEchoAdminNameServer": {}, "rttMonEchoAdminNumPackets": {}, "rttMonEchoAdminOWNTPSyncTolAbs": {}, "rttMonEchoAdminOWNTPSyncTolPct": {}, "rttMonEchoAdminOWNTPSyncTolType": {}, "rttMonEchoAdminOperation": {}, "rttMonEchoAdminPktDataRequestSize": {}, "rttMonEchoAdminPktDataResponseSize": {}, "rttMonEchoAdminPrecision": {}, "rttMonEchoAdminProbePakPriority": {}, "rttMonEchoAdminProtocol": {}, "rttMonEchoAdminProxy": {}, "rttMonEchoAdminReserveDsp": {}, "rttMonEchoAdminSSM": {}, "rttMonEchoAdminSourceAddress": {}, "rttMonEchoAdminSourceMPID": {}, "rttMonEchoAdminSourceMacAddress": {}, "rttMonEchoAdminSourcePort": {}, "rttMonEchoAdminSourceVoicePort": {}, "rttMonEchoAdminString1": {}, "rttMonEchoAdminString2": {}, "rttMonEchoAdminString3": {}, "rttMonEchoAdminString4": {}, "rttMonEchoAdminString5": {}, "rttMonEchoAdminTOS": {}, "rttMonEchoAdminTargetAddress": {}, "rttMonEchoAdminTargetAddressString": {}, "rttMonEchoAdminTargetDomainName": {}, "rttMonEchoAdminTargetEVC": {}, "rttMonEchoAdminTargetMEPPort": {}, "rttMonEchoAdminTargetMPID": {}, "rttMonEchoAdminTargetMacAddress": {}, "rttMonEchoAdminTargetPort": {}, "rttMonEchoAdminTargetVLAN": {}, "rttMonEchoAdminTstampOptimization": {}, "rttMonEchoAdminURL": {}, "rttMonEchoAdminVideoTrafficProfile": {}, "rttMonEchoAdminVrfName": {}, "rttMonEchoPathAdminHopAddress": {}, "rttMonFileIOAdminAction": {}, "rttMonFileIOAdminFilePath": {}, "rttMonFileIOAdminSize": {}, "rttMonGeneratedOperCtrlAdminIndex": {}, "rttMonGrpScheduleAdminAdd": {}, "rttMonGrpScheduleAdminAgeout": {}, "rttMonGrpScheduleAdminDelete": {}, "rttMonGrpScheduleAdminFreqMax": {}, "rttMonGrpScheduleAdminFreqMin": {}, "rttMonGrpScheduleAdminFrequency": {}, "rttMonGrpScheduleAdminLife": {}, "rttMonGrpScheduleAdminPeriod": {}, "rttMonGrpScheduleAdminProbes": {}, "rttMonGrpScheduleAdminReset": {}, "rttMonGrpScheduleAdminStartDelay": {}, "rttMonGrpScheduleAdminStartTime": {}, "rttMonGrpScheduleAdminStartType": {}, "rttMonGrpScheduleAdminStatus": {}, "rttMonHTTPStatsBusies": {}, "rttMonHTTPStatsCompletions": {}, "rttMonHTTPStatsDNSQueryError": {}, "rttMonHTTPStatsDNSRTTSum": {}, "rttMonHTTPStatsDNSServerTimeout": {}, "rttMonHTTPStatsError": {}, "rttMonHTTPStatsHTTPError": {}, "rttMonHTTPStatsMessageBodyOctetsSum": {}, "rttMonHTTPStatsOverThresholds": {}, "rttMonHTTPStatsRTTMax": {}, "rttMonHTTPStatsRTTMin": {}, "rttMonHTTPStatsRTTSum": {}, "rttMonHTTPStatsRTTSum2High": {}, "rttMonHTTPStatsRTTSum2Low": {}, "rttMonHTTPStatsTCPConnectRTTSum": {}, "rttMonHTTPStatsTCPConnectTimeout": {}, "rttMonHTTPStatsTransactionRTTSum": {}, "rttMonHTTPStatsTransactionTimeout": {}, "rttMonHistoryAdminFilter": {}, "rttMonHistoryAdminNumBuckets": {}, "rttMonHistoryAdminNumLives": {}, "rttMonHistoryAdminNumSamples": {}, "rttMonHistoryCollectionAddress": {}, "rttMonHistoryCollectionApplSpecificSense": {}, "rttMonHistoryCollectionCompletionTime": {}, "rttMonHistoryCollectionSampleTime": {}, "rttMonHistoryCollectionSense": {}, "rttMonHistoryCollectionSenseDescription": {}, "rttMonIcmpJStatsOWSum2DSHighs": {}, "rttMonIcmpJStatsOWSum2DSLows": {}, "rttMonIcmpJStatsOWSum2SDHighs": {}, "rttMonIcmpJStatsOWSum2SDLows": {}, "rttMonIcmpJStatsOverThresholds": {}, "rttMonIcmpJStatsPktOutSeqBoth": {}, "rttMonIcmpJStatsPktOutSeqDSes": {}, "rttMonIcmpJStatsPktOutSeqSDs": {}, "rttMonIcmpJStatsRTTSum2Highs": {}, "rttMonIcmpJStatsRTTSum2Lows": {}, "rttMonIcmpJStatsSum2NegDSHighs": {}, "rttMonIcmpJStatsSum2NegDSLows": {}, "rttMonIcmpJStatsSum2NegSDHighs": {}, "rttMonIcmpJStatsSum2NegSDLows": {}, "rttMonIcmpJStatsSum2PosDSHighs": {}, "rttMonIcmpJStatsSum2PosDSLows": {}, "rttMonIcmpJStatsSum2PosSDHighs": {}, "rttMonIcmpJStatsSum2PosSDLows": {}, "rttMonIcmpJitterMaxSucPktLoss": {}, "rttMonIcmpJitterMinSucPktLoss": {}, "rttMonIcmpJitterStatsAvgJ": {}, "rttMonIcmpJitterStatsAvgJDS": {}, "rttMonIcmpJitterStatsAvgJSD": {}, "rttMonIcmpJitterStatsBusies": {}, "rttMonIcmpJitterStatsCompletions": {}, "rttMonIcmpJitterStatsErrors": {}, "rttMonIcmpJitterStatsIAJIn": {}, "rttMonIcmpJitterStatsIAJOut": {}, "rttMonIcmpJitterStatsMaxNegDS": {}, "rttMonIcmpJitterStatsMaxNegSD": {}, "rttMonIcmpJitterStatsMaxPosDS": {}, "rttMonIcmpJitterStatsMaxPosSD": {}, "rttMonIcmpJitterStatsMinNegDS": {}, "rttMonIcmpJitterStatsMinNegSD": {}, "rttMonIcmpJitterStatsMinPosDS": {}, "rttMonIcmpJitterStatsMinPosSD": {}, "rttMonIcmpJitterStatsNumNegDSes": {}, "rttMonIcmpJitterStatsNumNegSDs": {}, "rttMonIcmpJitterStatsNumOWs": {}, "rttMonIcmpJitterStatsNumOverThresh": {}, "rttMonIcmpJitterStatsNumPosDSes": {}, "rttMonIcmpJitterStatsNumPosSDs": {}, "rttMonIcmpJitterStatsNumRTTs": {}, "rttMonIcmpJitterStatsOWMaxDS": {}, "rttMonIcmpJitterStatsOWMaxSD": {}, "rttMonIcmpJitterStatsOWMinDS": {}, "rttMonIcmpJitterStatsOWMinSD": {}, "rttMonIcmpJitterStatsOWSumDSes": {}, "rttMonIcmpJitterStatsOWSumSDs": {}, "rttMonIcmpJitterStatsPktLateAs": {}, "rttMonIcmpJitterStatsPktLosses": {}, "rttMonIcmpJitterStatsPktSkippeds": {}, "rttMonIcmpJitterStatsRTTMax": {}, "rttMonIcmpJitterStatsRTTMin": {}, "rttMonIcmpJitterStatsRTTSums": {}, "rttMonIcmpJitterStatsSumNegDSes": {}, "rttMonIcmpJitterStatsSumNegSDs": {}, "rttMonIcmpJitterStatsSumPosDSes": {}, "rttMonIcmpJitterStatsSumPosSDs": {}, "rttMonJitterStatsAvgJitter": {}, "rttMonJitterStatsAvgJitterDS": {}, "rttMonJitterStatsAvgJitterSD": {}, "rttMonJitterStatsBusies": {}, "rttMonJitterStatsCompletions": {}, "rttMonJitterStatsError": {}, "rttMonJitterStatsIAJIn": {}, "rttMonJitterStatsIAJOut": {}, "rttMonJitterStatsMaxOfICPIF": {}, "rttMonJitterStatsMaxOfMOS": {}, "rttMonJitterStatsMaxOfNegativesDS": {}, "rttMonJitterStatsMaxOfNegativesSD": {}, "rttMonJitterStatsMaxOfPositivesDS": {}, "rttMonJitterStatsMaxOfPositivesSD": {}, "rttMonJitterStatsMinOfICPIF": {}, "rttMonJitterStatsMinOfMOS": {}, "rttMonJitterStatsMinOfNegativesDS": {}, "rttMonJitterStatsMinOfNegativesSD": {}, "rttMonJitterStatsMinOfPositivesDS": {}, "rttMonJitterStatsMinOfPositivesSD": {}, "rttMonJitterStatsNumOfNegativesDS": {}, "rttMonJitterStatsNumOfNegativesSD": {}, "rttMonJitterStatsNumOfOW": {}, "rttMonJitterStatsNumOfPositivesDS": {}, "rttMonJitterStatsNumOfPositivesSD": {}, "rttMonJitterStatsNumOfRTT": {}, "rttMonJitterStatsNumOverThresh": {}, "rttMonJitterStatsOWMaxDS": {}, "rttMonJitterStatsOWMaxDSNew": {}, "rttMonJitterStatsOWMaxSD": {}, "rttMonJitterStatsOWMaxSDNew": {}, "rttMonJitterStatsOWMinDS": {}, "rttMonJitterStatsOWMinDSNew": {}, "rttMonJitterStatsOWMinSD": {}, "rttMonJitterStatsOWMinSDNew": {}, "rttMonJitterStatsOWSum2DSHigh": {}, "rttMonJitterStatsOWSum2DSLow": {}, "rttMonJitterStatsOWSum2SDHigh": {}, "rttMonJitterStatsOWSum2SDLow": {}, "rttMonJitterStatsOWSumDS": {}, "rttMonJitterStatsOWSumDSHigh": {}, "rttMonJitterStatsOWSumSD": {}, "rttMonJitterStatsOWSumSDHigh": {}, "rttMonJitterStatsOverThresholds": {}, "rttMonJitterStatsPacketLateArrival": {}, "rttMonJitterStatsPacketLossDS": {}, "rttMonJitterStatsPacketLossSD": {}, "rttMonJitterStatsPacketMIA": {}, "rttMonJitterStatsPacketOutOfSequence": {}, "rttMonJitterStatsRTTMax": {}, "rttMonJitterStatsRTTMin": {}, "rttMonJitterStatsRTTSum": {}, "rttMonJitterStatsRTTSum2High": {}, "rttMonJitterStatsRTTSum2Low": {}, "rttMonJitterStatsRTTSumHigh": {}, "rttMonJitterStatsSum2NegativesDSHigh": {}, "rttMonJitterStatsSum2NegativesDSLow": {}, "rttMonJitterStatsSum2NegativesSDHigh": {}, "rttMonJitterStatsSum2NegativesSDLow": {}, "rttMonJitterStatsSum2PositivesDSHigh": {}, "rttMonJitterStatsSum2PositivesDSLow": {}, "rttMonJitterStatsSum2PositivesSDHigh": {}, "rttMonJitterStatsSum2PositivesSDLow": {}, "rttMonJitterStatsSumOfNegativesDS": {}, "rttMonJitterStatsSumOfNegativesSD": {}, "rttMonJitterStatsSumOfPositivesDS": {}, "rttMonJitterStatsSumOfPositivesSD": {}, "rttMonJitterStatsUnSyncRTs": {}, "rttMonLatestHTTPErrorSenseDescription": {}, "rttMonLatestHTTPOperDNSRTT": {}, "rttMonLatestHTTPOperMessageBodyOctets": {}, "rttMonLatestHTTPOperRTT": {}, "rttMonLatestHTTPOperSense": {}, "rttMonLatestHTTPOperTCPConnectRTT": {}, "rttMonLatestHTTPOperTransactionRTT": {}, "rttMonLatestIcmpJPktOutSeqBoth": {}, "rttMonLatestIcmpJPktOutSeqDS": {}, "rttMonLatestIcmpJPktOutSeqSD": {}, "rttMonLatestIcmpJitterAvgDSJ": {}, "rttMonLatestIcmpJitterAvgJitter": {}, "rttMonLatestIcmpJitterAvgSDJ": {}, "rttMonLatestIcmpJitterIAJIn": {}, "rttMonLatestIcmpJitterIAJOut": {}, "rttMonLatestIcmpJitterMaxNegDS": {}, "rttMonLatestIcmpJitterMaxNegSD": {}, "rttMonLatestIcmpJitterMaxPosDS": {}, "rttMonLatestIcmpJitterMaxPosSD": {}, "rttMonLatestIcmpJitterMaxSucPktL": {}, "rttMonLatestIcmpJitterMinNegDS": {}, "rttMonLatestIcmpJitterMinNegSD": {}, "rttMonLatestIcmpJitterMinPosDS": {}, "rttMonLatestIcmpJitterMinPosSD": {}, "rttMonLatestIcmpJitterMinSucPktL": {}, "rttMonLatestIcmpJitterNumNegDS": {}, "rttMonLatestIcmpJitterNumNegSD": {}, "rttMonLatestIcmpJitterNumOW": {}, "rttMonLatestIcmpJitterNumOverThresh": {}, "rttMonLatestIcmpJitterNumPosDS": {}, "rttMonLatestIcmpJitterNumPosSD": {}, "rttMonLatestIcmpJitterNumRTT": {}, "rttMonLatestIcmpJitterOWAvgDS": {}, "rttMonLatestIcmpJitterOWAvgSD": {}, "rttMonLatestIcmpJitterOWMaxDS": {}, "rttMonLatestIcmpJitterOWMaxSD": {}, "rttMonLatestIcmpJitterOWMinDS": {}, "rttMonLatestIcmpJitterOWMinSD": {}, "rttMonLatestIcmpJitterOWSum2DS": {}, "rttMonLatestIcmpJitterOWSum2SD": {}, "rttMonLatestIcmpJitterOWSumDS": {}, "rttMonLatestIcmpJitterOWSumSD": {}, "rttMonLatestIcmpJitterPktLateA": {}, "rttMonLatestIcmpJitterPktLoss": {}, "rttMonLatestIcmpJitterPktSkipped": {}, "rttMonLatestIcmpJitterRTTMax": {}, "rttMonLatestIcmpJitterRTTMin": {}, "rttMonLatestIcmpJitterRTTSum": {}, "rttMonLatestIcmpJitterRTTSum2": {}, "rttMonLatestIcmpJitterSense": {}, "rttMonLatestIcmpJitterSum2NegDS": {}, "rttMonLatestIcmpJitterSum2NegSD": {}, "rttMonLatestIcmpJitterSum2PosDS": {}, "rttMonLatestIcmpJitterSum2PosSD": {}, "rttMonLatestIcmpJitterSumNegDS": {}, "rttMonLatestIcmpJitterSumNegSD": {}, "rttMonLatestIcmpJitterSumPosDS": {}, "rttMonLatestIcmpJitterSumPosSD": {}, "rttMonLatestJitterErrorSenseDescription": {}, "rttMonLatestJitterOperAvgDSJ": {}, "rttMonLatestJitterOperAvgJitter": {}, "rttMonLatestJitterOperAvgSDJ": {}, "rttMonLatestJitterOperIAJIn": {}, "rttMonLatestJitterOperIAJOut": {}, "rttMonLatestJitterOperICPIF": {}, "rttMonLatestJitterOperMOS": {}, "rttMonLatestJitterOperMaxOfNegativesDS": {}, "rttMonLatestJitterOperMaxOfNegativesSD": {}, "rttMonLatestJitterOperMaxOfPositivesDS": {}, "rttMonLatestJitterOperMaxOfPositivesSD": {}, "rttMonLatestJitterOperMinOfNegativesDS": {}, "rttMonLatestJitterOperMinOfNegativesSD": {}, "rttMonLatestJitterOperMinOfPositivesDS": {}, "rttMonLatestJitterOperMinOfPositivesSD": {}, "rttMonLatestJitterOperNTPState": {}, "rttMonLatestJitterOperNumOfNegativesDS": {}, "rttMonLatestJitterOperNumOfNegativesSD": {}, "rttMonLatestJitterOperNumOfOW": {}, "rttMonLatestJitterOperNumOfPositivesDS": {}, "rttMonLatestJitterOperNumOfPositivesSD": {}, "rttMonLatestJitterOperNumOfRTT": {}, "rttMonLatestJitterOperNumOverThresh": {}, "rttMonLatestJitterOperOWAvgDS": {}, "rttMonLatestJitterOperOWAvgSD": {}, "rttMonLatestJitterOperOWMaxDS": {}, "rttMonLatestJitterOperOWMaxSD": {}, "rttMonLatestJitterOperOWMinDS": {}, "rttMonLatestJitterOperOWMinSD": {}, "rttMonLatestJitterOperOWSum2DS": {}, "rttMonLatestJitterOperOWSum2DSHigh": {}, "rttMonLatestJitterOperOWSum2SD": {}, "rttMonLatestJitterOperOWSum2SDHigh": {}, "rttMonLatestJitterOperOWSumDS": {}, "rttMonLatestJitterOperOWSumDSHigh": {}, "rttMonLatestJitterOperOWSumSD": {}, "rttMonLatestJitterOperOWSumSDHigh": {}, "rttMonLatestJitterOperPacketLateArrival": {}, "rttMonLatestJitterOperPacketLossDS": {}, "rttMonLatestJitterOperPacketLossSD": {}, "rttMonLatestJitterOperPacketMIA": {}, "rttMonLatestJitterOperPacketOutOfSequence": {}, "rttMonLatestJitterOperRTTMax": {}, "rttMonLatestJitterOperRTTMin": {}, "rttMonLatestJitterOperRTTSum": {}, "rttMonLatestJitterOperRTTSum2": {}, "rttMonLatestJitterOperRTTSum2High": {}, "rttMonLatestJitterOperRTTSumHigh": {}, "rttMonLatestJitterOperSense": {}, "rttMonLatestJitterOperSum2NegativesDS": {}, "rttMonLatestJitterOperSum2NegativesSD": {}, "rttMonLatestJitterOperSum2PositivesDS": {}, "rttMonLatestJitterOperSum2PositivesSD": {}, "rttMonLatestJitterOperSumOfNegativesDS": {}, "rttMonLatestJitterOperSumOfNegativesSD": {}, "rttMonLatestJitterOperSumOfPositivesDS": {}, "rttMonLatestJitterOperSumOfPositivesSD": {}, "rttMonLatestJitterOperUnSyncRTs": {}, "rttMonLatestRtpErrorSenseDescription": {}, "rttMonLatestRtpOperAvgOWDS": {}, "rttMonLatestRtpOperAvgOWSD": {}, "rttMonLatestRtpOperFrameLossDS": {}, "rttMonLatestRtpOperIAJitterDS": {}, "rttMonLatestRtpOperIAJitterSD": {}, "rttMonLatestRtpOperMOSCQDS": {}, "rttMonLatestRtpOperMOSCQSD": {}, "rttMonLatestRtpOperMOSLQDS": {}, "rttMonLatestRtpOperMaxOWDS": {}, "rttMonLatestRtpOperMaxOWSD": {}, "rttMonLatestRtpOperMinOWDS": {}, "rttMonLatestRtpOperMinOWSD": {}, "rttMonLatestRtpOperPacketEarlyDS": {}, "rttMonLatestRtpOperPacketLateDS": {}, "rttMonLatestRtpOperPacketLossDS": {}, "rttMonLatestRtpOperPacketLossSD": {}, "rttMonLatestRtpOperPacketOOSDS": {}, "rttMonLatestRtpOperPacketsMIA": {}, "rttMonLatestRtpOperRFactorDS": {}, "rttMonLatestRtpOperRFactorSD": {}, "rttMonLatestRtpOperRTT": {}, "rttMonLatestRtpOperSense": {}, "rttMonLatestRtpOperTotalPaksDS": {}, "rttMonLatestRtpOperTotalPaksSD": {}, "rttMonLatestRttOperAddress": {}, "rttMonLatestRttOperApplSpecificSense": {}, "rttMonLatestRttOperCompletionTime": {}, "rttMonLatestRttOperSense": {}, "rttMonLatestRttOperSenseDescription": {}, "rttMonLatestRttOperTime": {}, "rttMonLpdGrpStatsAvgRTT": {}, "rttMonLpdGrpStatsGroupProbeIndex": {}, "rttMonLpdGrpStatsGroupStatus": {}, "rttMonLpdGrpStatsLPDCompTime": {}, "rttMonLpdGrpStatsLPDFailCause": {}, "rttMonLpdGrpStatsLPDFailOccurred": {}, "rttMonLpdGrpStatsLPDStartTime": {}, "rttMonLpdGrpStatsMaxNumPaths": {}, "rttMonLpdGrpStatsMaxRTT": {}, "rttMonLpdGrpStatsMinNumPaths": {}, "rttMonLpdGrpStatsMinRTT": {}, "rttMonLpdGrpStatsNumOfFail": {}, "rttMonLpdGrpStatsNumOfPass": {}, "rttMonLpdGrpStatsNumOfTimeout": {}, "rttMonLpdGrpStatsPathIds": {}, "rttMonLpdGrpStatsProbeStatus": {}, "rttMonLpdGrpStatsResetTime": {}, "rttMonLpdGrpStatsTargetPE": {}, "rttMonReactActionType": {}, "rttMonReactAdminActionType": {}, "rttMonReactAdminConnectionEnable": {}, "rttMonReactAdminThresholdCount": {}, "rttMonReactAdminThresholdCount2": {}, "rttMonReactAdminThresholdFalling": {}, "rttMonReactAdminThresholdType": {}, "rttMonReactAdminTimeoutEnable": {}, "rttMonReactAdminVerifyErrorEnable": {}, "rttMonReactOccurred": {}, "rttMonReactStatus": {}, "rttMonReactThresholdCountX": {}, "rttMonReactThresholdCountY": {}, "rttMonReactThresholdFalling": {}, "rttMonReactThresholdRising": {}, "rttMonReactThresholdType": {}, "rttMonReactTriggerAdminStatus": {}, "rttMonReactTriggerOperState": {}, "rttMonReactValue": {}, "rttMonReactVar": {}, "rttMonRtpStatsFrameLossDSAvg": {}, "rttMonRtpStatsFrameLossDSMax": {}, "rttMonRtpStatsFrameLossDSMin": {}, "rttMonRtpStatsIAJitterDSAvg": {}, "rttMonRtpStatsIAJitterDSMax": {}, "rttMonRtpStatsIAJitterDSMin": {}, "rttMonRtpStatsIAJitterSDAvg": {}, "rttMonRtpStatsIAJitterSDMax": {}, "rttMonRtpStatsIAJitterSDMin": {}, "rttMonRtpStatsMOSCQDSAvg": {}, "rttMonRtpStatsMOSCQDSMax": {}, "rttMonRtpStatsMOSCQDSMin": {}, "rttMonRtpStatsMOSCQSDAvg": {}, "rttMonRtpStatsMOSCQSDMax": {}, "rttMonRtpStatsMOSCQSDMin": {}, "rttMonRtpStatsMOSLQDSAvg": {}, "rttMonRtpStatsMOSLQDSMax": {}, "rttMonRtpStatsMOSLQDSMin": {}, "rttMonRtpStatsOperAvgOWDS": {}, "rttMonRtpStatsOperAvgOWSD": {}, "rttMonRtpStatsOperMaxOWDS": {}, "rttMonRtpStatsOperMaxOWSD": {}, "rttMonRtpStatsOperMinOWDS": {}, "rttMonRtpStatsOperMinOWSD": {}, "rttMonRtpStatsPacketEarlyDSAvg": {}, "rttMonRtpStatsPacketLateDSAvg": {}, "rttMonRtpStatsPacketLossDSAvg": {}, "rttMonRtpStatsPacketLossDSMax": {}, "rttMonRtpStatsPacketLossDSMin": {}, "rttMonRtpStatsPacketLossSDAvg": {}, "rttMonRtpStatsPacketLossSDMax": {}, "rttMonRtpStatsPacketLossSDMin": {}, "rttMonRtpStatsPacketOOSDSAvg": {}, "rttMonRtpStatsPacketsMIAAvg": {}, "rttMonRtpStatsRFactorDSAvg": {}, "rttMonRtpStatsRFactorDSMax": {}, "rttMonRtpStatsRFactorDSMin": {}, "rttMonRtpStatsRFactorSDAvg": {}, "rttMonRtpStatsRFactorSDMax": {}, "rttMonRtpStatsRFactorSDMin": {}, "rttMonRtpStatsRTTAvg": {}, "rttMonRtpStatsRTTMax": {}, "rttMonRtpStatsRTTMin": {}, "rttMonRtpStatsTotalPacketsDSAvg": {}, "rttMonRtpStatsTotalPacketsDSMax": {}, "rttMonRtpStatsTotalPacketsDSMin": {}, "rttMonRtpStatsTotalPacketsSDAvg": {}, "rttMonRtpStatsTotalPacketsSDMax": {}, "rttMonRtpStatsTotalPacketsSDMin": {}, "rttMonScheduleAdminConceptRowAgeout": {}, "rttMonScheduleAdminConceptRowAgeoutV2": {}, "rttMonScheduleAdminRttLife": {}, "rttMonScheduleAdminRttRecurring": {}, "rttMonScheduleAdminRttStartTime": {}, "rttMonScheduleAdminStartDelay": {}, "rttMonScheduleAdminStartType": {}, "rttMonScriptAdminCmdLineParams": {}, "rttMonScriptAdminName": {}, "rttMonStatisticsAdminDistInterval": {}, "rttMonStatisticsAdminNumDistBuckets": {}, "rttMonStatisticsAdminNumHops": {}, "rttMonStatisticsAdminNumHourGroups": {}, "rttMonStatisticsAdminNumPaths": {}, "rttMonStatsCaptureCompletionTimeMax": {}, "rttMonStatsCaptureCompletionTimeMin": {}, "rttMonStatsCaptureCompletions": {}, "rttMonStatsCaptureOverThresholds": {}, "rttMonStatsCaptureSumCompletionTime": {}, "rttMonStatsCaptureSumCompletionTime2High": {}, "rttMonStatsCaptureSumCompletionTime2Low": {}, "rttMonStatsCollectAddress": {}, "rttMonStatsCollectBusies": {}, "rttMonStatsCollectCtrlEnErrors": {}, "rttMonStatsCollectDrops": {}, "rttMonStatsCollectNoConnections": {}, "rttMonStatsCollectNumDisconnects": {}, "rttMonStatsCollectRetrieveErrors": {}, "rttMonStatsCollectSequenceErrors": {}, "rttMonStatsCollectTimeouts": {}, "rttMonStatsCollectVerifyErrors": {}, "rttMonStatsRetrieveErrors": {}, "rttMonStatsTotalsElapsedTime": {}, "rttMonStatsTotalsInitiations": {}, "rttMplsVpnMonCtrlDelScanFactor": {}, "rttMplsVpnMonCtrlEXP": {}, "rttMplsVpnMonCtrlLpd": {}, "rttMplsVpnMonCtrlLpdCompTime": {}, "rttMplsVpnMonCtrlLpdGrpList": {}, "rttMplsVpnMonCtrlProbeList": {}, "rttMplsVpnMonCtrlRequestSize": {}, "rttMplsVpnMonCtrlRttType": {}, "rttMplsVpnMonCtrlScanInterval": {}, "rttMplsVpnMonCtrlStatus": {}, "rttMplsVpnMonCtrlStorageType": {}, "rttMplsVpnMonCtrlTag": {}, "rttMplsVpnMonCtrlThreshold": {}, "rttMplsVpnMonCtrlTimeout": {}, "rttMplsVpnMonCtrlVerifyData": {}, "rttMplsVpnMonCtrlVrfName": {}, "rttMplsVpnMonReactActionType": {}, "rttMplsVpnMonReactConnectionEnable": {}, "rttMplsVpnMonReactLpdNotifyType": {}, "rttMplsVpnMonReactLpdRetryCount": {}, "rttMplsVpnMonReactThresholdCount": {}, "rttMplsVpnMonReactThresholdType": {}, "rttMplsVpnMonReactTimeoutEnable": {}, "rttMplsVpnMonScheduleFrequency": {}, "rttMplsVpnMonSchedulePeriod": {}, "rttMplsVpnMonScheduleRttStartTime": {}, "rttMplsVpnMonTypeDestPort": {}, "rttMplsVpnMonTypeInterval": {}, "rttMplsVpnMonTypeLSPReplyDscp": {}, "rttMplsVpnMonTypeLSPReplyMode": {}, "rttMplsVpnMonTypeLSPTTL": {}, "rttMplsVpnMonTypeLpdEchoInterval": {}, "rttMplsVpnMonTypeLpdEchoNullShim": {}, "rttMplsVpnMonTypeLpdEchoTimeout": {}, "rttMplsVpnMonTypeLpdMaxSessions": {}, "rttMplsVpnMonTypeLpdScanPeriod": {}, "rttMplsVpnMonTypeLpdSessTimeout": {}, "rttMplsVpnMonTypeLpdStatHours": {}, "rttMplsVpnMonTypeLspSelector": {}, "rttMplsVpnMonTypeNumPackets": {}, "rttMplsVpnMonTypeSecFreqType": {}, "rttMplsVpnMonTypeSecFreqValue": {}, "sapCircEntry": { "1": {}, "10": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "sapSysEntry": {"1": {}, "2": {}, "3": {}}, "sdlcLSAdminEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "sdlcLSOperEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "sdlcLSStatsEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "26": {}, "27": {}, "28": {}, "29": {}, "3": {}, "30": {}, "31": {}, "32": {}, "33": {}, "34": {}, "35": {}, "36": {}, "37": {}, "38": {}, "39": {}, "4": {}, "40": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "sdlcPortAdminEntry": { "1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "sdlcPortOperEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "sdlcPortStatsEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "snmp": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "24": {}, "25": {}, "26": {}, "27": {}, "28": {}, "29": {}, "3": {}, "30": {}, "31": {}, "32": {}, "4": {}, "5": {}, "6": {}, "8": {}, "9": {}, }, "snmpCommunityMIB.10.4.1.2": {}, "snmpCommunityMIB.10.4.1.3": {}, "snmpCommunityMIB.10.4.1.4": {}, "snmpCommunityMIB.10.4.1.5": {}, "snmpCommunityMIB.10.4.1.6": {}, "snmpCommunityMIB.10.4.1.7": {}, "snmpCommunityMIB.10.4.1.8": {}, "snmpCommunityMIB.10.9.1.1": {}, "snmpCommunityMIB.10.9.1.2": {}, "snmpFrameworkMIB.2.1.1": {}, "snmpFrameworkMIB.2.1.2": {}, "snmpFrameworkMIB.2.1.3": {}, "snmpFrameworkMIB.2.1.4": {}, "snmpMIB.1.6.1": {}, "snmpMPDMIB.2.1.1": {}, "snmpMPDMIB.2.1.2": {}, "snmpMPDMIB.2.1.3": {}, "snmpNotificationMIB.10.4.1.2": {}, "snmpNotificationMIB.10.4.1.3": {}, "snmpNotificationMIB.10.4.1.4": {}, "snmpNotificationMIB.10.4.1.5": {}, "snmpNotificationMIB.10.9.1.1": {}, "snmpNotificationMIB.10.9.1.2": {}, "snmpNotificationMIB.10.9.1.3": {}, "snmpNotificationMIB.10.16.1.2": {}, "snmpNotificationMIB.10.16.1.3": {}, "snmpNotificationMIB.10.16.1.4": {}, "snmpNotificationMIB.10.16.1.5": {}, "snmpProxyMIB.10.9.1.2": {}, "snmpProxyMIB.10.9.1.3": {}, "snmpProxyMIB.10.9.1.4": {}, "snmpProxyMIB.10.9.1.5": {}, "snmpProxyMIB.10.9.1.6": {}, "snmpProxyMIB.10.9.1.7": {}, "snmpProxyMIB.10.9.1.8": {}, "snmpProxyMIB.10.9.1.9": {}, "snmpTargetMIB.1.1": {}, "snmpTargetMIB.10.9.1.2": {}, "snmpTargetMIB.10.9.1.3": {}, "snmpTargetMIB.10.9.1.4": {}, "snmpTargetMIB.10.9.1.5": {}, "snmpTargetMIB.10.9.1.6": {}, "snmpTargetMIB.10.9.1.7": {}, "snmpTargetMIB.10.9.1.8": {}, "snmpTargetMIB.10.9.1.9": {}, "snmpTargetMIB.10.16.1.2": {}, "snmpTargetMIB.10.16.1.3": {}, "snmpTargetMIB.10.16.1.4": {}, "snmpTargetMIB.10.16.1.5": {}, "snmpTargetMIB.10.16.1.6": {}, "snmpTargetMIB.10.16.1.7": {}, "snmpTargetMIB.1.4": {}, "snmpTargetMIB.1.5": {}, "snmpUsmMIB.1.1.1": {}, "snmpUsmMIB.1.1.2": {}, "snmpUsmMIB.1.1.3": {}, "snmpUsmMIB.1.1.4": {}, "snmpUsmMIB.1.1.5": {}, "snmpUsmMIB.1.1.6": {}, "snmpUsmMIB.1.2.1": {}, "snmpUsmMIB.10.9.2.1.10": {}, "snmpUsmMIB.10.9.2.1.11": {}, "snmpUsmMIB.10.9.2.1.12": {}, "snmpUsmMIB.10.9.2.1.13": {}, "snmpUsmMIB.10.9.2.1.3": {}, "snmpUsmMIB.10.9.2.1.4": {}, "snmpUsmMIB.10.9.2.1.5": {}, "snmpUsmMIB.10.9.2.1.6": {}, "snmpUsmMIB.10.9.2.1.7": {}, "snmpUsmMIB.10.9.2.1.8": {}, "snmpUsmMIB.10.9.2.1.9": {}, "snmpVacmMIB.10.4.1.1": {}, "snmpVacmMIB.10.9.1.3": {}, "snmpVacmMIB.10.9.1.4": {}, "snmpVacmMIB.10.9.1.5": {}, "snmpVacmMIB.10.25.1.4": {}, "snmpVacmMIB.10.25.1.5": {}, "snmpVacmMIB.10.25.1.6": {}, "snmpVacmMIB.10.25.1.7": {}, "snmpVacmMIB.10.25.1.8": {}, "snmpVacmMIB.10.25.1.9": {}, "snmpVacmMIB.1.5.1": {}, "snmpVacmMIB.10.36.2.1.3": {}, "snmpVacmMIB.10.36.2.1.4": {}, "snmpVacmMIB.10.36.2.1.5": {}, "snmpVacmMIB.10.36.2.1.6": {}, "sonetFarEndLineCurrentEntry": {"1": {}, "2": {}, "3": {}, "4": {}}, "sonetFarEndLineIntervalEntry": {"2": {}, "3": {}, "4": {}, "5": {}, "6": {}}, "sonetFarEndPathCurrentEntry": {"1": {}, "2": {}, "3": {}, "4": {}}, "sonetFarEndPathIntervalEntry": {"2": {}, "3": {}, "4": {}, "5": {}, "6": {}}, "sonetFarEndVTCurrentEntry": {"1": {}, "2": {}, "3": {}, "4": {}}, "sonetFarEndVTIntervalEntry": {"2": {}, "3": {}, "4": {}, "5": {}, "6": {}}, "sonetLineCurrentEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}}, "sonetLineIntervalEntry": {"2": {}, "3": {}, "4": {}, "5": {}, "6": {}}, "sonetMedium": {"2": {}}, "sonetMediumEntry": { "1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, }, "sonetPathCurrentEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}}, "sonetPathIntervalEntry": {"2": {}, "3": {}, "4": {}, "5": {}, "6": {}}, "sonetSectionCurrentEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}}, "sonetSectionIntervalEntry": {"2": {}, "3": {}, "4": {}, "5": {}, "6": {}}, "sonetVTCurrentEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}}, "sonetVTIntervalEntry": {"2": {}, "3": {}, "4": {}, "5": {}, "6": {}}, "srpErrCntCurrEntry": { "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "srpErrCntIntEntry": { "10": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "srpErrorsCountersCurrentEntry": { "10": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "srpErrorsCountersIntervalEntry": { "10": {}, "11": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "srpHostCountersCurrentEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "srpHostCountersIntervalEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "srpIfEntry": { "1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, }, "srpMACCountersEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "srpMACSideEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "srpRingCountersCurrentEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "srpRingCountersIntervalEntry": { "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "srpRingTopologyMapEntry": {"2": {}, "3": {}, "4": {}}, "stunGlobal": {"1": {}}, "stunGroupEntry": {"2": {}}, "stunPortEntry": {"1": {}, "2": {}, "3": {}, "4": {}}, "stunRouteEntry": { "10": {}, "11": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "sysOREntry": {"2": {}, "3": {}, "4": {}}, "sysUpTime": {}, "system": {"1": {}, "2": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}}, "tcp": { "1": {}, "10": {}, "11": {}, "12": {}, "14": {}, "15": {}, "17": {}, "18": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "tcp.19.1.7": {}, "tcp.19.1.8": {}, "tcp.20.1.4": {}, "tcpConnEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}}, "tmpappletalk": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "26": {}, "27": {}, "28": {}, "29": {}, "3": {}, "30": {}, "31": {}, "4": {}, "5": {}, "7": {}, "8": {}, "9": {}, }, "tmpdecnet": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "tmpnovell": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "22": {}, "24": {}, "25": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "tmpvines": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "26": {}, "27": {}, "28": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "tmpxns": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "tunnelConfigIfIndex": {}, "tunnelConfigStatus": {}, "tunnelIfAddressType": {}, "tunnelIfEncapsLimit": {}, "tunnelIfEncapsMethod": {}, "tunnelIfFlowLabel": {}, "tunnelIfHopLimit": {}, "tunnelIfLocalAddress": {}, "tunnelIfLocalInetAddress": {}, "tunnelIfRemoteAddress": {}, "tunnelIfRemoteInetAddress": {}, "tunnelIfSecurity": {}, "tunnelIfTOS": {}, "tunnelInetConfigIfIndex": {}, "tunnelInetConfigStatus": {}, "tunnelInetConfigStorageType": {}, "udp": {"1": {}, "2": {}, "3": {}, "4": {}, "8": {}, "9": {}}, "udp.7.1.8": {}, "udpEntry": {"1": {}, "2": {}}, "vinesIfTableEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "26": {}, "27": {}, "28": {}, "29": {}, "3": {}, "30": {}, "31": {}, "32": {}, "33": {}, "34": {}, "35": {}, "36": {}, "37": {}, "38": {}, "39": {}, "4": {}, "40": {}, "41": {}, "42": {}, "43": {}, "44": {}, "45": {}, "46": {}, "47": {}, "48": {}, "49": {}, "5": {}, "50": {}, "51": {}, "52": {}, "53": {}, "54": {}, "55": {}, "56": {}, "57": {}, "58": {}, "59": {}, "6": {}, "60": {}, "61": {}, "62": {}, "63": {}, "64": {}, "65": {}, "66": {}, "67": {}, "68": {}, "69": {}, "70": {}, "71": {}, "72": {}, "73": {}, "74": {}, "75": {}, "76": {}, "77": {}, "78": {}, "79": {}, "8": {}, "80": {}, "81": {}, "82": {}, "83": {}, "9": {}, }, "vrrpAssoIpAddrRowStatus": {}, "vrrpNodeVersion": {}, "vrrpNotificationCntl": {}, "vrrpOperAdminState": {}, "vrrpOperAdvertisementInterval": {}, "vrrpOperAuthKey": {}, "vrrpOperAuthType": {}, "vrrpOperIpAddrCount": {}, "vrrpOperMasterIpAddr": {}, "vrrpOperPreemptMode": {}, "vrrpOperPrimaryIpAddr": {}, "vrrpOperPriority": {}, "vrrpOperProtocol": {}, "vrrpOperRowStatus": {}, "vrrpOperState": {}, "vrrpOperVirtualMacAddr": {}, "vrrpOperVirtualRouterUpTime": {}, "vrrpRouterChecksumErrors": {}, "vrrpRouterVersionErrors": {}, "vrrpRouterVrIdErrors": {}, "vrrpStatsAddressListErrors": {}, "vrrpStatsAdvertiseIntervalErrors": {}, "vrrpStatsAdvertiseRcvd": {}, "vrrpStatsAuthFailures": {}, "vrrpStatsAuthTypeMismatch": {}, "vrrpStatsBecomeMaster": {}, "vrrpStatsInvalidAuthType": {}, "vrrpStatsInvalidTypePktsRcvd": {}, "vrrpStatsIpTtlErrors": {}, "vrrpStatsPacketLengthErrors": {}, "vrrpStatsPriorityZeroPktsRcvd": {}, "vrrpStatsPriorityZeroPktsSent": {}, "vrrpTrapAuthErrorType": {}, "vrrpTrapPacketSrc": {}, "x25": {"6": {}, "7": {}}, "x25AdmnEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "x25CallParmEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "26": {}, "27": {}, "28": {}, "29": {}, "3": {}, "30": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "x25ChannelEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}}, "x25CircuitEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "x25ClearedCircuitEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "2": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "x25OperEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "x25StatEntry": { "1": {}, "10": {}, "11": {}, "12": {}, "13": {}, "14": {}, "15": {}, "16": {}, "17": {}, "18": {}, "19": {}, "2": {}, "20": {}, "21": {}, "22": {}, "23": {}, "24": {}, "25": {}, "3": {}, "4": {}, "5": {}, "6": {}, "7": {}, "8": {}, "9": {}, }, "xdsl2ChAlarmConfProfileRowStatus": {}, "xdsl2ChAlarmConfProfileXtucThresh15MinCodingViolations": {}, "xdsl2ChAlarmConfProfileXtucThresh15MinCorrected": {}, "xdsl2ChAlarmConfProfileXturThresh15MinCodingViolations": {}, "xdsl2ChAlarmConfProfileXturThresh15MinCorrected": {}, "xdsl2ChConfProfDsDataRateDs": {}, "xdsl2ChConfProfDsDataRateUs": {}, "xdsl2ChConfProfImaEnabled": {}, "xdsl2ChConfProfInitPolicy": {}, "xdsl2ChConfProfMaxBerDs": {}, "xdsl2ChConfProfMaxBerUs": {}, "xdsl2ChConfProfMaxDataRateDs": {}, "xdsl2ChConfProfMaxDataRateUs": {}, "xdsl2ChConfProfMaxDelayDs": {}, "xdsl2ChConfProfMaxDelayUs": {}, "xdsl2ChConfProfMaxDelayVar": {}, "xdsl2ChConfProfMinDataRateDs": {}, "xdsl2ChConfProfMinDataRateLowPwrDs": {}, "xdsl2ChConfProfMinDataRateLowPwrUs": {}, "xdsl2ChConfProfMinDataRateUs": {}, "xdsl2ChConfProfMinProtection8Ds": {}, "xdsl2ChConfProfMinProtection8Us": {}, "xdsl2ChConfProfMinProtectionDs": {}, "xdsl2ChConfProfMinProtectionUs": {}, "xdsl2ChConfProfMinResDataRateDs": {}, "xdsl2ChConfProfMinResDataRateUs": {}, "xdsl2ChConfProfRowStatus": {}, "xdsl2ChConfProfUsDataRateDs": {}, "xdsl2ChConfProfUsDataRateUs": {}, "xdsl2ChStatusActDataRate": {}, "xdsl2ChStatusActDelay": {}, "xdsl2ChStatusActInp": {}, "xdsl2ChStatusAtmStatus": {}, "xdsl2ChStatusInpReport": {}, "xdsl2ChStatusIntlvBlock": {}, "xdsl2ChStatusIntlvDepth": {}, "xdsl2ChStatusLPath": {}, "xdsl2ChStatusLSymb": {}, "xdsl2ChStatusNFec": {}, "xdsl2ChStatusPrevDataRate": {}, "xdsl2ChStatusPtmStatus": {}, "xdsl2ChStatusRFec": {}, "xdsl2LAlarmConfTempChan1ConfProfile": {}, "xdsl2LAlarmConfTempChan2ConfProfile": {}, "xdsl2LAlarmConfTempChan3ConfProfile": {}, "xdsl2LAlarmConfTempChan4ConfProfile": {}, "xdsl2LAlarmConfTempLineProfile": {}, "xdsl2LAlarmConfTempRowStatus": {}, "xdsl2LConfProfCeFlag": {}, "xdsl2LConfProfClassMask": {}, "xdsl2LConfProfDpboEPsd": {}, "xdsl2LConfProfDpboEsCableModelA": {}, "xdsl2LConfProfDpboEsCableModelB": {}, "xdsl2LConfProfDpboEsCableModelC": {}, "xdsl2LConfProfDpboEsEL": {}, "xdsl2LConfProfDpboFMax": {}, "xdsl2LConfProfDpboFMin": {}, "xdsl2LConfProfDpboMus": {}, "xdsl2LConfProfForceInp": {}, "xdsl2LConfProfL0Time": {}, "xdsl2LConfProfL2Atpr": {}, "xdsl2LConfProfL2Atprt": {}, "xdsl2LConfProfL2Time": {}, "xdsl2LConfProfLimitMask": {}, "xdsl2LConfProfMaxAggRxPwrUs": {}, "xdsl2LConfProfMaxNomAtpDs": {}, "xdsl2LConfProfMaxNomAtpUs": {}, "xdsl2LConfProfMaxNomPsdDs": {}, "xdsl2LConfProfMaxNomPsdUs": {}, "xdsl2LConfProfMaxSnrmDs": {}, "xdsl2LConfProfMaxSnrmUs": {}, "xdsl2LConfProfMinSnrmDs": {}, "xdsl2LConfProfMinSnrmUs": {}, "xdsl2LConfProfModeSpecBandUsRowStatus": {}, "xdsl2LConfProfModeSpecRowStatus": {}, "xdsl2LConfProfMsgMinDs": {}, "xdsl2LConfProfMsgMinUs": {}, "xdsl2LConfProfPmMode": {}, "xdsl2LConfProfProfiles": {}, "xdsl2LConfProfPsdMaskDs": {}, "xdsl2LConfProfPsdMaskSelectUs": {}, "xdsl2LConfProfPsdMaskUs": {}, "xdsl2LConfProfRaDsNrmDs": {}, "xdsl2LConfProfRaDsNrmUs": {}, "xdsl2LConfProfRaDsTimeDs": {}, "xdsl2LConfProfRaDsTimeUs": {}, "xdsl2LConfProfRaModeDs": {}, "xdsl2LConfProfRaModeUs": {}, "xdsl2LConfProfRaUsNrmDs": {}, "xdsl2LConfProfRaUsNrmUs": {}, "xdsl2LConfProfRaUsTimeDs": {}, "xdsl2LConfProfRaUsTimeUs": {}, "xdsl2LConfProfRfiBands": {}, "xdsl2LConfProfRowStatus": {}, "xdsl2LConfProfScMaskDs": {}, "xdsl2LConfProfScMaskUs": {}, "xdsl2LConfProfSnrModeDs": {}, "xdsl2LConfProfSnrModeUs": {}, "xdsl2LConfProfTargetSnrmDs": {}, "xdsl2LConfProfTargetSnrmUs": {}, "xdsl2LConfProfTxRefVnDs": {}, "xdsl2LConfProfTxRefVnUs": {}, "xdsl2LConfProfUpboKL": {}, "xdsl2LConfProfUpboKLF": {}, "xdsl2LConfProfUpboPsdA": {}, "xdsl2LConfProfUpboPsdB": {}, "xdsl2LConfProfUs0Disable": {}, "xdsl2LConfProfUs0Mask": {}, "xdsl2LConfProfVdsl2CarMask": {}, "xdsl2LConfProfXtuTransSysEna": {}, "xdsl2LConfTempChan1ConfProfile": {}, "xdsl2LConfTempChan1RaRatioDs": {}, "xdsl2LConfTempChan1RaRatioUs": {}, "xdsl2LConfTempChan2ConfProfile": {}, "xdsl2LConfTempChan2RaRatioDs": {}, "xdsl2LConfTempChan2RaRatioUs": {}, "xdsl2LConfTempChan3ConfProfile": {}, "xdsl2LConfTempChan3RaRatioDs": {}, "xdsl2LConfTempChan3RaRatioUs": {}, "xdsl2LConfTempChan4ConfProfile": {}, "xdsl2LConfTempChan4RaRatioDs": {}, "xdsl2LConfTempChan4RaRatioUs": {}, "xdsl2LConfTempLineProfile": {}, "xdsl2LConfTempRowStatus": {}, "xdsl2LInvG994VendorId": {}, "xdsl2LInvSelfTestResult": {}, "xdsl2LInvSerialNumber": {}, "xdsl2LInvSystemVendorId": {}, "xdsl2LInvTransmissionCapabilities": {}, "xdsl2LInvVersionNumber": {}, "xdsl2LineAlarmConfProfileRowStatus": {}, "xdsl2LineAlarmConfProfileThresh15MinFailedFullInt": {}, "xdsl2LineAlarmConfProfileThresh15MinFailedShrtInt": {}, "xdsl2LineAlarmConfProfileXtucThresh15MinEs": {}, "xdsl2LineAlarmConfProfileXtucThresh15MinFecs": {}, "xdsl2LineAlarmConfProfileXtucThresh15MinLoss": {}, "xdsl2LineAlarmConfProfileXtucThresh15MinSes": {}, "xdsl2LineAlarmConfProfileXtucThresh15MinUas": {}, "xdsl2LineAlarmConfProfileXturThresh15MinEs": {}, "xdsl2LineAlarmConfProfileXturThresh15MinFecs": {}, "xdsl2LineAlarmConfProfileXturThresh15MinLoss": {}, "xdsl2LineAlarmConfProfileXturThresh15MinSes": {}, "xdsl2LineAlarmConfProfileXturThresh15MinUas": {}, "xdsl2LineAlarmConfTemplate": {}, "xdsl2LineBandStatusLnAtten": {}, "xdsl2LineBandStatusSigAtten": {}, "xdsl2LineBandStatusSnrMargin": {}, "xdsl2LineCmndAutomodeColdStart": {}, "xdsl2LineCmndConfBpsc": {}, "xdsl2LineCmndConfBpscFailReason": {}, "xdsl2LineCmndConfBpscRequests": {}, "xdsl2LineCmndConfLdsf": {}, "xdsl2LineCmndConfLdsfFailReason": {}, "xdsl2LineCmndConfPmsf": {}, "xdsl2LineCmndConfReset": {}, "xdsl2LineConfFallbackTemplate": {}, "xdsl2LineConfTemplate": {}, "xdsl2LineSegmentBitsAlloc": {}, "xdsl2LineSegmentRowStatus": {}, "xdsl2LineStatusActAtpDs": {}, "xdsl2LineStatusActAtpUs": {}, "xdsl2LineStatusActLimitMask": {}, "xdsl2LineStatusActProfile": {}, "xdsl2LineStatusActPsdDs": {}, "xdsl2LineStatusActPsdUs": {}, "xdsl2LineStatusActSnrModeDs": {}, "xdsl2LineStatusActSnrModeUs": {}, "xdsl2LineStatusActTemplate": {}, "xdsl2LineStatusActUs0Mask": {}, "xdsl2LineStatusActualCe": {}, "xdsl2LineStatusAttainableRateDs": {}, "xdsl2LineStatusAttainableRateUs": {}, "xdsl2LineStatusElectricalLength": {}, "xdsl2LineStatusInitResult": {}, "xdsl2LineStatusLastStateDs": {}, "xdsl2LineStatusLastStateUs": {}, "xdsl2LineStatusMrefPsdDs": {}, "xdsl2LineStatusMrefPsdUs": {}, "xdsl2LineStatusPwrMngState": {}, "xdsl2LineStatusTrellisDs": {}, "xdsl2LineStatusTrellisUs": {}, "xdsl2LineStatusTssiDs": {}, "xdsl2LineStatusTssiUs": {}, "xdsl2LineStatusXtuTransSys": {}, "xdsl2LineStatusXtuc": {}, "xdsl2LineStatusXtur": {}, "xdsl2PMChCurr15MCodingViolations": {}, "xdsl2PMChCurr15MCorrectedBlocks": {}, "xdsl2PMChCurr15MInvalidIntervals": {}, "xdsl2PMChCurr15MTimeElapsed": {}, "xdsl2PMChCurr15MValidIntervals": {}, "xdsl2PMChCurr1DayCodingViolations": {}, "xdsl2PMChCurr1DayCorrectedBlocks": {}, "xdsl2PMChCurr1DayInvalidIntervals": {}, "xdsl2PMChCurr1DayTimeElapsed": {}, "xdsl2PMChCurr1DayValidIntervals": {}, "xdsl2PMChHist15MCodingViolations": {}, "xdsl2PMChHist15MCorrectedBlocks": {}, "xdsl2PMChHist15MMonitoredTime": {}, "xdsl2PMChHist15MValidInterval": {}, "xdsl2PMChHist1DCodingViolations": {}, "xdsl2PMChHist1DCorrectedBlocks": {}, "xdsl2PMChHist1DMonitoredTime": {}, "xdsl2PMChHist1DValidInterval": {}, "xdsl2PMLCurr15MEs": {}, "xdsl2PMLCurr15MFecs": {}, "xdsl2PMLCurr15MInvalidIntervals": {}, "xdsl2PMLCurr15MLoss": {}, "xdsl2PMLCurr15MSes": {}, "xdsl2PMLCurr15MTimeElapsed": {}, "xdsl2PMLCurr15MUas": {}, "xdsl2PMLCurr15MValidIntervals": {}, "xdsl2PMLCurr1DayEs": {}, "xdsl2PMLCurr1DayFecs": {}, "xdsl2PMLCurr1DayInvalidIntervals": {}, "xdsl2PMLCurr1DayLoss": {}, "xdsl2PMLCurr1DaySes": {}, "xdsl2PMLCurr1DayTimeElapsed": {}, "xdsl2PMLCurr1DayUas": {}, "xdsl2PMLCurr1DayValidIntervals": {}, "xdsl2PMLHist15MEs": {}, "xdsl2PMLHist15MFecs": {}, "xdsl2PMLHist15MLoss": {}, "xdsl2PMLHist15MMonitoredTime": {}, "xdsl2PMLHist15MSes": {}, "xdsl2PMLHist15MUas": {}, "xdsl2PMLHist15MValidInterval": {}, "xdsl2PMLHist1DEs": {}, "xdsl2PMLHist1DFecs": {}, "xdsl2PMLHist1DLoss": {}, "xdsl2PMLHist1DMonitoredTime": {}, "xdsl2PMLHist1DSes": {}, "xdsl2PMLHist1DUas": {}, "xdsl2PMLHist1DValidInterval": {}, "xdsl2PMLInitCurr15MFailedFullInits": {}, "xdsl2PMLInitCurr15MFailedShortInits": {}, "xdsl2PMLInitCurr15MFullInits": {}, "xdsl2PMLInitCurr15MInvalidIntervals": {}, "xdsl2PMLInitCurr15MShortInits": {}, "xdsl2PMLInitCurr15MTimeElapsed": {}, "xdsl2PMLInitCurr15MValidIntervals": {}, "xdsl2PMLInitCurr1DayFailedFullInits": {}, "xdsl2PMLInitCurr1DayFailedShortInits": {}, "xdsl2PMLInitCurr1DayFullInits": {}, "xdsl2PMLInitCurr1DayInvalidIntervals": {}, "xdsl2PMLInitCurr1DayShortInits": {}, "xdsl2PMLInitCurr1DayTimeElapsed": {}, "xdsl2PMLInitCurr1DayValidIntervals": {}, "xdsl2PMLInitHist15MFailedFullInits": {}, "xdsl2PMLInitHist15MFailedShortInits": {}, "xdsl2PMLInitHist15MFullInits": {}, "xdsl2PMLInitHist15MMonitoredTime": {}, "xdsl2PMLInitHist15MShortInits": {}, "xdsl2PMLInitHist15MValidInterval": {}, "xdsl2PMLInitHist1DFailedFullInits": {}, "xdsl2PMLInitHist1DFailedShortInits": {}, "xdsl2PMLInitHist1DFullInits": {}, "xdsl2PMLInitHist1DMonitoredTime": {}, "xdsl2PMLInitHist1DShortInits": {}, "xdsl2PMLInitHist1DValidInterval": {}, "xdsl2SCStatusAttainableRate": {}, "xdsl2SCStatusBandLnAtten": {}, "xdsl2SCStatusBandSigAtten": {}, "xdsl2SCStatusLinScGroupSize": {}, "xdsl2SCStatusLinScale": {}, "xdsl2SCStatusLogMt": {}, "xdsl2SCStatusLogScGroupSize": {}, "xdsl2SCStatusQlnMt": {}, "xdsl2SCStatusQlnScGroupSize": {}, "xdsl2SCStatusRowStatus": {}, "xdsl2SCStatusSegmentBitsAlloc": {}, "xdsl2SCStatusSegmentGainAlloc": {}, "xdsl2SCStatusSegmentLinImg": {}, "xdsl2SCStatusSegmentLinReal": {}, "xdsl2SCStatusSegmentLog": {}, "xdsl2SCStatusSegmentQln": {}, "xdsl2SCStatusSegmentSnr": {}, "xdsl2SCStatusSnrMtime": {}, "xdsl2SCStatusSnrScGroupSize": {}, "xdsl2ScalarSCAvailInterfaces": {}, "xdsl2ScalarSCMaxInterfaces": {}, "zipEntry": {"1": {}, "2": {}, "3": {}, "4": {}, "5": {}}, }
expected_output = {'aal5VccEntry': {'3': {}, '4': {}, '5': {}}, 'aarpEntry': {'1': {}, '2': {}, '3': {}}, 'adslAtucChanConfFastMaxTxRate': {}, 'adslAtucChanConfFastMinTxRate': {}, 'adslAtucChanConfInterleaveMaxTxRate': {}, 'adslAtucChanConfInterleaveMinTxRate': {}, 'adslAtucChanConfMaxInterleaveDelay': {}, 'adslAtucChanCorrectedBlks': {}, 'adslAtucChanCrcBlockLength': {}, 'adslAtucChanCurrTxRate': {}, 'adslAtucChanInterleaveDelay': {}, 'adslAtucChanIntervalCorrectedBlks': {}, 'adslAtucChanIntervalReceivedBlks': {}, 'adslAtucChanIntervalTransmittedBlks': {}, 'adslAtucChanIntervalUncorrectBlks': {}, 'adslAtucChanIntervalValidData': {}, 'adslAtucChanPerfCurr15MinCorrectedBlks': {}, 'adslAtucChanPerfCurr15MinReceivedBlks': {}, 'adslAtucChanPerfCurr15MinTimeElapsed': {}, 'adslAtucChanPerfCurr15MinTransmittedBlks': {}, 'adslAtucChanPerfCurr15MinUncorrectBlks': {}, 'adslAtucChanPerfCurr1DayCorrectedBlks': {}, 'adslAtucChanPerfCurr1DayReceivedBlks': {}, 'adslAtucChanPerfCurr1DayTimeElapsed': {}, 'adslAtucChanPerfCurr1DayTransmittedBlks': {}, 'adslAtucChanPerfCurr1DayUncorrectBlks': {}, 'adslAtucChanPerfInvalidIntervals': {}, 'adslAtucChanPerfPrev1DayCorrectedBlks': {}, 'adslAtucChanPerfPrev1DayMoniSecs': {}, 'adslAtucChanPerfPrev1DayReceivedBlks': {}, 'adslAtucChanPerfPrev1DayTransmittedBlks': {}, 'adslAtucChanPerfPrev1DayUncorrectBlks': {}, 'adslAtucChanPerfValidIntervals': {}, 'adslAtucChanPrevTxRate': {}, 'adslAtucChanReceivedBlks': {}, 'adslAtucChanTransmittedBlks': {}, 'adslAtucChanUncorrectBlks': {}, 'adslAtucConfDownshiftSnrMgn': {}, 'adslAtucConfMaxSnrMgn': {}, 'adslAtucConfMinDownshiftTime': {}, 'adslAtucConfMinSnrMgn': {}, 'adslAtucConfMinUpshiftTime': {}, 'adslAtucConfRateChanRatio': {}, 'adslAtucConfRateMode': {}, 'adslAtucConfTargetSnrMgn': {}, 'adslAtucConfUpshiftSnrMgn': {}, 'adslAtucCurrAtn': {}, 'adslAtucCurrAttainableRate': {}, 'adslAtucCurrOutputPwr': {}, 'adslAtucCurrSnrMgn': {}, 'adslAtucCurrStatus': {}, 'adslAtucDmtConfFastPath': {}, 'adslAtucDmtConfFreqBins': {}, 'adslAtucDmtConfInterleavePath': {}, 'adslAtucDmtFastPath': {}, 'adslAtucDmtInterleavePath': {}, 'adslAtucDmtIssue': {}, 'adslAtucDmtState': {}, 'adslAtucInitFailureTrapEnable': {}, 'adslAtucIntervalESs': {}, 'adslAtucIntervalInits': {}, 'adslAtucIntervalLofs': {}, 'adslAtucIntervalLols': {}, 'adslAtucIntervalLoss': {}, 'adslAtucIntervalLprs': {}, 'adslAtucIntervalValidData': {}, 'adslAtucInvSerialNumber': {}, 'adslAtucInvVendorID': {}, 'adslAtucInvVersionNumber': {}, 'adslAtucPerfCurr15MinESs': {}, 'adslAtucPerfCurr15MinInits': {}, 'adslAtucPerfCurr15MinLofs': {}, 'adslAtucPerfCurr15MinLols': {}, 'adslAtucPerfCurr15MinLoss': {}, 'adslAtucPerfCurr15MinLprs': {}, 'adslAtucPerfCurr15MinTimeElapsed': {}, 'adslAtucPerfCurr1DayESs': {}, 'adslAtucPerfCurr1DayInits': {}, 'adslAtucPerfCurr1DayLofs': {}, 'adslAtucPerfCurr1DayLols': {}, 'adslAtucPerfCurr1DayLoss': {}, 'adslAtucPerfCurr1DayLprs': {}, 'adslAtucPerfCurr1DayTimeElapsed': {}, 'adslAtucPerfESs': {}, 'adslAtucPerfInits': {}, 'adslAtucPerfInvalidIntervals': {}, 'adslAtucPerfLofs': {}, 'adslAtucPerfLols': {}, 'adslAtucPerfLoss': {}, 'adslAtucPerfLprs': {}, 'adslAtucPerfPrev1DayESs': {}, 'adslAtucPerfPrev1DayInits': {}, 'adslAtucPerfPrev1DayLofs': {}, 'adslAtucPerfPrev1DayLols': {}, 'adslAtucPerfPrev1DayLoss': {}, 'adslAtucPerfPrev1DayLprs': {}, 'adslAtucPerfPrev1DayMoniSecs': {}, 'adslAtucPerfValidIntervals': {}, 'adslAtucThresh15MinESs': {}, 'adslAtucThresh15MinLofs': {}, 'adslAtucThresh15MinLols': {}, 'adslAtucThresh15MinLoss': {}, 'adslAtucThresh15MinLprs': {}, 'adslAtucThreshFastRateDown': {}, 'adslAtucThreshFastRateUp': {}, 'adslAtucThreshInterleaveRateDown': {}, 'adslAtucThreshInterleaveRateUp': {}, 'adslAturChanConfFastMaxTxRate': {}, 'adslAturChanConfFastMinTxRate': {}, 'adslAturChanConfInterleaveMaxTxRate': {}, 'adslAturChanConfInterleaveMinTxRate': {}, 'adslAturChanConfMaxInterleaveDelay': {}, 'adslAturChanCorrectedBlks': {}, 'adslAturChanCrcBlockLength': {}, 'adslAturChanCurrTxRate': {}, 'adslAturChanInterleaveDelay': {}, 'adslAturChanIntervalCorrectedBlks': {}, 'adslAturChanIntervalReceivedBlks': {}, 'adslAturChanIntervalTransmittedBlks': {}, 'adslAturChanIntervalUncorrectBlks': {}, 'adslAturChanIntervalValidData': {}, 'adslAturChanPerfCurr15MinCorrectedBlks': {}, 'adslAturChanPerfCurr15MinReceivedBlks': {}, 'adslAturChanPerfCurr15MinTimeElapsed': {}, 'adslAturChanPerfCurr15MinTransmittedBlks': {}, 'adslAturChanPerfCurr15MinUncorrectBlks': {}, 'adslAturChanPerfCurr1DayCorrectedBlks': {}, 'adslAturChanPerfCurr1DayReceivedBlks': {}, 'adslAturChanPerfCurr1DayTimeElapsed': {}, 'adslAturChanPerfCurr1DayTransmittedBlks': {}, 'adslAturChanPerfCurr1DayUncorrectBlks': {}, 'adslAturChanPerfInvalidIntervals': {}, 'adslAturChanPerfPrev1DayCorrectedBlks': {}, 'adslAturChanPerfPrev1DayMoniSecs': {}, 'adslAturChanPerfPrev1DayReceivedBlks': {}, 'adslAturChanPerfPrev1DayTransmittedBlks': {}, 'adslAturChanPerfPrev1DayUncorrectBlks': {}, 'adslAturChanPerfValidIntervals': {}, 'adslAturChanPrevTxRate': {}, 'adslAturChanReceivedBlks': {}, 'adslAturChanTransmittedBlks': {}, 'adslAturChanUncorrectBlks': {}, 'adslAturConfDownshiftSnrMgn': {}, 'adslAturConfMaxSnrMgn': {}, 'adslAturConfMinDownshiftTime': {}, 'adslAturConfMinSnrMgn': {}, 'adslAturConfMinUpshiftTime': {}, 'adslAturConfRateChanRatio': {}, 'adslAturConfRateMode': {}, 'adslAturConfTargetSnrMgn': {}, 'adslAturConfUpshiftSnrMgn': {}, 'adslAturCurrAtn': {}, 'adslAturCurrAttainableRate': {}, 'adslAturCurrOutputPwr': {}, 'adslAturCurrSnrMgn': {}, 'adslAturCurrStatus': {}, 'adslAturDmtConfFastPath': {}, 'adslAturDmtConfFreqBins': {}, 'adslAturDmtConfInterleavePath': {}, 'adslAturDmtFastPath': {}, 'adslAturDmtInterleavePath': {}, 'adslAturDmtIssue': {}, 'adslAturDmtState': {}, 'adslAturIntervalESs': {}, 'adslAturIntervalLofs': {}, 'adslAturIntervalLoss': {}, 'adslAturIntervalLprs': {}, 'adslAturIntervalValidData': {}, 'adslAturInvSerialNumber': {}, 'adslAturInvVendorID': {}, 'adslAturInvVersionNumber': {}, 'adslAturPerfCurr15MinESs': {}, 'adslAturPerfCurr15MinLofs': {}, 'adslAturPerfCurr15MinLoss': {}, 'adslAturPerfCurr15MinLprs': {}, 'adslAturPerfCurr15MinTimeElapsed': {}, 'adslAturPerfCurr1DayESs': {}, 'adslAturPerfCurr1DayLofs': {}, 'adslAturPerfCurr1DayLoss': {}, 'adslAturPerfCurr1DayLprs': {}, 'adslAturPerfCurr1DayTimeElapsed': {}, 'adslAturPerfESs': {}, 'adslAturPerfInvalidIntervals': {}, 'adslAturPerfLofs': {}, 'adslAturPerfLoss': {}, 'adslAturPerfLprs': {}, 'adslAturPerfPrev1DayESs': {}, 'adslAturPerfPrev1DayLofs': {}, 'adslAturPerfPrev1DayLoss': {}, 'adslAturPerfPrev1DayLprs': {}, 'adslAturPerfPrev1DayMoniSecs': {}, 'adslAturPerfValidIntervals': {}, 'adslAturThresh15MinESs': {}, 'adslAturThresh15MinLofs': {}, 'adslAturThresh15MinLoss': {}, 'adslAturThresh15MinLprs': {}, 'adslAturThreshFastRateDown': {}, 'adslAturThreshFastRateUp': {}, 'adslAturThreshInterleaveRateDown': {}, 'adslAturThreshInterleaveRateUp': {}, 'adslLineAlarmConfProfile': {}, 'adslLineAlarmConfProfileRowStatus': {}, 'adslLineCoding': {}, 'adslLineConfProfile': {}, 'adslLineConfProfileRowStatus': {}, 'adslLineDmtConfEOC': {}, 'adslLineDmtConfMode': {}, 'adslLineDmtConfTrellis': {}, 'adslLineDmtEOC': {}, 'adslLineDmtTrellis': {}, 'adslLineSpecific': {}, 'adslLineType': {}, 'alarmEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'alpsAscuA1': {}, 'alpsAscuA2': {}, 'alpsAscuAlarmsEnabled': {}, 'alpsAscuCktName': {}, 'alpsAscuDownReason': {}, 'alpsAscuDropsAscuDisabled': {}, 'alpsAscuDropsAscuDown': {}, 'alpsAscuDropsGarbledPkts': {}, 'alpsAscuEnabled': {}, 'alpsAscuEntry': {'20': {}}, 'alpsAscuFwdStatusOption': {}, 'alpsAscuInOctets': {}, 'alpsAscuInPackets': {}, 'alpsAscuMaxMsgLength': {}, 'alpsAscuOutOctets': {}, 'alpsAscuOutPackets': {}, 'alpsAscuRetryOption': {}, 'alpsAscuRowStatus': {}, 'alpsAscuState': {}, 'alpsCktAscuId': {}, 'alpsCktAscuIfIndex': {}, 'alpsCktAscuStatus': {}, 'alpsCktBaseAlarmsEnabled': {}, 'alpsCktBaseConnType': {}, 'alpsCktBaseCurrPeerConnId': {}, 'alpsCktBaseCurrentPeer': {}, 'alpsCktBaseDownReason': {}, 'alpsCktBaseDropsCktDisabled': {}, 'alpsCktBaseDropsLifeTimeExpd': {}, 'alpsCktBaseDropsQOverflow': {}, 'alpsCktBaseEnabled': {}, 'alpsCktBaseHostLinkNumber': {}, 'alpsCktBaseHostLinkType': {}, 'alpsCktBaseInOctets': {}, 'alpsCktBaseInPackets': {}, 'alpsCktBaseLifeTimeTimer': {}, 'alpsCktBaseLocalHld': {}, 'alpsCktBaseNumActiveAscus': {}, 'alpsCktBaseOutOctets': {}, 'alpsCktBaseOutPackets': {}, 'alpsCktBasePriPeerAddr': {}, 'alpsCktBaseRemHld': {}, 'alpsCktBaseRowStatus': {}, 'alpsCktBaseState': {}, 'alpsCktP1024Ax25LCN': {}, 'alpsCktP1024BackupPeerAddr': {}, 'alpsCktP1024DropsUnkAscu': {}, 'alpsCktP1024EmtoxX121': {}, 'alpsCktP1024IdleTimer': {}, 'alpsCktP1024InPktSize': {}, 'alpsCktP1024MatipCloseDelay': {}, 'alpsCktP1024OutPktSize': {}, 'alpsCktP1024RetryTimer': {}, 'alpsCktP1024RowStatus': {}, 'alpsCktP1024SvcMsgIntvl': {}, 'alpsCktP1024SvcMsgList': {}, 'alpsCktP1024WinIn': {}, 'alpsCktP1024WinOut': {}, 'alpsCktX25DropsVcReset': {}, 'alpsCktX25HostX121': {}, 'alpsCktX25IfIndex': {}, 'alpsCktX25LCN': {}, 'alpsCktX25RemoteX121': {}, 'alpsIfHLinkActiveCkts': {}, 'alpsIfHLinkAx25PvcDamp': {}, 'alpsIfHLinkEmtoxHostX121': {}, 'alpsIfHLinkX25ProtocolType': {}, 'alpsIfP1024CurrErrCnt': {}, 'alpsIfP1024EncapType': {}, 'alpsIfP1024Entry': {'11': {}, '12': {}, '13': {}}, 'alpsIfP1024GATimeout': {}, 'alpsIfP1024MaxErrCnt': {}, 'alpsIfP1024MaxRetrans': {}, 'alpsIfP1024MinGoodPollResp': {}, 'alpsIfP1024NumAscus': {}, 'alpsIfP1024PollPauseTimeout': {}, 'alpsIfP1024PollRespTimeout': {}, 'alpsIfP1024PollingRatio': {}, 'alpsIpAddress': {}, 'alpsPeerInCallsAcceptFlag': {}, 'alpsPeerKeepaliveMaxRetries': {}, 'alpsPeerKeepaliveTimeout': {}, 'alpsPeerLocalAtpPort': {}, 'alpsPeerLocalIpAddr': {}, 'alpsRemPeerAlarmsEnabled': {}, 'alpsRemPeerCfgActivation': {}, 'alpsRemPeerCfgAlarmsOn': {}, 'alpsRemPeerCfgIdleTimer': {}, 'alpsRemPeerCfgNoCircTimer': {}, 'alpsRemPeerCfgRowStatus': {}, 'alpsRemPeerCfgStatIntvl': {}, 'alpsRemPeerCfgStatRetry': {}, 'alpsRemPeerCfgTCPQLen': {}, 'alpsRemPeerConnActivation': {}, 'alpsRemPeerConnAlarmsOn': {}, 'alpsRemPeerConnCreation': {}, 'alpsRemPeerConnDownReason': {}, 'alpsRemPeerConnDropsGiant': {}, 'alpsRemPeerConnDropsQFull': {}, 'alpsRemPeerConnDropsUnreach': {}, 'alpsRemPeerConnDropsVersion': {}, 'alpsRemPeerConnForeignPort': {}, 'alpsRemPeerConnIdleTimer': {}, 'alpsRemPeerConnInOctets': {}, 'alpsRemPeerConnInPackets': {}, 'alpsRemPeerConnLastRxAny': {}, 'alpsRemPeerConnLastTxRx': {}, 'alpsRemPeerConnLocalPort': {}, 'alpsRemPeerConnNoCircTimer': {}, 'alpsRemPeerConnNumActCirc': {}, 'alpsRemPeerConnOutOctets': {}, 'alpsRemPeerConnOutPackets': {}, 'alpsRemPeerConnProtocol': {}, 'alpsRemPeerConnStatIntvl': {}, 'alpsRemPeerConnStatRetry': {}, 'alpsRemPeerConnState': {}, 'alpsRemPeerConnTCPQLen': {}, 'alpsRemPeerConnType': {}, 'alpsRemPeerConnUptime': {}, 'alpsRemPeerDropsGiant': {}, 'alpsRemPeerDropsPeerUnreach': {}, 'alpsRemPeerDropsQFull': {}, 'alpsRemPeerIdleTimer': {}, 'alpsRemPeerInOctets': {}, 'alpsRemPeerInPackets': {}, 'alpsRemPeerLocalPort': {}, 'alpsRemPeerNumActiveCkts': {}, 'alpsRemPeerOutOctets': {}, 'alpsRemPeerOutPackets': {}, 'alpsRemPeerRemotePort': {}, 'alpsRemPeerRowStatus': {}, 'alpsRemPeerState': {}, 'alpsRemPeerTCPQlen': {}, 'alpsRemPeerUptime': {}, 'alpsSvcMsg': {}, 'alpsSvcMsgRowStatus': {}, 'alpsX121ToIpTransRowStatus': {}, 'atEntry': {'1': {}, '2': {}, '3': {}}, 'atecho': {'1': {}, '2': {}}, 'atmCurrentlyFailingPVclTimeStamp': {}, 'atmForumUni.10.1.1.1': {}, 'atmForumUni.10.1.1.10': {}, 'atmForumUni.10.1.1.11': {}, 'atmForumUni.10.1.1.2': {}, 'atmForumUni.10.1.1.3': {}, 'atmForumUni.10.1.1.4': {}, 'atmForumUni.10.1.1.5': {}, 'atmForumUni.10.1.1.6': {}, 'atmForumUni.10.1.1.7': {}, 'atmForumUni.10.1.1.8': {}, 'atmForumUni.10.1.1.9': {}, 'atmForumUni.10.144.1.1': {}, 'atmForumUni.10.144.1.2': {}, 'atmForumUni.10.100.1.1': {}, 'atmForumUni.10.100.1.10': {}, 'atmForumUni.10.100.1.2': {}, 'atmForumUni.10.100.1.3': {}, 'atmForumUni.10.100.1.4': {}, 'atmForumUni.10.100.1.5': {}, 'atmForumUni.10.100.1.6': {}, 'atmForumUni.10.100.1.7': {}, 'atmForumUni.10.100.1.8': {}, 'atmForumUni.10.100.1.9': {}, 'atmInterfaceConfEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'atmIntfCurrentlyDownToUpPVcls': {}, 'atmIntfCurrentlyFailingPVcls': {}, 'atmIntfCurrentlyOAMFailingPVcls': {}, 'atmIntfOAMFailedPVcls': {}, 'atmIntfPvcFailures': {}, 'atmIntfPvcFailuresTrapEnable': {}, 'atmIntfPvcNotificationInterval': {}, 'atmPVclHigherRangeValue': {}, 'atmPVclLowerRangeValue': {}, 'atmPVclRangeStatusChangeEnd': {}, 'atmPVclRangeStatusChangeStart': {}, 'atmPVclStatusChangeEnd': {}, 'atmPVclStatusChangeStart': {}, 'atmPVclStatusTransition': {}, 'atmPreviouslyFailedPVclInterval': {}, 'atmPreviouslyFailedPVclTimeStamp': {}, 'atmTrafficDescrParamEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'atmVclEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'atmVplEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'atmfAddressEntry': {'3': {}, '4': {}}, 'atmfAtmLayerEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'atmfAtmStatsEntry': {'1': {}, '2': {}, '3': {}, '4': {}}, 'atmfNetPrefixEntry': {'3': {}}, 'atmfPhysicalGroup': {'2': {}, '4': {}}, 'atmfPortEntry': {'1': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'atmfVccEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '23': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'atmfVpcEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'atportEntry': {'1': {}, '10': {}, '11': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'bcpConfigEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'bcpOperEntry': {'1': {}}, 'bgp4PathAttrASPathSegment': {}, 'bgp4PathAttrAggregatorAS': {}, 'bgp4PathAttrAggregatorAddr': {}, 'bgp4PathAttrAtomicAggregate': {}, 'bgp4PathAttrBest': {}, 'bgp4PathAttrCalcLocalPref': {}, 'bgp4PathAttrIpAddrPrefix': {}, 'bgp4PathAttrIpAddrPrefixLen': {}, 'bgp4PathAttrLocalPref': {}, 'bgp4PathAttrMultiExitDisc': {}, 'bgp4PathAttrNextHop': {}, 'bgp4PathAttrOrigin': {}, 'bgp4PathAttrPeer': {}, 'bgp4PathAttrUnknown': {}, 'bgpIdentifier': {}, 'bgpLocalAs': {}, 'bgpPeerAdminStatus': {}, 'bgpPeerConnectRetryInterval': {}, 'bgpPeerEntry': {'14': {}, '2': {}}, 'bgpPeerFsmEstablishedTime': {}, 'bgpPeerFsmEstablishedTransitions': {}, 'bgpPeerHoldTime': {}, 'bgpPeerHoldTimeConfigured': {}, 'bgpPeerIdentifier': {}, 'bgpPeerInTotalMessages': {}, 'bgpPeerInUpdateElapsedTime': {}, 'bgpPeerInUpdates': {}, 'bgpPeerKeepAlive': {}, 'bgpPeerKeepAliveConfigured': {}, 'bgpPeerLocalAddr': {}, 'bgpPeerLocalPort': {}, 'bgpPeerMinASOriginationInterval': {}, 'bgpPeerMinRouteAdvertisementInterval': {}, 'bgpPeerNegotiatedVersion': {}, 'bgpPeerOutTotalMessages': {}, 'bgpPeerOutUpdates': {}, 'bgpPeerRemoteAddr': {}, 'bgpPeerRemoteAs': {}, 'bgpPeerRemotePort': {}, 'bgpVersion': {}, 'bscCUEntry': {'10': {}, '11': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'bscExtAddressEntry': {'2': {}}, 'bscPortEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'bstunGlobal': {'1': {}, '2': {}, '3': {}, '4': {}}, 'bstunGroupEntry': {'2': {}, '3': {}, '4': {}, '5': {}}, 'bstunPortEntry': {'1': {}, '2': {}, '3': {}, '4': {}}, 'bstunRouteEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cAal5VccEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cBootpHCCountDropNotServingSubnet': {}, 'cBootpHCCountDropUnknownClients': {}, 'cBootpHCCountInvalids': {}, 'cBootpHCCountReplies': {}, 'cBootpHCCountRequests': {}, 'cCallHistoryEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cCallHistoryIecEntry': {'2': {}}, 'cContextMappingEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}}, 'cContextMappingMIBObjects.2.1.1': {}, 'cContextMappingMIBObjects.2.1.2': {}, 'cContextMappingMIBObjects.2.1.3': {}, 'cDhcpv4HCCountAcks': {}, 'cDhcpv4HCCountDeclines': {}, 'cDhcpv4HCCountDiscovers': {}, 'cDhcpv4HCCountDropNotServingSubnet': {}, 'cDhcpv4HCCountDropUnknownClient': {}, 'cDhcpv4HCCountForcedRenews': {}, 'cDhcpv4HCCountInforms': {}, 'cDhcpv4HCCountInvalids': {}, 'cDhcpv4HCCountNaks': {}, 'cDhcpv4HCCountOffers': {}, 'cDhcpv4HCCountReleases': {}, 'cDhcpv4HCCountRequests': {}, 'cDhcpv4ServerClientAllowedProtocol': {}, 'cDhcpv4ServerClientClientId': {}, 'cDhcpv4ServerClientDomainName': {}, 'cDhcpv4ServerClientHostName': {}, 'cDhcpv4ServerClientLeaseType': {}, 'cDhcpv4ServerClientPhysicalAddress': {}, 'cDhcpv4ServerClientRange': {}, 'cDhcpv4ServerClientServedProtocol': {}, 'cDhcpv4ServerClientSubnetMask': {}, 'cDhcpv4ServerClientTimeRemaining': {}, 'cDhcpv4ServerDefaultRouterAddress': {}, 'cDhcpv4ServerIfLeaseLimit': {}, 'cDhcpv4ServerRangeInUse': {}, 'cDhcpv4ServerRangeOutstandingOffers': {}, 'cDhcpv4ServerRangeSubnetMask': {}, 'cDhcpv4ServerSharedNetFreeAddrHighThreshold': {}, 'cDhcpv4ServerSharedNetFreeAddrLowThreshold': {}, 'cDhcpv4ServerSharedNetFreeAddresses': {}, 'cDhcpv4ServerSharedNetReservedAddresses': {}, 'cDhcpv4ServerSharedNetTotalAddresses': {}, 'cDhcpv4ServerSubnetEndAddress': {}, 'cDhcpv4ServerSubnetFreeAddrHighThreshold': {}, 'cDhcpv4ServerSubnetFreeAddrLowThreshold': {}, 'cDhcpv4ServerSubnetFreeAddresses': {}, 'cDhcpv4ServerSubnetMask': {}, 'cDhcpv4ServerSubnetSharedNetworkName': {}, 'cDhcpv4ServerSubnetStartAddress': {}, 'cDhcpv4SrvSystemDescr': {}, 'cDhcpv4SrvSystemObjectID': {}, 'cEigrpAcksRcvd': {}, 'cEigrpAcksSent': {}, 'cEigrpAcksSuppressed': {}, 'cEigrpActive': {}, 'cEigrpAsRouterId': {}, 'cEigrpAsRouterIdType': {}, 'cEigrpAuthKeyChain': {}, 'cEigrpAuthMode': {}, 'cEigrpCRpkts': {}, 'cEigrpDestSuccessors': {}, 'cEigrpDistance': {}, 'cEigrpFdistance': {}, 'cEigrpHeadSerial': {}, 'cEigrpHelloInterval': {}, 'cEigrpHellosRcvd': {}, 'cEigrpHellosSent': {}, 'cEigrpHoldTime': {}, 'cEigrpInputQDrops': {}, 'cEigrpInputQHighMark': {}, 'cEigrpLastSeq': {}, 'cEigrpMFlowTimer': {}, 'cEigrpMcastExcepts': {}, 'cEigrpMeanSrtt': {}, 'cEigrpNbrCount': {}, 'cEigrpNextHopAddress': {}, 'cEigrpNextHopAddressType': {}, 'cEigrpNextHopInterface': {}, 'cEigrpNextSerial': {}, 'cEigrpOOSrvcd': {}, 'cEigrpPacingReliable': {}, 'cEigrpPacingUnreliable': {}, 'cEigrpPeerAddr': {}, 'cEigrpPeerAddrType': {}, 'cEigrpPeerCount': {}, 'cEigrpPeerIfIndex': {}, 'cEigrpPendingRoutes': {}, 'cEigrpPktsEnqueued': {}, 'cEigrpQueriesRcvd': {}, 'cEigrpQueriesSent': {}, 'cEigrpRMcasts': {}, 'cEigrpRUcasts': {}, 'cEigrpRepliesRcvd': {}, 'cEigrpRepliesSent': {}, 'cEigrpReportDistance': {}, 'cEigrpRetrans': {}, 'cEigrpRetransSent': {}, 'cEigrpRetries': {}, 'cEigrpRouteOriginAddr': {}, 'cEigrpRouteOriginAddrType': {}, 'cEigrpRouteOriginType': {}, 'cEigrpRto': {}, 'cEigrpSiaQueriesRcvd': {}, 'cEigrpSiaQueriesSent': {}, 'cEigrpSrtt': {}, 'cEigrpStuckInActive': {}, 'cEigrpTopoEntry': {'17': {}, '18': {}, '19': {}}, 'cEigrpTopoRoutes': {}, 'cEigrpUMcasts': {}, 'cEigrpUUcasts': {}, 'cEigrpUpTime': {}, 'cEigrpUpdatesRcvd': {}, 'cEigrpUpdatesSent': {}, 'cEigrpVersion': {}, 'cEigrpVpnName': {}, 'cEigrpXmitDummies': {}, 'cEigrpXmitNextSerial': {}, 'cEigrpXmitPendReplies': {}, 'cEigrpXmitReliableQ': {}, 'cEigrpXmitUnreliableQ': {}, 'cEtherCfmEventCode': {}, 'cEtherCfmEventDeleteRow': {}, 'cEtherCfmEventDomainName': {}, 'cEtherCfmEventLastChange': {}, 'cEtherCfmEventLclIfCount': {}, 'cEtherCfmEventLclMacAddress': {}, 'cEtherCfmEventLclMepCount': {}, 'cEtherCfmEventLclMepid': {}, 'cEtherCfmEventRmtMacAddress': {}, 'cEtherCfmEventRmtMepid': {}, 'cEtherCfmEventRmtPortState': {}, 'cEtherCfmEventRmtServiceId': {}, 'cEtherCfmEventServiceId': {}, 'cEtherCfmEventType': {}, 'cEtherCfmMaxEventIndex': {}, 'cHsrpExtIfEntry': {'1': {}, '2': {}}, 'cHsrpExtIfTrackedEntry': {'2': {}, '3': {}}, 'cHsrpExtSecAddrEntry': {'2': {}}, 'cHsrpGlobalConfig': {'1': {}}, 'cHsrpGrpEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cIgmpFilterApplyStatus': {}, 'cIgmpFilterEditEndAddress': {}, 'cIgmpFilterEditEndAddressType': {}, 'cIgmpFilterEditOperation': {}, 'cIgmpFilterEditProfileAction': {}, 'cIgmpFilterEditProfileIndex': {}, 'cIgmpFilterEditSpinLock': {}, 'cIgmpFilterEditStartAddress': {}, 'cIgmpFilterEditStartAddressType': {}, 'cIgmpFilterEnable': {}, 'cIgmpFilterEndAddress': {}, 'cIgmpFilterEndAddressType': {}, 'cIgmpFilterInterfaceProfileIndex': {}, 'cIgmpFilterMaxProfiles': {}, 'cIgmpFilterProfileAction': {}, 'cIpLocalPoolAllocEntry': {'3': {}, '4': {}}, 'cIpLocalPoolConfigEntry': {'4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'cIpLocalPoolGroupContainsEntry': {'2': {}}, 'cIpLocalPoolGroupEntry': {'1': {}, '2': {}}, 'cIpLocalPoolNotificationsEnable': {}, 'cIpLocalPoolStatsEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}}, 'cMTCommonMetricsBitmaps': {}, 'cMTCommonMetricsFlowCounter': {}, 'cMTCommonMetricsFlowDirection': {}, 'cMTCommonMetricsFlowSamplingStartTime': {}, 'cMTCommonMetricsIpByteRate': {}, 'cMTCommonMetricsIpDscp': {}, 'cMTCommonMetricsIpOctets': {}, 'cMTCommonMetricsIpPktCount': {}, 'cMTCommonMetricsIpPktDropped': {}, 'cMTCommonMetricsIpProtocol': {}, 'cMTCommonMetricsIpTtl': {}, 'cMTCommonMetricsLossMeasurement': {}, 'cMTCommonMetricsMediaStopOccurred': {}, 'cMTCommonMetricsRouteForward': {}, 'cMTFlowSpecifierDestAddr': {}, 'cMTFlowSpecifierDestAddrType': {}, 'cMTFlowSpecifierDestPort': {}, 'cMTFlowSpecifierIpProtocol': {}, 'cMTFlowSpecifierMetadataGlobalId': {}, 'cMTFlowSpecifierRowStatus': {}, 'cMTFlowSpecifierSourceAddr': {}, 'cMTFlowSpecifierSourceAddrType': {}, 'cMTFlowSpecifierSourcePort': {}, 'cMTHopStatsCollectionStatus': {}, 'cMTHopStatsEgressInterface': {}, 'cMTHopStatsIngressInterface': {}, 'cMTHopStatsMaskBitmaps': {}, 'cMTHopStatsMediatraceTtl': {}, 'cMTHopStatsName': {}, 'cMTInitiatorActiveSessions': {}, 'cMTInitiatorConfiguredSessions': {}, 'cMTInitiatorEnable': {}, 'cMTInitiatorInactiveSessions': {}, 'cMTInitiatorMaxSessions': {}, 'cMTInitiatorPendingSessions': {}, 'cMTInitiatorProtocolVersionMajor': {}, 'cMTInitiatorProtocolVersionMinor': {}, 'cMTInitiatorSoftwareVersionMajor': {}, 'cMTInitiatorSoftwareVersionMinor': {}, 'cMTInitiatorSourceAddress': {}, 'cMTInitiatorSourceAddressType': {}, 'cMTInitiatorSourceInterface': {}, 'cMTInterfaceBitmaps': {}, 'cMTInterfaceInDiscards': {}, 'cMTInterfaceInErrors': {}, 'cMTInterfaceInOctets': {}, 'cMTInterfaceInSpeed': {}, 'cMTInterfaceOutDiscards': {}, 'cMTInterfaceOutErrors': {}, 'cMTInterfaceOutOctets': {}, 'cMTInterfaceOutSpeed': {}, 'cMTMediaMonitorProfileInterval': {}, 'cMTMediaMonitorProfileMetric': {}, 'cMTMediaMonitorProfileRowStatus': {}, 'cMTMediaMonitorProfileRtpMaxDropout': {}, 'cMTMediaMonitorProfileRtpMaxReorder': {}, 'cMTMediaMonitorProfileRtpMinimalSequential': {}, 'cMTPathHopAddr': {}, 'cMTPathHopAddrType': {}, 'cMTPathHopAlternate1Addr': {}, 'cMTPathHopAlternate1AddrType': {}, 'cMTPathHopAlternate2Addr': {}, 'cMTPathHopAlternate2AddrType': {}, 'cMTPathHopAlternate3Addr': {}, 'cMTPathHopAlternate3AddrType': {}, 'cMTPathHopType': {}, 'cMTPathSpecifierDestAddr': {}, 'cMTPathSpecifierDestAddrType': {}, 'cMTPathSpecifierDestPort': {}, 'cMTPathSpecifierGatewayAddr': {}, 'cMTPathSpecifierGatewayAddrType': {}, 'cMTPathSpecifierGatewayVlanId': {}, 'cMTPathSpecifierIpProtocol': {}, 'cMTPathSpecifierMetadataGlobalId': {}, 'cMTPathSpecifierProtocolForDiscovery': {}, 'cMTPathSpecifierRowStatus': {}, 'cMTPathSpecifierSourceAddr': {}, 'cMTPathSpecifierSourceAddrType': {}, 'cMTPathSpecifierSourcePort': {}, 'cMTResponderActiveSessions': {}, 'cMTResponderEnable': {}, 'cMTResponderMaxSessions': {}, 'cMTRtpMetricsBitRate': {}, 'cMTRtpMetricsBitmaps': {}, 'cMTRtpMetricsExpectedPkts': {}, 'cMTRtpMetricsJitter': {}, 'cMTRtpMetricsLossPercent': {}, 'cMTRtpMetricsLostPktEvents': {}, 'cMTRtpMetricsLostPkts': {}, 'cMTRtpMetricsOctets': {}, 'cMTRtpMetricsPkts': {}, 'cMTScheduleEntryAgeout': {}, 'cMTScheduleLife': {}, 'cMTScheduleRecurring': {}, 'cMTScheduleRowStatus': {}, 'cMTScheduleStartTime': {}, 'cMTSessionFlowSpecifierName': {}, 'cMTSessionParamName': {}, 'cMTSessionParamsFrequency': {}, 'cMTSessionParamsHistoryBuckets': {}, 'cMTSessionParamsInactivityTimeout': {}, 'cMTSessionParamsResponseTimeout': {}, 'cMTSessionParamsRouteChangeReactiontime': {}, 'cMTSessionParamsRowStatus': {}, 'cMTSessionPathSpecifierName': {}, 'cMTSessionProfileName': {}, 'cMTSessionRequestStatsBitmaps': {}, 'cMTSessionRequestStatsMDAppName': {}, 'cMTSessionRequestStatsMDGlobalId': {}, 'cMTSessionRequestStatsMDMultiPartySessionId': {}, 'cMTSessionRequestStatsNumberOfErrorHops': {}, 'cMTSessionRequestStatsNumberOfMediatraceHops': {}, 'cMTSessionRequestStatsNumberOfNoDataRecordHops': {}, 'cMTSessionRequestStatsNumberOfNonMediatraceHops': {}, 'cMTSessionRequestStatsNumberOfValidHops': {}, 'cMTSessionRequestStatsRequestStatus': {}, 'cMTSessionRequestStatsRequestTimestamp': {}, 'cMTSessionRequestStatsRouteIndex': {}, 'cMTSessionRequestStatsTracerouteStatus': {}, 'cMTSessionRowStatus': {}, 'cMTSessionStatusBitmaps': {}, 'cMTSessionStatusGlobalSessionId': {}, 'cMTSessionStatusOperationState': {}, 'cMTSessionStatusOperationTimeToLive': {}, 'cMTSessionTraceRouteEnabled': {}, 'cMTSystemMetricBitmaps': {}, 'cMTSystemMetricCpuFiveMinutesUtilization': {}, 'cMTSystemMetricCpuOneMinuteUtilization': {}, 'cMTSystemMetricMemoryUtilization': {}, 'cMTSystemProfileMetric': {}, 'cMTSystemProfileRowStatus': {}, 'cMTTcpMetricBitmaps': {}, 'cMTTcpMetricConnectRoundTripDelay': {}, 'cMTTcpMetricLostEventCount': {}, 'cMTTcpMetricMediaByteCount': {}, 'cMTTraceRouteHopNumber': {}, 'cMTTraceRouteHopRtt': {}, 'cPeerSearchType': {}, 'cPppoeFwdedSessions': {}, 'cPppoePerInterfaceSessionLossPercent': {}, 'cPppoePerInterfaceSessionLossThreshold': {}, 'cPppoePtaSessions': {}, 'cPppoeSystemCurrSessions': {}, 'cPppoeSystemExceededSessionErrors': {}, 'cPppoeSystemHighWaterSessions': {}, 'cPppoeSystemMaxAllowedSessions': {}, 'cPppoeSystemPerMACSessionIWFlimit': {}, 'cPppoeSystemPerMACSessionlimit': {}, 'cPppoeSystemPerMacThrottleRatelimit': {}, 'cPppoeSystemPerVCThrottleRatelimit': {}, 'cPppoeSystemPerVClimit': {}, 'cPppoeSystemPerVLANlimit': {}, 'cPppoeSystemPerVLANthrottleRatelimit': {}, 'cPppoeSystemSessionLossPercent': {}, 'cPppoeSystemSessionLossThreshold': {}, 'cPppoeSystemSessionNotifyObjects': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}}, 'cPppoeSystemThresholdSessions': {}, 'cPppoeTotalSessions': {}, 'cPppoeTransSessions': {}, 'cPppoeVcCurrSessions': {}, 'cPppoeVcExceededSessionErrors': {}, 'cPppoeVcHighWaterSessions': {}, 'cPppoeVcMaxAllowedSessions': {}, 'cPppoeVcThresholdSessions': {}, 'cPtpClockCurrentDSMeanPathDelay': {}, 'cPtpClockCurrentDSOffsetFromMaster': {}, 'cPtpClockCurrentDSStepsRemoved': {}, 'cPtpClockDefaultDSClockIdentity': {}, 'cPtpClockDefaultDSPriority1': {}, 'cPtpClockDefaultDSPriority2': {}, 'cPtpClockDefaultDSQualityAccuracy': {}, 'cPtpClockDefaultDSQualityClass': {}, 'cPtpClockDefaultDSQualityOffset': {}, 'cPtpClockDefaultDSSlaveOnly': {}, 'cPtpClockDefaultDSTwoStepFlag': {}, 'cPtpClockInput1ppsEnabled': {}, 'cPtpClockInput1ppsInterface': {}, 'cPtpClockInputFrequencyEnabled': {}, 'cPtpClockOutput1ppsEnabled': {}, 'cPtpClockOutput1ppsInterface': {}, 'cPtpClockOutput1ppsOffsetEnabled': {}, 'cPtpClockOutput1ppsOffsetNegative': {}, 'cPtpClockOutput1ppsOffsetValue': {}, 'cPtpClockParentDSClockPhChRate': {}, 'cPtpClockParentDSGMClockIdentity': {}, 'cPtpClockParentDSGMClockPriority1': {}, 'cPtpClockParentDSGMClockPriority2': {}, 'cPtpClockParentDSGMClockQualityAccuracy': {}, 'cPtpClockParentDSGMClockQualityClass': {}, 'cPtpClockParentDSGMClockQualityOffset': {}, 'cPtpClockParentDSOffset': {}, 'cPtpClockParentDSParentPortIdentity': {}, 'cPtpClockParentDSParentStats': {}, 'cPtpClockPortAssociateAddress': {}, 'cPtpClockPortAssociateAddressType': {}, 'cPtpClockPortAssociateInErrors': {}, 'cPtpClockPortAssociateOutErrors': {}, 'cPtpClockPortAssociatePacketsReceived': {}, 'cPtpClockPortAssociatePacketsSent': {}, 'cPtpClockPortCurrentPeerAddress': {}, 'cPtpClockPortCurrentPeerAddressType': {}, 'cPtpClockPortDSAnnounceRctTimeout': {}, 'cPtpClockPortDSAnnouncementInterval': {}, 'cPtpClockPortDSDelayMech': {}, 'cPtpClockPortDSGrantDuration': {}, 'cPtpClockPortDSMinDelayReqInterval': {}, 'cPtpClockPortDSName': {}, 'cPtpClockPortDSPTPVersion': {}, 'cPtpClockPortDSPeerDelayReqInterval': {}, 'cPtpClockPortDSPeerMeanPathDelay': {}, 'cPtpClockPortDSPortIdentity': {}, 'cPtpClockPortDSSyncInterval': {}, 'cPtpClockPortName': {}, 'cPtpClockPortNumOfAssociatedPorts': {}, 'cPtpClockPortRole': {}, 'cPtpClockPortRunningEncapsulationType': {}, 'cPtpClockPortRunningIPversion': {}, 'cPtpClockPortRunningInterfaceIndex': {}, 'cPtpClockPortRunningName': {}, 'cPtpClockPortRunningPacketsReceived': {}, 'cPtpClockPortRunningPacketsSent': {}, 'cPtpClockPortRunningRole': {}, 'cPtpClockPortRunningRxMode': {}, 'cPtpClockPortRunningState': {}, 'cPtpClockPortRunningTxMode': {}, 'cPtpClockPortSyncOneStep': {}, 'cPtpClockPortTransDSFaultyFlag': {}, 'cPtpClockPortTransDSPeerMeanPathDelay': {}, 'cPtpClockPortTransDSPortIdentity': {}, 'cPtpClockPortTransDSlogMinPdelayReqInt': {}, 'cPtpClockRunningPacketsReceived': {}, 'cPtpClockRunningPacketsSent': {}, 'cPtpClockRunningState': {}, 'cPtpClockTODEnabled': {}, 'cPtpClockTODInterface': {}, 'cPtpClockTimePropertiesDSCurrentUTCOffset': {}, 'cPtpClockTimePropertiesDSCurrentUTCOffsetValid': {}, 'cPtpClockTimePropertiesDSFreqTraceable': {}, 'cPtpClockTimePropertiesDSLeap59': {}, 'cPtpClockTimePropertiesDSLeap61': {}, 'cPtpClockTimePropertiesDSPTPTimescale': {}, 'cPtpClockTimePropertiesDSSource': {}, 'cPtpClockTimePropertiesDSTimeTraceable': {}, 'cPtpClockTransDefaultDSClockIdentity': {}, 'cPtpClockTransDefaultDSDelay': {}, 'cPtpClockTransDefaultDSNumOfPorts': {}, 'cPtpClockTransDefaultDSPrimaryDomain': {}, 'cPtpDomainClockPortPhysicalInterfacesTotal': {}, 'cPtpDomainClockPortsTotal': {}, 'cPtpSystemDomainTotals': {}, 'cPtpSystemProfile': {}, 'cQIfEntry': {'1': {}, '2': {}, '3': {}}, 'cQRotationEntry': {'1': {}}, 'cQStatsEntry': {'2': {}, '3': {}, '4': {}}, 'cRFCfgAdminAction': {}, 'cRFCfgKeepaliveThresh': {}, 'cRFCfgKeepaliveThreshMax': {}, 'cRFCfgKeepaliveThreshMin': {}, 'cRFCfgKeepaliveTimer': {}, 'cRFCfgKeepaliveTimerMax': {}, 'cRFCfgKeepaliveTimerMin': {}, 'cRFCfgMaintenanceMode': {}, 'cRFCfgNotifTimer': {}, 'cRFCfgNotifTimerMax': {}, 'cRFCfgNotifTimerMin': {}, 'cRFCfgNotifsEnabled': {}, 'cRFCfgRedundancyMode': {}, 'cRFCfgRedundancyModeDescr': {}, 'cRFCfgRedundancyOperMode': {}, 'cRFCfgSplitMode': {}, 'cRFHistoryColdStarts': {}, 'cRFHistoryCurrActiveUnitId': {}, 'cRFHistoryPrevActiveUnitId': {}, 'cRFHistoryStandByAvailTime': {}, 'cRFHistorySwactTime': {}, 'cRFHistorySwitchOverReason': {}, 'cRFHistoryTableMaxLength': {}, 'cRFStatusDomainInstanceEntry': {'1': {}, '2': {}, '3': {}, '4': {}}, 'cRFStatusDuplexMode': {}, 'cRFStatusFailoverTime': {}, 'cRFStatusIssuFromVersion': {}, 'cRFStatusIssuState': {}, 'cRFStatusIssuStateRev1': {}, 'cRFStatusIssuToVersion': {}, 'cRFStatusLastSwactReasonCode': {}, 'cRFStatusManualSwactInhibit': {}, 'cRFStatusPeerStandByEntryTime': {}, 'cRFStatusPeerUnitId': {}, 'cRFStatusPeerUnitState': {}, 'cRFStatusPrimaryMode': {}, 'cRFStatusRFModeCapsModeDescr': {}, 'cRFStatusUnitId': {}, 'cRFStatusUnitState': {}, 'cSipCfgAaa': {'1': {}}, 'cSipCfgBase': {'1': {}, '10': {}, '11': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '26': {}, '27': {}, '28': {}, '29': {}, '3': {}, '30': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'cSipCfgBase.12.1.2': {}, 'cSipCfgBase.9.1.2': {}, 'cSipCfgPeer': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cSipCfgPeer.1.1.10': {}, 'cSipCfgPeer.1.1.11': {}, 'cSipCfgPeer.1.1.12': {}, 'cSipCfgPeer.1.1.13': {}, 'cSipCfgPeer.1.1.14': {}, 'cSipCfgPeer.1.1.15': {}, 'cSipCfgPeer.1.1.16': {}, 'cSipCfgPeer.1.1.17': {}, 'cSipCfgPeer.1.1.18': {}, 'cSipCfgPeer.1.1.2': {}, 'cSipCfgPeer.1.1.3': {}, 'cSipCfgPeer.1.1.4': {}, 'cSipCfgPeer.1.1.5': {}, 'cSipCfgPeer.1.1.6': {}, 'cSipCfgPeer.1.1.7': {}, 'cSipCfgPeer.1.1.8': {}, 'cSipCfgPeer.1.1.9': {}, 'cSipCfgRetry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cSipCfgStatusCauseMap.1.1.2': {}, 'cSipCfgStatusCauseMap.1.1.3': {}, 'cSipCfgStatusCauseMap.2.1.2': {}, 'cSipCfgStatusCauseMap.2.1.3': {}, 'cSipCfgTimer': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cSipStatsErrClient': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '26': {}, '27': {}, '28': {}, '29': {}, '3': {}, '30': {}, '31': {}, '32': {}, '33': {}, '34': {}, '35': {}, '36': {}, '37': {}, '38': {}, '39': {}, '4': {}, '40': {}, '41': {}, '42': {}, '43': {}, '44': {}, '45': {}, '46': {}, '47': {}, '48': {}, '49': {}, '5': {}, '50': {}, '51': {}, '52': {}, '53': {}, '54': {}, '55': {}, '56': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cSipStatsErrServer': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cSipStatsGlobalFail': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'cSipStatsInfo': {'1': {}, '10': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cSipStatsRedirect': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'cSipStatsRetry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cSipStatsSuccess': {'1': {}, '2': {}, '3': {}, '4': {}}, 'cSipStatsSuccess.5.1.2': {}, 'cSipStatsSuccess.5.1.3': {}, 'cSipStatsTraffic': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '26': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'callActiveCallOrigin': {}, 'callActiveCallState': {}, 'callActiveChargedUnits': {}, 'callActiveConnectTime': {}, 'callActiveInfoType': {}, 'callActiveLogicalIfIndex': {}, 'callActivePeerAddress': {}, 'callActivePeerId': {}, 'callActivePeerIfIndex': {}, 'callActivePeerSubAddress': {}, 'callActiveReceiveBytes': {}, 'callActiveReceivePackets': {}, 'callActiveTransmitBytes': {}, 'callActiveTransmitPackets': {}, 'callHistoryCallOrigin': {}, 'callHistoryChargedUnits': {}, 'callHistoryConnectTime': {}, 'callHistoryDisconnectCause': {}, 'callHistoryDisconnectText': {}, 'callHistoryDisconnectTime': {}, 'callHistoryInfoType': {}, 'callHistoryLogicalIfIndex': {}, 'callHistoryPeerAddress': {}, 'callHistoryPeerId': {}, 'callHistoryPeerIfIndex': {}, 'callHistoryPeerSubAddress': {}, 'callHistoryReceiveBytes': {}, 'callHistoryReceivePackets': {}, 'callHistoryRetainTimer': {}, 'callHistoryTableMaxLength': {}, 'callHistoryTransmitBytes': {}, 'callHistoryTransmitPackets': {}, 'callHomeAlertGroupTypeEntry': {'2': {}, '3': {}, '4': {}}, 'callHomeDestEmailAddressEntry': {'2': {}, '3': {}, '4': {}, '5': {}}, 'callHomeDestProfileEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'callHomeSwInventoryEntry': {'3': {}, '4': {}}, 'callHomeUserDefCmdEntry': {'2': {}, '3': {}}, 'caqQueuingParamsClassEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}}, 'caqQueuingParamsEntry': {'1': {}}, 'caqVccParamsEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'caqVpcParamsEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cardIfIndexEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}}, 'cardTableEntry': {'1': {}, '10': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'casAcctIncorrectResponses': {}, 'casAcctPort': {}, 'casAcctRequestTimeouts': {}, 'casAcctRequests': {}, 'casAcctResponseTime': {}, 'casAcctServerErrorResponses': {}, 'casAcctTransactionFailures': {}, 'casAcctTransactionSuccesses': {}, 'casAcctUnexpectedResponses': {}, 'casAddress': {}, 'casAuthenIncorrectResponses': {}, 'casAuthenPort': {}, 'casAuthenRequestTimeouts': {}, 'casAuthenRequests': {}, 'casAuthenResponseTime': {}, 'casAuthenServerErrorResponses': {}, 'casAuthenTransactionFailures': {}, 'casAuthenTransactionSuccesses': {}, 'casAuthenUnexpectedResponses': {}, 'casAuthorIncorrectResponses': {}, 'casAuthorRequestTimeouts': {}, 'casAuthorRequests': {}, 'casAuthorResponseTime': {}, 'casAuthorServerErrorResponses': {}, 'casAuthorTransactionFailures': {}, 'casAuthorTransactionSuccesses': {}, 'casAuthorUnexpectedResponses': {}, 'casConfigRowStatus': {}, 'casCurrentStateDuration': {}, 'casDeadCount': {}, 'casKey': {}, 'casPreviousStateDuration': {}, 'casPriority': {}, 'casServerStateChangeEnable': {}, 'casState': {}, 'casTotalDeadTime': {}, 'catmDownPVclHigherRangeValue': {}, 'catmDownPVclLowerRangeValue': {}, 'catmDownPVclRangeEnd': {}, 'catmDownPVclRangeStart': {}, 'catmIntfAISRDIOAMFailedPVcls': {}, 'catmIntfAISRDIOAMRcovedPVcls': {}, 'catmIntfAnyOAMFailedPVcls': {}, 'catmIntfAnyOAMRcovedPVcls': {}, 'catmIntfCurAISRDIOAMFailingPVcls': {}, 'catmIntfCurAISRDIOAMRcovingPVcls': {}, 'catmIntfCurAnyOAMFailingPVcls': {}, 'catmIntfCurAnyOAMRcovingPVcls': {}, 'catmIntfCurEndAISRDIFailingPVcls': {}, 'catmIntfCurEndAISRDIRcovingPVcls': {}, 'catmIntfCurEndCCOAMFailingPVcls': {}, 'catmIntfCurEndCCOAMRcovingPVcls': {}, 'catmIntfCurSegAISRDIFailingPVcls': {}, 'catmIntfCurSegAISRDIRcovingPVcls': {}, 'catmIntfCurSegCCOAMFailingPVcls': {}, 'catmIntfCurSegCCOAMRcovingPVcls': {}, 'catmIntfCurrentOAMFailingPVcls': {}, 'catmIntfCurrentOAMRcovingPVcls': {}, 'catmIntfCurrentlyDownToUpPVcls': {}, 'catmIntfEndAISRDIFailedPVcls': {}, 'catmIntfEndAISRDIRcovedPVcls': {}, 'catmIntfEndCCOAMFailedPVcls': {}, 'catmIntfEndCCOAMRcovedPVcls': {}, 'catmIntfOAMFailedPVcls': {}, 'catmIntfOAMRcovedPVcls': {}, 'catmIntfSegAISRDIFailedPVcls': {}, 'catmIntfSegAISRDIRcovedPVcls': {}, 'catmIntfSegCCOAMFailedPVcls': {}, 'catmIntfSegCCOAMRcovedPVcls': {}, 'catmIntfTypeOfOAMFailure': {}, 'catmIntfTypeOfOAMRecover': {}, 'catmPVclAISRDIHigherRangeValue': {}, 'catmPVclAISRDILowerRangeValue': {}, 'catmPVclAISRDIRangeStatusChEnd': {}, 'catmPVclAISRDIRangeStatusChStart': {}, 'catmPVclAISRDIRangeStatusUpEnd': {}, 'catmPVclAISRDIRangeStatusUpStart': {}, 'catmPVclAISRDIStatusChangeEnd': {}, 'catmPVclAISRDIStatusChangeStart': {}, 'catmPVclAISRDIStatusTransition': {}, 'catmPVclAISRDIStatusUpEnd': {}, 'catmPVclAISRDIStatusUpStart': {}, 'catmPVclAISRDIStatusUpTransition': {}, 'catmPVclAISRDIUpHigherRangeValue': {}, 'catmPVclAISRDIUpLowerRangeValue': {}, 'catmPVclCurFailTime': {}, 'catmPVclCurRecoverTime': {}, 'catmPVclEndAISRDIHigherRngeValue': {}, 'catmPVclEndAISRDILowerRangeValue': {}, 'catmPVclEndAISRDIRangeStatChEnd': {}, 'catmPVclEndAISRDIRangeStatUpEnd': {}, 'catmPVclEndAISRDIRngeStatChStart': {}, 'catmPVclEndAISRDIRngeStatUpStart': {}, 'catmPVclEndAISRDIStatChangeEnd': {}, 'catmPVclEndAISRDIStatChangeStart': {}, 'catmPVclEndAISRDIStatTransition': {}, 'catmPVclEndAISRDIStatUpEnd': {}, 'catmPVclEndAISRDIStatUpStart': {}, 'catmPVclEndAISRDIStatUpTransit': {}, 'catmPVclEndAISRDIUpHigherRngeVal': {}, 'catmPVclEndAISRDIUpLowerRangeVal': {}, 'catmPVclEndCCHigherRangeValue': {}, 'catmPVclEndCCLowerRangeValue': {}, 'catmPVclEndCCRangeStatusChEnd': {}, 'catmPVclEndCCRangeStatusChStart': {}, 'catmPVclEndCCRangeStatusUpEnd': {}, 'catmPVclEndCCRangeStatusUpStart': {}, 'catmPVclEndCCStatusChangeEnd': {}, 'catmPVclEndCCStatusChangeStart': {}, 'catmPVclEndCCStatusTransition': {}, 'catmPVclEndCCStatusUpEnd': {}, 'catmPVclEndCCStatusUpStart': {}, 'catmPVclEndCCStatusUpTransition': {}, 'catmPVclEndCCUpHigherRangeValue': {}, 'catmPVclEndCCUpLowerRangeValue': {}, 'catmPVclFailureReason': {}, 'catmPVclHigherRangeValue': {}, 'catmPVclLowerRangeValue': {}, 'catmPVclPrevFailTime': {}, 'catmPVclPrevRecoverTime': {}, 'catmPVclRangeFailureReason': {}, 'catmPVclRangeRecoveryReason': {}, 'catmPVclRangeStatusChangeEnd': {}, 'catmPVclRangeStatusChangeStart': {}, 'catmPVclRangeStatusUpEnd': {}, 'catmPVclRangeStatusUpStart': {}, 'catmPVclRecoveryReason': {}, 'catmPVclSegAISRDIHigherRangeValue': {}, 'catmPVclSegAISRDILowerRangeValue': {}, 'catmPVclSegAISRDIRangeStatChEnd': {}, 'catmPVclSegAISRDIRangeStatChStart': {}, 'catmPVclSegAISRDIRangeStatUpEnd': {}, 'catmPVclSegAISRDIRngeStatUpStart': {}, 'catmPVclSegAISRDIStatChangeEnd': {}, 'catmPVclSegAISRDIStatChangeStart': {}, 'catmPVclSegAISRDIStatTransition': {}, 'catmPVclSegAISRDIStatUpEnd': {}, 'catmPVclSegAISRDIStatUpStart': {}, 'catmPVclSegAISRDIStatUpTransit': {}, 'catmPVclSegAISRDIUpHigherRngeVal': {}, 'catmPVclSegAISRDIUpLowerRangeVal': {}, 'catmPVclSegCCHigherRangeValue': {}, 'catmPVclSegCCLowerRangeValue': {}, 'catmPVclSegCCRangeStatusChEnd': {}, 'catmPVclSegCCRangeStatusChStart': {}, 'catmPVclSegCCRangeStatusUpEnd': {}, 'catmPVclSegCCRangeStatusUpStart': {}, 'catmPVclSegCCStatusChangeEnd': {}, 'catmPVclSegCCStatusChangeStart': {}, 'catmPVclSegCCStatusTransition': {}, 'catmPVclSegCCStatusUpEnd': {}, 'catmPVclSegCCStatusUpStart': {}, 'catmPVclSegCCStatusUpTransition': {}, 'catmPVclSegCCUpHigherRangeValue': {}, 'catmPVclSegCCUpLowerRangeValue': {}, 'catmPVclStatusChangeEnd': {}, 'catmPVclStatusChangeStart': {}, 'catmPVclStatusTransition': {}, 'catmPVclStatusUpEnd': {}, 'catmPVclStatusUpStart': {}, 'catmPVclStatusUpTransition': {}, 'catmPVclUpHigherRangeValue': {}, 'catmPVclUpLowerRangeValue': {}, 'catmPrevDownPVclRangeEnd': {}, 'catmPrevDownPVclRangeStart': {}, 'catmPrevUpPVclRangeEnd': {}, 'catmPrevUpPVclRangeStart': {}, 'catmUpPVclHigherRangeValue': {}, 'catmUpPVclLowerRangeValue': {}, 'catmUpPVclRangeEnd': {}, 'catmUpPVclRangeStart': {}, 'cbQosATMPVCPolicyEntry': {'1': {}}, 'cbQosCMCfgEntry': {'1': {}, '2': {}, '3': {}}, 'cbQosCMStatsEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '26': {}, '27': {}, '28': {}, '29': {}, '3': {}, '30': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cbQosEBCfgEntry': {'1': {}, '2': {}, '3': {}, '4': {}}, 'cbQosEBStatsEntry': {'1': {}, '2': {}, '3': {}}, 'cbQosFrameRelayPolicyEntry': {'1': {}}, 'cbQosIPHCCfgEntry': {'1': {}, '2': {}}, 'cbQosIPHCStatsEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '26': {}, '27': {}, '28': {}, '29': {}, '3': {}, '30': {}, '31': {}, '32': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cbQosInterfacePolicyEntry': {'1': {}}, 'cbQosMatchStmtCfgEntry': {'1': {}, '2': {}}, 'cbQosMatchStmtStatsEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}}, 'cbQosObjectsEntry': {'2': {}, '3': {}, '4': {}}, 'cbQosPoliceActionCfgEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}}, 'cbQosPoliceCfgEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '26': {}, '27': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cbQosPoliceColorStatsEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cbQosPoliceStatsEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cbQosPolicyMapCfgEntry': {'1': {}, '2': {}}, 'cbQosQueueingCfgEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cbQosQueueingStatsEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cbQosREDCfgEntry': {'1': {}, '2': {}, '3': {}, '4': {}}, 'cbQosREDClassCfgEntry': {'10': {}, '11': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cbQosREDClassStatsEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '26': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cbQosServicePolicyEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'cbQosSetCfgEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cbQosSetStatsEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cbQosTSCfgEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cbQosTSStatsEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cbQosTableMapCfgEntry': {'2': {}, '3': {}, '4': {}}, 'cbQosTableMapSetCfgEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cbQosTableMapValueCfgEntry': {'2': {}}, 'cbQosVlanIndex': {}, 'cbfDefineFileTable.1.2': {}, 'cbfDefineFileTable.1.3': {}, 'cbfDefineFileTable.1.4': {}, 'cbfDefineFileTable.1.5': {}, 'cbfDefineFileTable.1.6': {}, 'cbfDefineFileTable.1.7': {}, 'cbfDefineObjectTable.1.2': {}, 'cbfDefineObjectTable.1.3': {}, 'cbfDefineObjectTable.1.4': {}, 'cbfDefineObjectTable.1.5': {}, 'cbfDefineObjectTable.1.6': {}, 'cbfDefineObjectTable.1.7': {}, 'cbfStatusFileTable.1.2': {}, 'cbfStatusFileTable.1.3': {}, 'cbfStatusFileTable.1.4': {}, 'cbgpGlobal': {'2': {}}, 'cbgpNotifsEnable': {}, 'cbgpPeer2AcceptedPrefixes': {}, 'cbgpPeer2AddrFamilyName': {}, 'cbgpPeer2AdminStatus': {}, 'cbgpPeer2AdvertisedPrefixes': {}, 'cbgpPeer2CapValue': {}, 'cbgpPeer2ConnectRetryInterval': {}, 'cbgpPeer2DeniedPrefixes': {}, 'cbgpPeer2FsmEstablishedTime': {}, 'cbgpPeer2FsmEstablishedTransitions': {}, 'cbgpPeer2HoldTime': {}, 'cbgpPeer2HoldTimeConfigured': {}, 'cbgpPeer2InTotalMessages': {}, 'cbgpPeer2InUpdateElapsedTime': {}, 'cbgpPeer2InUpdates': {}, 'cbgpPeer2KeepAlive': {}, 'cbgpPeer2KeepAliveConfigured': {}, 'cbgpPeer2LastError': {}, 'cbgpPeer2LastErrorTxt': {}, 'cbgpPeer2LocalAddr': {}, 'cbgpPeer2LocalAs': {}, 'cbgpPeer2LocalIdentifier': {}, 'cbgpPeer2LocalPort': {}, 'cbgpPeer2MinASOriginationInterval': {}, 'cbgpPeer2MinRouteAdvertisementInterval': {}, 'cbgpPeer2NegotiatedVersion': {}, 'cbgpPeer2OutTotalMessages': {}, 'cbgpPeer2OutUpdates': {}, 'cbgpPeer2PrefixAdminLimit': {}, 'cbgpPeer2PrefixClearThreshold': {}, 'cbgpPeer2PrefixThreshold': {}, 'cbgpPeer2PrevState': {}, 'cbgpPeer2RemoteAs': {}, 'cbgpPeer2RemoteIdentifier': {}, 'cbgpPeer2RemotePort': {}, 'cbgpPeer2State': {}, 'cbgpPeer2SuppressedPrefixes': {}, 'cbgpPeer2WithdrawnPrefixes': {}, 'cbgpPeerAcceptedPrefixes': {}, 'cbgpPeerAddrFamilyName': {}, 'cbgpPeerAddrFamilyPrefixEntry': {'3': {}, '4': {}, '5': {}}, 'cbgpPeerAdvertisedPrefixes': {}, 'cbgpPeerCapValue': {}, 'cbgpPeerDeniedPrefixes': {}, 'cbgpPeerEntry': {'7': {}, '8': {}}, 'cbgpPeerPrefixAccepted': {}, 'cbgpPeerPrefixAdvertised': {}, 'cbgpPeerPrefixDenied': {}, 'cbgpPeerPrefixLimit': {}, 'cbgpPeerPrefixSuppressed': {}, 'cbgpPeerPrefixWithdrawn': {}, 'cbgpPeerSuppressedPrefixes': {}, 'cbgpPeerWithdrawnPrefixes': {}, 'cbgpRouteASPathSegment': {}, 'cbgpRouteAggregatorAS': {}, 'cbgpRouteAggregatorAddr': {}, 'cbgpRouteAggregatorAddrType': {}, 'cbgpRouteAtomicAggregate': {}, 'cbgpRouteBest': {}, 'cbgpRouteLocalPref': {}, 'cbgpRouteLocalPrefPresent': {}, 'cbgpRouteMedPresent': {}, 'cbgpRouteMultiExitDisc': {}, 'cbgpRouteNextHop': {}, 'cbgpRouteOrigin': {}, 'cbgpRouteUnknownAttr': {}, 'cbpAcctEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}}, 'ccCopyTable.1.10': {}, 'ccCopyTable.1.11': {}, 'ccCopyTable.1.12': {}, 'ccCopyTable.1.13': {}, 'ccCopyTable.1.14': {}, 'ccCopyTable.1.15': {}, 'ccCopyTable.1.16': {}, 'ccCopyTable.1.2': {}, 'ccCopyTable.1.3': {}, 'ccCopyTable.1.4': {}, 'ccCopyTable.1.5': {}, 'ccCopyTable.1.6': {}, 'ccCopyTable.1.7': {}, 'ccCopyTable.1.8': {}, 'ccCopyTable.1.9': {}, 'ccVoIPCallActivePolicyName': {}, 'ccapAppActiveInstances': {}, 'ccapAppCallType': {}, 'ccapAppDescr': {}, 'ccapAppEventLogging': {}, 'ccapAppGblActCurrentInstances': {}, 'ccapAppGblActHandoffInProgress': {}, 'ccapAppGblActIPInCallNowConn': {}, 'ccapAppGblActIPOutCallNowConn': {}, 'ccapAppGblActPSTNInCallNowConn': {}, 'ccapAppGblActPSTNOutCallNowConn': {}, 'ccapAppGblActPlaceCallInProgress': {}, 'ccapAppGblActPromptPlayActive': {}, 'ccapAppGblActRecordingActive': {}, 'ccapAppGblActTTSActive': {}, 'ccapAppGblEventLogging': {}, 'ccapAppGblEvtLogflush': {}, 'ccapAppGblHisAAAAuthenticateFailure': {}, 'ccapAppGblHisAAAAuthenticateSuccess': {}, 'ccapAppGblHisAAAAuthorizeFailure': {}, 'ccapAppGblHisAAAAuthorizeSuccess': {}, 'ccapAppGblHisASNLNotifReceived': {}, 'ccapAppGblHisASNLSubscriptionsFailed': {}, 'ccapAppGblHisASNLSubscriptionsSent': {}, 'ccapAppGblHisASNLSubscriptionsSuccess': {}, 'ccapAppGblHisASRAborted': {}, 'ccapAppGblHisASRAttempts': {}, 'ccapAppGblHisASRMatch': {}, 'ccapAppGblHisASRNoInput': {}, 'ccapAppGblHisASRNoMatch': {}, 'ccapAppGblHisDTMFAborted': {}, 'ccapAppGblHisDTMFAttempts': {}, 'ccapAppGblHisDTMFLongPound': {}, 'ccapAppGblHisDTMFMatch': {}, 'ccapAppGblHisDTMFNoInput': {}, 'ccapAppGblHisDTMFNoMatch': {}, 'ccapAppGblHisDocumentParseErrors': {}, 'ccapAppGblHisDocumentReadAttempts': {}, 'ccapAppGblHisDocumentReadFailures': {}, 'ccapAppGblHisDocumentReadSuccess': {}, 'ccapAppGblHisDocumentWriteAttempts': {}, 'ccapAppGblHisDocumentWriteFailures': {}, 'ccapAppGblHisDocumentWriteSuccess': {}, 'ccapAppGblHisIPInCallDiscNormal': {}, 'ccapAppGblHisIPInCallDiscSysErr': {}, 'ccapAppGblHisIPInCallDiscUsrErr': {}, 'ccapAppGblHisIPInCallHandOutRet': {}, 'ccapAppGblHisIPInCallHandedOut': {}, 'ccapAppGblHisIPInCallInHandoff': {}, 'ccapAppGblHisIPInCallInHandoffRet': {}, 'ccapAppGblHisIPInCallSetupInd': {}, 'ccapAppGblHisIPInCallTotConn': {}, 'ccapAppGblHisIPOutCallDiscNormal': {}, 'ccapAppGblHisIPOutCallDiscSysErr': {}, 'ccapAppGblHisIPOutCallDiscUsrErr': {}, 'ccapAppGblHisIPOutCallHandOutRet': {}, 'ccapAppGblHisIPOutCallHandedOut': {}, 'ccapAppGblHisIPOutCallInHandoff': {}, 'ccapAppGblHisIPOutCallInHandoffRet': {}, 'ccapAppGblHisIPOutCallSetupReq': {}, 'ccapAppGblHisIPOutCallTotConn': {}, 'ccapAppGblHisInHandoffCallback': {}, 'ccapAppGblHisInHandoffCallbackRet': {}, 'ccapAppGblHisInHandoffNoCallback': {}, 'ccapAppGblHisLastReset': {}, 'ccapAppGblHisOutHandoffCallback': {}, 'ccapAppGblHisOutHandoffCallbackRet': {}, 'ccapAppGblHisOutHandoffNoCallback': {}, 'ccapAppGblHisOutHandofffailures': {}, 'ccapAppGblHisPSTNInCallDiscNormal': {}, 'ccapAppGblHisPSTNInCallDiscSysErr': {}, 'ccapAppGblHisPSTNInCallDiscUsrErr': {}, 'ccapAppGblHisPSTNInCallHandOutRet': {}, 'ccapAppGblHisPSTNInCallHandedOut': {}, 'ccapAppGblHisPSTNInCallInHandoff': {}, 'ccapAppGblHisPSTNInCallInHandoffRet': {}, 'ccapAppGblHisPSTNInCallSetupInd': {}, 'ccapAppGblHisPSTNInCallTotConn': {}, 'ccapAppGblHisPSTNOutCallDiscNormal': {}, 'ccapAppGblHisPSTNOutCallDiscSysErr': {}, 'ccapAppGblHisPSTNOutCallDiscUsrErr': {}, 'ccapAppGblHisPSTNOutCallHandOutRet': {}, 'ccapAppGblHisPSTNOutCallHandedOut': {}, 'ccapAppGblHisPSTNOutCallInHandoff': {}, 'ccapAppGblHisPSTNOutCallInHandoffRet': {}, 'ccapAppGblHisPSTNOutCallSetupReq': {}, 'ccapAppGblHisPSTNOutCallTotConn': {}, 'ccapAppGblHisPlaceCallAttempts': {}, 'ccapAppGblHisPlaceCallFailure': {}, 'ccapAppGblHisPlaceCallSuccess': {}, 'ccapAppGblHisPromptPlayAttempts': {}, 'ccapAppGblHisPromptPlayDuration': {}, 'ccapAppGblHisPromptPlayFailed': {}, 'ccapAppGblHisPromptPlaySuccess': {}, 'ccapAppGblHisRecordingAttempts': {}, 'ccapAppGblHisRecordingDuration': {}, 'ccapAppGblHisRecordingFailed': {}, 'ccapAppGblHisRecordingSuccess': {}, 'ccapAppGblHisTTSAttempts': {}, 'ccapAppGblHisTTSFailed': {}, 'ccapAppGblHisTTSSuccess': {}, 'ccapAppGblHisTotalInstances': {}, 'ccapAppGblLastResetTime': {}, 'ccapAppGblStatsClear': {}, 'ccapAppGblStatsLogging': {}, 'ccapAppHandoffInProgress': {}, 'ccapAppIPInCallNowConn': {}, 'ccapAppIPOutCallNowConn': {}, 'ccapAppInstHisAAAAuthenticateFailure': {}, 'ccapAppInstHisAAAAuthenticateSuccess': {}, 'ccapAppInstHisAAAAuthorizeFailure': {}, 'ccapAppInstHisAAAAuthorizeSuccess': {}, 'ccapAppInstHisASNLNotifReceived': {}, 'ccapAppInstHisASNLSubscriptionsFailed': {}, 'ccapAppInstHisASNLSubscriptionsSent': {}, 'ccapAppInstHisASNLSubscriptionsSuccess': {}, 'ccapAppInstHisASRAborted': {}, 'ccapAppInstHisASRAttempts': {}, 'ccapAppInstHisASRMatch': {}, 'ccapAppInstHisASRNoInput': {}, 'ccapAppInstHisASRNoMatch': {}, 'ccapAppInstHisAppName': {}, 'ccapAppInstHisDTMFAborted': {}, 'ccapAppInstHisDTMFAttempts': {}, 'ccapAppInstHisDTMFLongPound': {}, 'ccapAppInstHisDTMFMatch': {}, 'ccapAppInstHisDTMFNoInput': {}, 'ccapAppInstHisDTMFNoMatch': {}, 'ccapAppInstHisDocumentParseErrors': {}, 'ccapAppInstHisDocumentReadAttempts': {}, 'ccapAppInstHisDocumentReadFailures': {}, 'ccapAppInstHisDocumentReadSuccess': {}, 'ccapAppInstHisDocumentWriteAttempts': {}, 'ccapAppInstHisDocumentWriteFailures': {}, 'ccapAppInstHisDocumentWriteSuccess': {}, 'ccapAppInstHisIPInCallDiscNormal': {}, 'ccapAppInstHisIPInCallDiscSysErr': {}, 'ccapAppInstHisIPInCallDiscUsrErr': {}, 'ccapAppInstHisIPInCallHandOutRet': {}, 'ccapAppInstHisIPInCallHandedOut': {}, 'ccapAppInstHisIPInCallInHandoff': {}, 'ccapAppInstHisIPInCallInHandoffRet': {}, 'ccapAppInstHisIPInCallSetupInd': {}, 'ccapAppInstHisIPInCallTotConn': {}, 'ccapAppInstHisIPOutCallDiscNormal': {}, 'ccapAppInstHisIPOutCallDiscSysErr': {}, 'ccapAppInstHisIPOutCallDiscUsrErr': {}, 'ccapAppInstHisIPOutCallHandOutRet': {}, 'ccapAppInstHisIPOutCallHandedOut': {}, 'ccapAppInstHisIPOutCallInHandoff': {}, 'ccapAppInstHisIPOutCallInHandoffRet': {}, 'ccapAppInstHisIPOutCallSetupReq': {}, 'ccapAppInstHisIPOutCallTotConn': {}, 'ccapAppInstHisInHandoffCallback': {}, 'ccapAppInstHisInHandoffCallbackRet': {}, 'ccapAppInstHisInHandoffNoCallback': {}, 'ccapAppInstHisOutHandoffCallback': {}, 'ccapAppInstHisOutHandoffCallbackRet': {}, 'ccapAppInstHisOutHandoffNoCallback': {}, 'ccapAppInstHisOutHandofffailures': {}, 'ccapAppInstHisPSTNInCallDiscNormal': {}, 'ccapAppInstHisPSTNInCallDiscSysErr': {}, 'ccapAppInstHisPSTNInCallDiscUsrErr': {}, 'ccapAppInstHisPSTNInCallHandOutRet': {}, 'ccapAppInstHisPSTNInCallHandedOut': {}, 'ccapAppInstHisPSTNInCallInHandoff': {}, 'ccapAppInstHisPSTNInCallInHandoffRet': {}, 'ccapAppInstHisPSTNInCallSetupInd': {}, 'ccapAppInstHisPSTNInCallTotConn': {}, 'ccapAppInstHisPSTNOutCallDiscNormal': {}, 'ccapAppInstHisPSTNOutCallDiscSysErr': {}, 'ccapAppInstHisPSTNOutCallDiscUsrErr': {}, 'ccapAppInstHisPSTNOutCallHandOutRet': {}, 'ccapAppInstHisPSTNOutCallHandedOut': {}, 'ccapAppInstHisPSTNOutCallInHandoff': {}, 'ccapAppInstHisPSTNOutCallInHandoffRet': {}, 'ccapAppInstHisPSTNOutCallSetupReq': {}, 'ccapAppInstHisPSTNOutCallTotConn': {}, 'ccapAppInstHisPlaceCallAttempts': {}, 'ccapAppInstHisPlaceCallFailure': {}, 'ccapAppInstHisPlaceCallSuccess': {}, 'ccapAppInstHisPromptPlayAttempts': {}, 'ccapAppInstHisPromptPlayDuration': {}, 'ccapAppInstHisPromptPlayFailed': {}, 'ccapAppInstHisPromptPlaySuccess': {}, 'ccapAppInstHisRecordingAttempts': {}, 'ccapAppInstHisRecordingDuration': {}, 'ccapAppInstHisRecordingFailed': {}, 'ccapAppInstHisRecordingSuccess': {}, 'ccapAppInstHisSessionID': {}, 'ccapAppInstHisTTSAttempts': {}, 'ccapAppInstHisTTSFailed': {}, 'ccapAppInstHisTTSSuccess': {}, 'ccapAppInstHistEvtLogging': {}, 'ccapAppIntfAAAMethodListEvtLog': {}, 'ccapAppIntfAAAMethodListLastResetTime': {}, 'ccapAppIntfAAAMethodListReadFailure': {}, 'ccapAppIntfAAAMethodListReadRequest': {}, 'ccapAppIntfAAAMethodListReadSuccess': {}, 'ccapAppIntfAAAMethodListStats': {}, 'ccapAppIntfASREvtLog': {}, 'ccapAppIntfASRLastResetTime': {}, 'ccapAppIntfASRReadFailure': {}, 'ccapAppIntfASRReadRequest': {}, 'ccapAppIntfASRReadSuccess': {}, 'ccapAppIntfASRStats': {}, 'ccapAppIntfFlashReadFailure': {}, 'ccapAppIntfFlashReadRequest': {}, 'ccapAppIntfFlashReadSuccess': {}, 'ccapAppIntfGblEventLogging': {}, 'ccapAppIntfGblEvtLogFlush': {}, 'ccapAppIntfGblLastResetTime': {}, 'ccapAppIntfGblStatsClear': {}, 'ccapAppIntfGblStatsLogging': {}, 'ccapAppIntfHTTPAvgXferRate': {}, 'ccapAppIntfHTTPEvtLog': {}, 'ccapAppIntfHTTPGetFailure': {}, 'ccapAppIntfHTTPGetRequest': {}, 'ccapAppIntfHTTPGetSuccess': {}, 'ccapAppIntfHTTPLastResetTime': {}, 'ccapAppIntfHTTPMaxXferRate': {}, 'ccapAppIntfHTTPMinXferRate': {}, 'ccapAppIntfHTTPPostFailure': {}, 'ccapAppIntfHTTPPostRequest': {}, 'ccapAppIntfHTTPPostSuccess': {}, 'ccapAppIntfHTTPRxBytes': {}, 'ccapAppIntfHTTPStats': {}, 'ccapAppIntfHTTPTxBytes': {}, 'ccapAppIntfRAMRecordReadRequest': {}, 'ccapAppIntfRAMRecordReadSuccess': {}, 'ccapAppIntfRAMRecordRequest': {}, 'ccapAppIntfRAMRecordSuccess': {}, 'ccapAppIntfRAMRecordiongFailure': {}, 'ccapAppIntfRAMRecordiongReadFailure': {}, 'ccapAppIntfRTSPAvgXferRate': {}, 'ccapAppIntfRTSPEvtLog': {}, 'ccapAppIntfRTSPLastResetTime': {}, 'ccapAppIntfRTSPMaxXferRate': {}, 'ccapAppIntfRTSPMinXferRate': {}, 'ccapAppIntfRTSPReadFailure': {}, 'ccapAppIntfRTSPReadRequest': {}, 'ccapAppIntfRTSPReadSuccess': {}, 'ccapAppIntfRTSPRxBytes': {}, 'ccapAppIntfRTSPStats': {}, 'ccapAppIntfRTSPTxBytes': {}, 'ccapAppIntfRTSPWriteFailure': {}, 'ccapAppIntfRTSPWriteRequest': {}, 'ccapAppIntfRTSPWriteSuccess': {}, 'ccapAppIntfSMTPAvgXferRate': {}, 'ccapAppIntfSMTPEvtLog': {}, 'ccapAppIntfSMTPLastResetTime': {}, 'ccapAppIntfSMTPMaxXferRate': {}, 'ccapAppIntfSMTPMinXferRate': {}, 'ccapAppIntfSMTPReadFailure': {}, 'ccapAppIntfSMTPReadRequest': {}, 'ccapAppIntfSMTPReadSuccess': {}, 'ccapAppIntfSMTPRxBytes': {}, 'ccapAppIntfSMTPStats': {}, 'ccapAppIntfSMTPTxBytes': {}, 'ccapAppIntfSMTPWriteFailure': {}, 'ccapAppIntfSMTPWriteRequest': {}, 'ccapAppIntfSMTPWriteSuccess': {}, 'ccapAppIntfTFTPAvgXferRate': {}, 'ccapAppIntfTFTPEvtLog': {}, 'ccapAppIntfTFTPLastResetTime': {}, 'ccapAppIntfTFTPMaxXferRate': {}, 'ccapAppIntfTFTPMinXferRate': {}, 'ccapAppIntfTFTPReadFailure': {}, 'ccapAppIntfTFTPReadRequest': {}, 'ccapAppIntfTFTPReadSuccess': {}, 'ccapAppIntfTFTPRxBytes': {}, 'ccapAppIntfTFTPStats': {}, 'ccapAppIntfTFTPTxBytes': {}, 'ccapAppIntfTFTPWriteFailure': {}, 'ccapAppIntfTFTPWriteRequest': {}, 'ccapAppIntfTFTPWriteSuccess': {}, 'ccapAppIntfTTSEvtLog': {}, 'ccapAppIntfTTSLastResetTime': {}, 'ccapAppIntfTTSReadFailure': {}, 'ccapAppIntfTTSReadRequest': {}, 'ccapAppIntfTTSReadSuccess': {}, 'ccapAppIntfTTSStats': {}, 'ccapAppLoadFailReason': {}, 'ccapAppLoadState': {}, 'ccapAppLocation': {}, 'ccapAppPSTNInCallNowConn': {}, 'ccapAppPSTNOutCallNowConn': {}, 'ccapAppPlaceCallInProgress': {}, 'ccapAppPromptPlayActive': {}, 'ccapAppRecordingActive': {}, 'ccapAppRowStatus': {}, 'ccapAppTTSActive': {}, 'ccapAppTypeHisAAAAuthenticateFailure': {}, 'ccapAppTypeHisAAAAuthenticateSuccess': {}, 'ccapAppTypeHisAAAAuthorizeFailure': {}, 'ccapAppTypeHisAAAAuthorizeSuccess': {}, 'ccapAppTypeHisASNLNotifReceived': {}, 'ccapAppTypeHisASNLSubscriptionsFailed': {}, 'ccapAppTypeHisASNLSubscriptionsSent': {}, 'ccapAppTypeHisASNLSubscriptionsSuccess': {}, 'ccapAppTypeHisASRAborted': {}, 'ccapAppTypeHisASRAttempts': {}, 'ccapAppTypeHisASRMatch': {}, 'ccapAppTypeHisASRNoInput': {}, 'ccapAppTypeHisASRNoMatch': {}, 'ccapAppTypeHisDTMFAborted': {}, 'ccapAppTypeHisDTMFAttempts': {}, 'ccapAppTypeHisDTMFLongPound': {}, 'ccapAppTypeHisDTMFMatch': {}, 'ccapAppTypeHisDTMFNoInput': {}, 'ccapAppTypeHisDTMFNoMatch': {}, 'ccapAppTypeHisDocumentParseErrors': {}, 'ccapAppTypeHisDocumentReadAttempts': {}, 'ccapAppTypeHisDocumentReadFailures': {}, 'ccapAppTypeHisDocumentReadSuccess': {}, 'ccapAppTypeHisDocumentWriteAttempts': {}, 'ccapAppTypeHisDocumentWriteFailures': {}, 'ccapAppTypeHisDocumentWriteSuccess': {}, 'ccapAppTypeHisEvtLogging': {}, 'ccapAppTypeHisIPInCallDiscNormal': {}, 'ccapAppTypeHisIPInCallDiscSysErr': {}, 'ccapAppTypeHisIPInCallDiscUsrErr': {}, 'ccapAppTypeHisIPInCallHandOutRet': {}, 'ccapAppTypeHisIPInCallHandedOut': {}, 'ccapAppTypeHisIPInCallInHandoff': {}, 'ccapAppTypeHisIPInCallInHandoffRet': {}, 'ccapAppTypeHisIPInCallSetupInd': {}, 'ccapAppTypeHisIPInCallTotConn': {}, 'ccapAppTypeHisIPOutCallDiscNormal': {}, 'ccapAppTypeHisIPOutCallDiscSysErr': {}, 'ccapAppTypeHisIPOutCallDiscUsrErr': {}, 'ccapAppTypeHisIPOutCallHandOutRet': {}, 'ccapAppTypeHisIPOutCallHandedOut': {}, 'ccapAppTypeHisIPOutCallInHandoff': {}, 'ccapAppTypeHisIPOutCallInHandoffRet': {}, 'ccapAppTypeHisIPOutCallSetupReq': {}, 'ccapAppTypeHisIPOutCallTotConn': {}, 'ccapAppTypeHisInHandoffCallback': {}, 'ccapAppTypeHisInHandoffCallbackRet': {}, 'ccapAppTypeHisInHandoffNoCallback': {}, 'ccapAppTypeHisLastResetTime': {}, 'ccapAppTypeHisOutHandoffCallback': {}, 'ccapAppTypeHisOutHandoffCallbackRet': {}, 'ccapAppTypeHisOutHandoffNoCallback': {}, 'ccapAppTypeHisOutHandofffailures': {}, 'ccapAppTypeHisPSTNInCallDiscNormal': {}, 'ccapAppTypeHisPSTNInCallDiscSysErr': {}, 'ccapAppTypeHisPSTNInCallDiscUsrErr': {}, 'ccapAppTypeHisPSTNInCallHandOutRet': {}, 'ccapAppTypeHisPSTNInCallHandedOut': {}, 'ccapAppTypeHisPSTNInCallInHandoff': {}, 'ccapAppTypeHisPSTNInCallInHandoffRet': {}, 'ccapAppTypeHisPSTNInCallSetupInd': {}, 'ccapAppTypeHisPSTNInCallTotConn': {}, 'ccapAppTypeHisPSTNOutCallDiscNormal': {}, 'ccapAppTypeHisPSTNOutCallDiscSysErr': {}, 'ccapAppTypeHisPSTNOutCallDiscUsrErr': {}, 'ccapAppTypeHisPSTNOutCallHandOutRet': {}, 'ccapAppTypeHisPSTNOutCallHandedOut': {}, 'ccapAppTypeHisPSTNOutCallInHandoff': {}, 'ccapAppTypeHisPSTNOutCallInHandoffRet': {}, 'ccapAppTypeHisPSTNOutCallSetupReq': {}, 'ccapAppTypeHisPSTNOutCallTotConn': {}, 'ccapAppTypeHisPlaceCallAttempts': {}, 'ccapAppTypeHisPlaceCallFailure': {}, 'ccapAppTypeHisPlaceCallSuccess': {}, 'ccapAppTypeHisPromptPlayAttempts': {}, 'ccapAppTypeHisPromptPlayDuration': {}, 'ccapAppTypeHisPromptPlayFailed': {}, 'ccapAppTypeHisPromptPlaySuccess': {}, 'ccapAppTypeHisRecordingAttempts': {}, 'ccapAppTypeHisRecordingDuration': {}, 'ccapAppTypeHisRecordingFailed': {}, 'ccapAppTypeHisRecordingSuccess': {}, 'ccapAppTypeHisTTSAttempts': {}, 'ccapAppTypeHisTTSFailed': {}, 'ccapAppTypeHisTTSSuccess': {}, 'ccarConfigAccIdx': {}, 'ccarConfigConformAction': {}, 'ccarConfigExceedAction': {}, 'ccarConfigExtLimit': {}, 'ccarConfigLimit': {}, 'ccarConfigRate': {}, 'ccarConfigType': {}, 'ccarStatCurBurst': {}, 'ccarStatFilteredBytes': {}, 'ccarStatFilteredBytesOverflow': {}, 'ccarStatFilteredPkts': {}, 'ccarStatFilteredPktsOverflow': {}, 'ccarStatHCFilteredBytes': {}, 'ccarStatHCFilteredPkts': {}, 'ccarStatHCSwitchedBytes': {}, 'ccarStatHCSwitchedPkts': {}, 'ccarStatSwitchedBytes': {}, 'ccarStatSwitchedBytesOverflow': {}, 'ccarStatSwitchedPkts': {}, 'ccarStatSwitchedPktsOverflow': {}, 'ccbptPolicyIdNext': {}, 'ccbptTargetTable.1.10': {}, 'ccbptTargetTable.1.6': {}, 'ccbptTargetTable.1.7': {}, 'ccbptTargetTable.1.8': {}, 'ccbptTargetTable.1.9': {}, 'ccbptTargetTableLastChange': {}, 'cciDescriptionEntry': {'1': {}, '2': {}}, 'ccmCLICfgRunConfNotifEnable': {}, 'ccmCLIHistoryCmdEntries': {}, 'ccmCLIHistoryCmdEntriesAllowed': {}, 'ccmCLIHistoryCommand': {}, 'ccmCLIHistoryMaxCmdEntries': {}, 'ccmCTID': {}, 'ccmCTIDLastChangeTime': {}, 'ccmCTIDRolledOverNotifEnable': {}, 'ccmCTIDWhoChanged': {}, 'ccmCallHomeAlertGroupCfg': {'3': {}, '5': {}}, 'ccmCallHomeConfiguration': {'1': {}, '10': {}, '11': {}, '13': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '23': {}, '24': {}, '27': {}, '28': {}, '29': {}, '3': {}, '34': {}, '35': {}, '36': {}, '37': {}, '38': {}, '39': {}, '4': {}, '40': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ccmCallHomeDiagSignature': {'2': {}, '3': {}}, 'ccmCallHomeDiagSignatureInfoEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'ccmCallHomeMessageSource': {'1': {}, '2': {}, '3': {}}, 'ccmCallHomeNotifConfig': {'1': {}}, 'ccmCallHomeReporting': {'1': {}}, 'ccmCallHomeSecurity': {'1': {}}, 'ccmCallHomeStats': {'1': {}, '2': {}, '3': {}, '4': {}}, 'ccmCallHomeStatus': {'1': {}, '2': {}, '3': {}, '5': {}}, 'ccmCallHomeVrf': {'1': {}}, 'ccmDestProfileTestEntry': {'1': {}, '2': {}, '3': {}, '4': {}}, 'ccmEventAlertGroupEntry': {'1': {}, '2': {}}, 'ccmEventStatsEntry': {'10': {}, '11': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ccmHistoryCLICmdEntriesBumped': {}, 'ccmHistoryEventCommandSource': {}, 'ccmHistoryEventCommandSourceAddrRev1': {}, 'ccmHistoryEventCommandSourceAddrType': {}, 'ccmHistoryEventCommandSourceAddress': {}, 'ccmHistoryEventConfigDestination': {}, 'ccmHistoryEventConfigSource': {}, 'ccmHistoryEventEntriesBumped': {}, 'ccmHistoryEventFile': {}, 'ccmHistoryEventRcpUser': {}, 'ccmHistoryEventServerAddrRev1': {}, 'ccmHistoryEventServerAddrType': {}, 'ccmHistoryEventServerAddress': {}, 'ccmHistoryEventTerminalLocation': {}, 'ccmHistoryEventTerminalNumber': {}, 'ccmHistoryEventTerminalType': {}, 'ccmHistoryEventTerminalUser': {}, 'ccmHistoryEventTime': {}, 'ccmHistoryEventVirtualHostName': {}, 'ccmHistoryMaxEventEntries': {}, 'ccmHistoryRunningLastChanged': {}, 'ccmHistoryRunningLastSaved': {}, 'ccmHistoryStartupLastChanged': {}, 'ccmOnDemandCliMsgControl': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}}, 'ccmOnDemandMsgSendControl': {'1': {}, '2': {}, '3': {}, '4': {}}, 'ccmPatternAlertGroupEntry': {'2': {}, '3': {}, '4': {}}, 'ccmPeriodicAlertGroupEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}}, 'ccmPeriodicSwInventoryCfg': {'1': {}}, 'ccmSeverityAlertGroupEntry': {'1': {}}, 'ccmSmartCallHomeActions': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}}, 'ccmSmtpServerStatusEntry': {'1': {}}, 'ccmSmtpServersEntry': {'3': {}, '4': {}, '5': {}, '6': {}}, 'cdeCircuitEntry': {'1': {}, '2': {}, '3': {}, '4': {}}, 'cdeFastEntry': {'10': {}, '11': {}, '12': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cdeIfEntry': {'1': {}}, 'cdeNode': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cdeTConnConfigEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cdeTConnDirectConfigEntry': {'1': {}, '2': {}, '3': {}}, 'cdeTConnOperEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}}, 'cdeTConnTcpConfigEntry': {'1': {}}, 'cdeTrapControl': {'1': {}, '2': {}}, 'cdlCivicAddrLocationStatus': {}, 'cdlCivicAddrLocationStorageType': {}, 'cdlCivicAddrLocationValue': {}, 'cdlCustomLocationStatus': {}, 'cdlCustomLocationStorageType': {}, 'cdlCustomLocationValue': {}, 'cdlGeoAltitude': {}, 'cdlGeoAltitudeResolution': {}, 'cdlGeoAltitudeType': {}, 'cdlGeoLatitude': {}, 'cdlGeoLatitudeResolution': {}, 'cdlGeoLongitude': {}, 'cdlGeoLongitudeResolution': {}, 'cdlGeoResolution': {}, 'cdlGeoStatus': {}, 'cdlGeoStorageType': {}, 'cdlKey': {}, 'cdlLocationCountryCode': {}, 'cdlLocationPreferWeightValue': {}, 'cdlLocationSubTypeCapability': {}, 'cdlLocationTargetIdentifier': {}, 'cdlLocationTargetType': {}, 'cdot3OamAdminState': {}, 'cdot3OamConfigRevision': {}, 'cdot3OamCriticalEventEnable': {}, 'cdot3OamDuplicateEventNotificationRx': {}, 'cdot3OamDuplicateEventNotificationTx': {}, 'cdot3OamDyingGaspEnable': {}, 'cdot3OamErrFrameEvNotifEnable': {}, 'cdot3OamErrFramePeriodEvNotifEnable': {}, 'cdot3OamErrFramePeriodThreshold': {}, 'cdot3OamErrFramePeriodWindow': {}, 'cdot3OamErrFrameSecsEvNotifEnable': {}, 'cdot3OamErrFrameSecsSummaryThreshold': {}, 'cdot3OamErrFrameSecsSummaryWindow': {}, 'cdot3OamErrFrameThreshold': {}, 'cdot3OamErrFrameWindow': {}, 'cdot3OamErrSymPeriodEvNotifEnable': {}, 'cdot3OamErrSymPeriodThresholdHi': {}, 'cdot3OamErrSymPeriodThresholdLo': {}, 'cdot3OamErrSymPeriodWindowHi': {}, 'cdot3OamErrSymPeriodWindowLo': {}, 'cdot3OamEventLogEventTotal': {}, 'cdot3OamEventLogLocation': {}, 'cdot3OamEventLogOui': {}, 'cdot3OamEventLogRunningTotal': {}, 'cdot3OamEventLogThresholdHi': {}, 'cdot3OamEventLogThresholdLo': {}, 'cdot3OamEventLogTimestamp': {}, 'cdot3OamEventLogType': {}, 'cdot3OamEventLogValue': {}, 'cdot3OamEventLogWindowHi': {}, 'cdot3OamEventLogWindowLo': {}, 'cdot3OamFramesLostDueToOam': {}, 'cdot3OamFunctionsSupported': {}, 'cdot3OamInformationRx': {}, 'cdot3OamInformationTx': {}, 'cdot3OamLoopbackControlRx': {}, 'cdot3OamLoopbackControlTx': {}, 'cdot3OamLoopbackIgnoreRx': {}, 'cdot3OamLoopbackStatus': {}, 'cdot3OamMaxOamPduSize': {}, 'cdot3OamMode': {}, 'cdot3OamOperStatus': {}, 'cdot3OamOrgSpecificRx': {}, 'cdot3OamOrgSpecificTx': {}, 'cdot3OamPeerConfigRevision': {}, 'cdot3OamPeerFunctionsSupported': {}, 'cdot3OamPeerMacAddress': {}, 'cdot3OamPeerMaxOamPduSize': {}, 'cdot3OamPeerMode': {}, 'cdot3OamPeerVendorInfo': {}, 'cdot3OamPeerVendorOui': {}, 'cdot3OamUniqueEventNotificationRx': {}, 'cdot3OamUniqueEventNotificationTx': {}, 'cdot3OamUnsupportedCodesRx': {}, 'cdot3OamUnsupportedCodesTx': {}, 'cdot3OamVariableRequestRx': {}, 'cdot3OamVariableRequestTx': {}, 'cdot3OamVariableResponseRx': {}, 'cdot3OamVariableResponseTx': {}, 'cdpCache.2.1.4': {}, 'cdpCache.2.1.5': {}, 'cdpCacheEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cdpGlobal': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}}, 'cdpInterface.2.1.1': {}, 'cdpInterface.2.1.2': {}, 'cdpInterfaceEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}}, 'cdspActiveChannels': {}, 'cdspAlarms': {}, 'cdspCardIndex': {}, 'cdspCardLastHiWaterUtilization': {}, 'cdspCardLastResetTime': {}, 'cdspCardMaxChanPerDSP': {}, 'cdspCardResourceUtilization': {}, 'cdspCardState': {}, 'cdspCardVideoPoolUtilization': {}, 'cdspCardVideoPoolUtilizationThreshold': {}, 'cdspCodecTemplateSupported': {}, 'cdspCongestedDsp': {}, 'cdspCurrentAvlbCap': {}, 'cdspCurrentUtilCap': {}, 'cdspDspNum': {}, 'cdspDspSwitchOverThreshold': {}, 'cdspDspfarmObjects.5.1.10': {}, 'cdspDspfarmObjects.5.1.11': {}, 'cdspDspfarmObjects.5.1.2': {}, 'cdspDspfarmObjects.5.1.3': {}, 'cdspDspfarmObjects.5.1.4': {}, 'cdspDspfarmObjects.5.1.5': {}, 'cdspDspfarmObjects.5.1.6': {}, 'cdspDspfarmObjects.5.1.7': {}, 'cdspDspfarmObjects.5.1.8': {}, 'cdspDspfarmObjects.5.1.9': {}, 'cdspDtmfPowerLevel': {}, 'cdspDtmfPowerTwist': {}, 'cdspEnableOperStateNotification': {}, 'cdspFailedDsp': {}, 'cdspGlobMaxAvailTranscodeSess': {}, 'cdspGlobMaxConfTranscodeSess': {}, 'cdspInUseChannels': {}, 'cdspLastAlarmCause': {}, 'cdspLastAlarmCauseText': {}, 'cdspLastAlarmTime': {}, 'cdspMIBEnableCardStatusNotification': {}, 'cdspMtpProfileEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cdspMtpProfileMaxAvailHardSess': {}, 'cdspMtpProfileMaxConfHardSess': {}, 'cdspMtpProfileMaxConfSoftSess': {}, 'cdspMtpProfileRowStatus': {}, 'cdspNormalDsp': {}, 'cdspNumCongestionOccurrence': {}, 'cdspNx64Dsp': {}, 'cdspOperState': {}, 'cdspPktLossConcealment': {}, 'cdspRtcpControl': {}, 'cdspRtcpRecvMultiplier': {}, 'cdspRtcpTimerControl': {}, 'cdspRtcpTransInterval': {}, 'cdspRtcpXrControl': {}, 'cdspRtcpXrExtRfactor': {}, 'cdspRtcpXrGminDefault': {}, 'cdspRtcpXrTransMultiplier': {}, 'cdspRtpSidPayloadType': {}, 'cdspSigBearerChannelSplit': {}, 'cdspTotAvailMtpSess': {}, 'cdspTotAvailTranscodeSess': {}, 'cdspTotUnusedMtpSess': {}, 'cdspTotUnusedTranscodeSess': {}, 'cdspTotalChannels': {}, 'cdspTotalDsp': {}, 'cdspTranscodeProfileEntry': {'10': {}, '11': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cdspTranscodeProfileMaxAvailSess': {}, 'cdspTranscodeProfileMaxConfSess': {}, 'cdspTranscodeProfileRowStatus': {}, 'cdspTransparentIpIp': {}, 'cdspVadAdaptive': {}, 'cdspVideoOutOfResourceNotificationEnable': {}, 'cdspVideoUsageNotificationEnable': {}, 'cdspVoiceModeIpIp': {}, 'cdspVqmControl': {}, 'cdspVqmThreshSES': {}, 'cdspXAvailableBearerBandwidth': {}, 'cdspXAvailableSigBandwidth': {}, 'cdspXNumberOfBearerCalls': {}, 'cdspXNumberOfSigCalls': {}, 'cdtCommonAddrPool': {}, 'cdtCommonDescr': {}, 'cdtCommonIpv4AccessGroup': {}, 'cdtCommonIpv4Unreachables': {}, 'cdtCommonIpv6AccessGroup': {}, 'cdtCommonIpv6Unreachables': {}, 'cdtCommonKeepaliveInt': {}, 'cdtCommonKeepaliveRetries': {}, 'cdtCommonSrvAcct': {}, 'cdtCommonSrvNetflow': {}, 'cdtCommonSrvQos': {}, 'cdtCommonSrvRedirect': {}, 'cdtCommonSrvSubControl': {}, 'cdtCommonValid': {}, 'cdtCommonVrf': {}, 'cdtEthernetBridgeDomain': {}, 'cdtEthernetIpv4PointToPoint': {}, 'cdtEthernetMacAddr': {}, 'cdtEthernetPppoeEnable': {}, 'cdtEthernetValid': {}, 'cdtIfCdpEnable': {}, 'cdtIfFlowMonitor': {}, 'cdtIfIpv4Mtu': {}, 'cdtIfIpv4SubEnable': {}, 'cdtIfIpv4TcpMssAdjust': {}, 'cdtIfIpv4Unnumbered': {}, 'cdtIfIpv4VerifyUniRpf': {}, 'cdtIfIpv4VerifyUniRpfAcl': {}, 'cdtIfIpv4VerifyUniRpfOpts': {}, 'cdtIfIpv6Enable': {}, 'cdtIfIpv6NdDadAttempts': {}, 'cdtIfIpv6NdNsInterval': {}, 'cdtIfIpv6NdOpts': {}, 'cdtIfIpv6NdPreferredLife': {}, 'cdtIfIpv6NdPrefix': {}, 'cdtIfIpv6NdPrefixLength': {}, 'cdtIfIpv6NdRaIntervalMax': {}, 'cdtIfIpv6NdRaIntervalMin': {}, 'cdtIfIpv6NdRaIntervalUnits': {}, 'cdtIfIpv6NdRaLife': {}, 'cdtIfIpv6NdReachableTime': {}, 'cdtIfIpv6NdRouterPreference': {}, 'cdtIfIpv6NdValidLife': {}, 'cdtIfIpv6SubEnable': {}, 'cdtIfIpv6TcpMssAdjust': {}, 'cdtIfIpv6VerifyUniRpf': {}, 'cdtIfIpv6VerifyUniRpfAcl': {}, 'cdtIfIpv6VerifyUniRpfOpts': {}, 'cdtIfMtu': {}, 'cdtIfValid': {}, 'cdtPppAccounting': {}, 'cdtPppAuthentication': {}, 'cdtPppAuthenticationMethods': {}, 'cdtPppAuthorization': {}, 'cdtPppChapHostname': {}, 'cdtPppChapOpts': {}, 'cdtPppChapPassword': {}, 'cdtPppEapIdentity': {}, 'cdtPppEapOpts': {}, 'cdtPppEapPassword': {}, 'cdtPppIpcpAddrOption': {}, 'cdtPppIpcpDnsOption': {}, 'cdtPppIpcpDnsPrimary': {}, 'cdtPppIpcpDnsSecondary': {}, 'cdtPppIpcpMask': {}, 'cdtPppIpcpMaskOption': {}, 'cdtPppIpcpWinsOption': {}, 'cdtPppIpcpWinsPrimary': {}, 'cdtPppIpcpWinsSecondary': {}, 'cdtPppLoopbackIgnore': {}, 'cdtPppMaxBadAuth': {}, 'cdtPppMaxConfigure': {}, 'cdtPppMaxFailure': {}, 'cdtPppMaxTerminate': {}, 'cdtPppMsChapV1Hostname': {}, 'cdtPppMsChapV1Opts': {}, 'cdtPppMsChapV1Password': {}, 'cdtPppMsChapV2Hostname': {}, 'cdtPppMsChapV2Opts': {}, 'cdtPppMsChapV2Password': {}, 'cdtPppPapOpts': {}, 'cdtPppPapPassword': {}, 'cdtPppPapUsername': {}, 'cdtPppPeerDefIpAddr': {}, 'cdtPppPeerDefIpAddrOpts': {}, 'cdtPppPeerDefIpAddrSrc': {}, 'cdtPppPeerIpAddrPoolName': {}, 'cdtPppPeerIpAddrPoolStatus': {}, 'cdtPppPeerIpAddrPoolStorage': {}, 'cdtPppTimeoutAuthentication': {}, 'cdtPppTimeoutRetry': {}, 'cdtPppValid': {}, 'cdtSrvMulticast': {}, 'cdtSrvNetworkSrv': {}, 'cdtSrvSgSrvGroup': {}, 'cdtSrvSgSrvType': {}, 'cdtSrvValid': {}, 'cdtSrvVpdnGroup': {}, 'cdtTemplateAssociationName': {}, 'cdtTemplateAssociationPrecedence': {}, 'cdtTemplateName': {}, 'cdtTemplateSrc': {}, 'cdtTemplateStatus': {}, 'cdtTemplateStorage': {}, 'cdtTemplateTargetStatus': {}, 'cdtTemplateTargetStorage': {}, 'cdtTemplateType': {}, 'cdtTemplateUsageCount': {}, 'cdtTemplateUsageTargetId': {}, 'cdtTemplateUsageTargetType': {}, 'ceAlarmCriticalCount': {}, 'ceAlarmCutOff': {}, 'ceAlarmDescrSeverity': {}, 'ceAlarmDescrText': {}, 'ceAlarmDescrVendorType': {}, 'ceAlarmFilterAlarmsEnabled': {}, 'ceAlarmFilterAlias': {}, 'ceAlarmFilterNotifiesEnabled': {}, 'ceAlarmFilterProfile': {}, 'ceAlarmFilterProfileIndexNext': {}, 'ceAlarmFilterStatus': {}, 'ceAlarmFilterSyslogEnabled': {}, 'ceAlarmHistAlarmType': {}, 'ceAlarmHistEntPhysicalIndex': {}, 'ceAlarmHistLastIndex': {}, 'ceAlarmHistSeverity': {}, 'ceAlarmHistTableSize': {}, 'ceAlarmHistTimeStamp': {}, 'ceAlarmHistType': {}, 'ceAlarmList': {}, 'ceAlarmMajorCount': {}, 'ceAlarmMinorCount': {}, 'ceAlarmNotifiesEnable': {}, 'ceAlarmSeverity': {}, 'ceAlarmSyslogEnable': {}, 'ceAssetAlias': {}, 'ceAssetCLEI': {}, 'ceAssetFirmwareID': {}, 'ceAssetFirmwareRevision': {}, 'ceAssetHardwareRevision': {}, 'ceAssetIsFRU': {}, 'ceAssetMfgAssyNumber': {}, 'ceAssetMfgAssyRevision': {}, 'ceAssetOEMString': {}, 'ceAssetOrderablePartNumber': {}, 'ceAssetSerialNumber': {}, 'ceAssetSoftwareID': {}, 'ceAssetSoftwareRevision': {}, 'ceAssetTag': {}, 'ceDiagEntityCurrentTestEntry': {'1': {}}, 'ceDiagEntityEntry': {'1': {}, '2': {}, '3': {}, '4': {}}, 'ceDiagErrorInfoEntry': {'2': {}}, 'ceDiagEventQueryEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}}, 'ceDiagEventResultEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}}, 'ceDiagEvents': {'1': {}, '2': {}, '3': {}}, 'ceDiagHMTestEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'ceDiagHealthMonitor': {'1': {}}, 'ceDiagNotificationControl': {'1': {}, '2': {}, '3': {}, '4': {}}, 'ceDiagOnDemand': {'1': {}, '2': {}, '3': {}}, 'ceDiagOnDemandJobEntry': {'1': {}, '2': {}, '3': {}, '4': {}}, 'ceDiagScheduledJobEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'ceDiagTestCustomAttributeEntry': {'2': {}}, 'ceDiagTestInfoEntry': {'2': {}, '3': {}}, 'ceDiagTestPerfEntry': {'1': {}, '10': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ceExtConfigRegNext': {}, 'ceExtConfigRegister': {}, 'ceExtEntBreakOutPortNotifEnable': {}, 'ceExtEntDoorNotifEnable': {}, 'ceExtEntityLEDColor': {}, 'ceExtHCProcessorRam': {}, 'ceExtKickstartImageList': {}, 'ceExtNVRAMSize': {}, 'ceExtNVRAMUsed': {}, 'ceExtNotificationControlObjects': {'3': {}}, 'ceExtProcessorRam': {}, 'ceExtProcessorRamOverflow': {}, 'ceExtSysBootImageList': {}, 'ceExtUSBModemIMEI': {}, 'ceExtUSBModemIMSI': {}, 'ceExtUSBModemServiceProvider': {}, 'ceExtUSBModemSignalStrength': {}, 'ceImage.1.1.2': {}, 'ceImage.1.1.3': {}, 'ceImage.1.1.4': {}, 'ceImage.1.1.5': {}, 'ceImage.1.1.6': {}, 'ceImage.1.1.7': {}, 'ceImageInstallableTable.1.2': {}, 'ceImageInstallableTable.1.3': {}, 'ceImageInstallableTable.1.4': {}, 'ceImageInstallableTable.1.5': {}, 'ceImageInstallableTable.1.6': {}, 'ceImageInstallableTable.1.7': {}, 'ceImageInstallableTable.1.8': {}, 'ceImageInstallableTable.1.9': {}, 'ceImageLocationTable.1.2': {}, 'ceImageLocationTable.1.3': {}, 'ceImageTags.1.1.2': {}, 'ceImageTags.1.1.3': {}, 'ceImageTags.1.1.4': {}, 'ceeDot3PauseExtAdminMode': {}, 'ceeDot3PauseExtOperMode': {}, 'ceeSubInterfaceCount': {}, 'ceemEventMapEntry': {'2': {}, '3': {}}, 'ceemHistory': {'1': {}}, 'ceemHistoryEventEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ceemHistoryLastEventEntry': {}, 'ceemRegisteredPolicyEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cefAdjBytes': {}, 'cefAdjEncap': {}, 'cefAdjFixup': {}, 'cefAdjForwardingInfo': {}, 'cefAdjHCBytes': {}, 'cefAdjHCPkts': {}, 'cefAdjMTU': {}, 'cefAdjPkts': {}, 'cefAdjSource': {}, 'cefAdjSummaryComplete': {}, 'cefAdjSummaryFixup': {}, 'cefAdjSummaryIncomplete': {}, 'cefAdjSummaryRedirect': {}, 'cefCCCount': {}, 'cefCCEnabled': {}, 'cefCCGlobalAutoRepairDelay': {}, 'cefCCGlobalAutoRepairEnabled': {}, 'cefCCGlobalAutoRepairHoldDown': {}, 'cefCCGlobalErrorMsgEnabled': {}, 'cefCCGlobalFullScanAction': {}, 'cefCCGlobalFullScanStatus': {}, 'cefCCPeriod': {}, 'cefCCQueriesChecked': {}, 'cefCCQueriesIgnored': {}, 'cefCCQueriesIterated': {}, 'cefCCQueriesSent': {}, 'cefCfgAccountingMap': {}, 'cefCfgAdminState': {}, 'cefCfgDistributionAdminState': {}, 'cefCfgDistributionOperState': {}, 'cefCfgLoadSharingAlgorithm': {}, 'cefCfgLoadSharingID': {}, 'cefCfgOperState': {}, 'cefCfgTrafficStatsLoadInterval': {}, 'cefCfgTrafficStatsUpdateRate': {}, 'cefFESelectionAdjConnId': {}, 'cefFESelectionAdjInterface': {}, 'cefFESelectionAdjLinkType': {}, 'cefFESelectionAdjNextHopAddr': {}, 'cefFESelectionAdjNextHopAddrType': {}, 'cefFESelectionLabels': {}, 'cefFESelectionSpecial': {}, 'cefFESelectionVrfName': {}, 'cefFESelectionWeight': {}, 'cefFIBSummaryFwdPrefixes': {}, 'cefInconsistencyCCType': {}, 'cefInconsistencyEntity': {}, 'cefInconsistencyNotifEnable': {}, 'cefInconsistencyPrefixAddr': {}, 'cefInconsistencyPrefixLen': {}, 'cefInconsistencyPrefixType': {}, 'cefInconsistencyReason': {}, 'cefInconsistencyReset': {}, 'cefInconsistencyResetStatus': {}, 'cefInconsistencyVrfName': {}, 'cefIntLoadSharing': {}, 'cefIntNonrecursiveAccouting': {}, 'cefIntSwitchingState': {}, 'cefLMPrefixAddr': {}, 'cefLMPrefixLen': {}, 'cefLMPrefixRowStatus': {}, 'cefLMPrefixSpinLock': {}, 'cefLMPrefixState': {}, 'cefNotifThrottlingInterval': {}, 'cefPathInterface': {}, 'cefPathNextHopAddr': {}, 'cefPathRecurseVrfName': {}, 'cefPathType': {}, 'cefPeerFIBOperState': {}, 'cefPeerFIBStateChangeNotifEnable': {}, 'cefPeerNumberOfResets': {}, 'cefPeerOperState': {}, 'cefPeerStateChangeNotifEnable': {}, 'cefPrefixBytes': {}, 'cefPrefixExternalNRBytes': {}, 'cefPrefixExternalNRHCBytes': {}, 'cefPrefixExternalNRHCPkts': {}, 'cefPrefixExternalNRPkts': {}, 'cefPrefixForwardingInfo': {}, 'cefPrefixHCBytes': {}, 'cefPrefixHCPkts': {}, 'cefPrefixInternalNRBytes': {}, 'cefPrefixInternalNRHCBytes': {}, 'cefPrefixInternalNRHCPkts': {}, 'cefPrefixInternalNRPkts': {}, 'cefPrefixPkts': {}, 'cefResourceFailureNotifEnable': {}, 'cefResourceFailureReason': {}, 'cefResourceMemoryUsed': {}, 'cefStatsPrefixDeletes': {}, 'cefStatsPrefixElements': {}, 'cefStatsPrefixHCDeletes': {}, 'cefStatsPrefixHCElements': {}, 'cefStatsPrefixHCInserts': {}, 'cefStatsPrefixHCQueries': {}, 'cefStatsPrefixInserts': {}, 'cefStatsPrefixQueries': {}, 'cefSwitchingDrop': {}, 'cefSwitchingHCDrop': {}, 'cefSwitchingHCPunt': {}, 'cefSwitchingHCPunt2Host': {}, 'cefSwitchingPath': {}, 'cefSwitchingPunt': {}, 'cefSwitchingPunt2Host': {}, 'cefcFRUPowerStatusTable.1.1': {}, 'cefcFRUPowerStatusTable.1.2': {}, 'cefcFRUPowerStatusTable.1.3': {}, 'cefcFRUPowerStatusTable.1.4': {}, 'cefcFRUPowerStatusTable.1.5': {}, 'cefcFRUPowerSupplyGroupTable.1.1': {}, 'cefcFRUPowerSupplyGroupTable.1.2': {}, 'cefcFRUPowerSupplyGroupTable.1.3': {}, 'cefcFRUPowerSupplyGroupTable.1.4': {}, 'cefcFRUPowerSupplyGroupTable.1.5': {}, 'cefcFRUPowerSupplyGroupTable.1.6': {}, 'cefcFRUPowerSupplyGroupTable.1.7': {}, 'cefcFRUPowerSupplyValueTable.1.1': {}, 'cefcFRUPowerSupplyValueTable.1.2': {}, 'cefcFRUPowerSupplyValueTable.1.3': {}, 'cefcFRUPowerSupplyValueTable.1.4': {}, 'cefcMIBEnableStatusNotification': {}, 'cefcMaxDefaultInLinePower': {}, 'cefcModuleTable.1.1': {}, 'cefcModuleTable.1.2': {}, 'cefcModuleTable.1.3': {}, 'cefcModuleTable.1.4': {}, 'cefcModuleTable.1.5': {}, 'cefcModuleTable.1.6': {}, 'cefcModuleTable.1.7': {}, 'cefcModuleTable.1.8': {}, 'cempMIBObjects.2.1': {}, 'cempMemBufferCachePoolEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}}, 'cempMemBufferPoolEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cempMemPoolEntry': {'10': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cepConfigFallingThreshold': {}, 'cepConfigPerfRange': {}, 'cepConfigRisingThreshold': {}, 'cepConfigThresholdNotifEnabled': {}, 'cepEntityLastReloadTime': {}, 'cepEntityNumReloads': {}, 'cepIntervalStatsCreateTime': {}, 'cepIntervalStatsMeasurement': {}, 'cepIntervalStatsRange': {}, 'cepIntervalStatsValidData': {}, 'cepIntervalTimeElapsed': {}, 'cepStatsAlgorithm': {}, 'cepStatsMeasurement': {}, 'cepThresholdNotifEnabled': {}, 'cepThroughputAvgRate': {}, 'cepThroughputInterval': {}, 'cepThroughputLevel': {}, 'cepThroughputLicensedBW': {}, 'cepThroughputNotifEnabled': {}, 'cepThroughputThreshold': {}, 'cepValidIntervalCount': {}, 'ceqfpFiveMinutesUtilAlgo': {}, 'ceqfpFiveSecondUtilAlgo': {}, 'ceqfpMemoryResCurrentFallingThresh': {}, 'ceqfpMemoryResCurrentRisingThresh': {}, 'ceqfpMemoryResFallingThreshold': {}, 'ceqfpMemoryResFree': {}, 'ceqfpMemoryResInUse': {}, 'ceqfpMemoryResLowFreeWatermark': {}, 'ceqfpMemoryResRisingThreshold': {}, 'ceqfpMemoryResThreshNotifEnabled': {}, 'ceqfpMemoryResTotal': {}, 'ceqfpMemoryResourceEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '8': {}, '9': {}}, 'ceqfpNumberSystemLoads': {}, 'ceqfpOneMinuteUtilAlgo': {}, 'ceqfpSixtyMinutesUtilAlgo': {}, 'ceqfpSystemLastLoadTime': {}, 'ceqfpSystemState': {}, 'ceqfpSystemTrafficDirection': {}, 'ceqfpThroughputAvgRate': {}, 'ceqfpThroughputLevel': {}, 'ceqfpThroughputLicensedBW': {}, 'ceqfpThroughputNotifEnabled': {}, 'ceqfpThroughputSamplePeriod': {}, 'ceqfpThroughputThreshold': {}, 'ceqfpUtilInputNonPriorityBitRate': {}, 'ceqfpUtilInputNonPriorityPktRate': {}, 'ceqfpUtilInputPriorityBitRate': {}, 'ceqfpUtilInputPriorityPktRate': {}, 'ceqfpUtilInputTotalBitRate': {}, 'ceqfpUtilInputTotalPktRate': {}, 'ceqfpUtilOutputNonPriorityBitRate': {}, 'ceqfpUtilOutputNonPriorityPktRate': {}, 'ceqfpUtilOutputPriorityBitRate': {}, 'ceqfpUtilOutputPriorityPktRate': {}, 'ceqfpUtilOutputTotalBitRate': {}, 'ceqfpUtilOutputTotalPktRate': {}, 'ceqfpUtilProcessingLoad': {}, 'cermConfigResGroupRowStatus': {}, 'cermConfigResGroupStorageType': {}, 'cermConfigResGroupUserRowStatus': {}, 'cermConfigResGroupUserStorageType': {}, 'cermConfigResGroupUserTypeName': {}, 'cermNotifsDirection': {}, 'cermNotifsEnabled': {}, 'cermNotifsPolicyName': {}, 'cermNotifsThresholdIsUserGlob': {}, 'cermNotifsThresholdSeverity': {}, 'cermNotifsThresholdValue': {}, 'cermPolicyApplyPolicyName': {}, 'cermPolicyApplyRowStatus': {}, 'cermPolicyApplyStorageType': {}, 'cermPolicyFallingInterval': {}, 'cermPolicyFallingThreshold': {}, 'cermPolicyIsGlobal': {}, 'cermPolicyLoggingEnabled': {}, 'cermPolicyResOwnerThreshRowStatus': {}, 'cermPolicyResOwnerThreshStorageType': {}, 'cermPolicyRisingInterval': {}, 'cermPolicyRisingThreshold': {}, 'cermPolicyRowStatus': {}, 'cermPolicySnmpNotifEnabled': {}, 'cermPolicyStorageType': {}, 'cermPolicyUserTypeName': {}, 'cermResGroupName': {}, 'cermResGroupResUserId': {}, 'cermResGroupUserInstanceCount': {}, 'cermResMonitorName': {}, 'cermResMonitorPolicyName': {}, 'cermResMonitorResPolicyName': {}, 'cermResOwnerMeasurementUnit': {}, 'cermResOwnerName': {}, 'cermResOwnerResGroupCount': {}, 'cermResOwnerResUserCount': {}, 'cermResOwnerSubTypeFallingInterval': {}, 'cermResOwnerSubTypeFallingThresh': {}, 'cermResOwnerSubTypeGlobNotifSeverity': {}, 'cermResOwnerSubTypeMaxUsage': {}, 'cermResOwnerSubTypeName': {}, 'cermResOwnerSubTypeRisingInterval': {}, 'cermResOwnerSubTypeRisingThresh': {}, 'cermResOwnerSubTypeUsage': {}, 'cermResOwnerSubTypeUsagePct': {}, 'cermResOwnerThreshIsConfigurable': {}, 'cermResUserName': {}, 'cermResUserOrGroupFallingInterval': {}, 'cermResUserOrGroupFallingThresh': {}, 'cermResUserOrGroupFlag': {}, 'cermResUserOrGroupGlobNotifSeverity': {}, 'cermResUserOrGroupMaxUsage': {}, 'cermResUserOrGroupNotifSeverity': {}, 'cermResUserOrGroupRisingInterval': {}, 'cermResUserOrGroupRisingThresh': {}, 'cermResUserOrGroupThreshFlag': {}, 'cermResUserOrGroupUsage': {}, 'cermResUserOrGroupUsagePct': {}, 'cermResUserPriority': {}, 'cermResUserResGroupId': {}, 'cermResUserTypeName': {}, 'cermResUserTypeResGroupCount': {}, 'cermResUserTypeResOwnerCount': {}, 'cermResUserTypeResOwnerId': {}, 'cermResUserTypeResUserCount': {}, 'cermScalarsGlobalPolicyName': {}, 'cevcEvcActiveUnis': {}, 'cevcEvcCfgUnis': {}, 'cevcEvcIdentifier': {}, 'cevcEvcLocalUniIfIndex': {}, 'cevcEvcNotifyEnabled': {}, 'cevcEvcOperStatus': {}, 'cevcEvcRowStatus': {}, 'cevcEvcStorageType': {}, 'cevcEvcType': {}, 'cevcEvcUniId': {}, 'cevcEvcUniOperStatus': {}, 'cevcMacAddress': {}, 'cevcMaxMacConfigLimit': {}, 'cevcMaxNumEvcs': {}, 'cevcNumCfgEvcs': {}, 'cevcPortL2ControlProtocolAction': {}, 'cevcPortMaxNumEVCs': {}, 'cevcPortMaxNumServiceInstances': {}, 'cevcPortMode': {}, 'cevcSIAdminStatus': {}, 'cevcSICEVlanEndingVlan': {}, 'cevcSICEVlanRowStatus': {}, 'cevcSICEVlanStorageType': {}, 'cevcSICreationType': {}, 'cevcSIEvcIndex': {}, 'cevcSIForwardBdNumber': {}, 'cevcSIForwardBdNumber1kBitmap': {}, 'cevcSIForwardBdNumber2kBitmap': {}, 'cevcSIForwardBdNumber3kBitmap': {}, 'cevcSIForwardBdNumber4kBitmap': {}, 'cevcSIForwardBdNumberBase': {}, 'cevcSIForwardBdRowStatus': {}, 'cevcSIForwardBdStorageType': {}, 'cevcSIForwardingType': {}, 'cevcSIID': {}, 'cevcSIL2ControlProtocolAction': {}, 'cevcSIMatchCriteriaType': {}, 'cevcSIMatchEncapEncapsulation': {}, 'cevcSIMatchEncapPayloadType': {}, 'cevcSIMatchEncapPayloadTypes': {}, 'cevcSIMatchEncapPrimaryCos': {}, 'cevcSIMatchEncapPriorityCos': {}, 'cevcSIMatchEncapRowStatus': {}, 'cevcSIMatchEncapSecondaryCos': {}, 'cevcSIMatchEncapStorageType': {}, 'cevcSIMatchEncapValid': {}, 'cevcSIMatchRowStatus': {}, 'cevcSIMatchStorageType': {}, 'cevcSIName': {}, 'cevcSIOperStatus': {}, 'cevcSIPrimaryVlanEndingVlan': {}, 'cevcSIPrimaryVlanRowStatus': {}, 'cevcSIPrimaryVlanStorageType': {}, 'cevcSIRowStatus': {}, 'cevcSISecondaryVlanEndingVlan': {}, 'cevcSISecondaryVlanRowStatus': {}, 'cevcSISecondaryVlanStorageType': {}, 'cevcSIStorageType': {}, 'cevcSITarget': {}, 'cevcSITargetType': {}, 'cevcSIType': {}, 'cevcSIVlanRewriteAction': {}, 'cevcSIVlanRewriteEncapsulation': {}, 'cevcSIVlanRewriteRowStatus': {}, 'cevcSIVlanRewriteStorageType': {}, 'cevcSIVlanRewriteSymmetric': {}, 'cevcSIVlanRewriteVlan1': {}, 'cevcSIVlanRewriteVlan2': {}, 'cevcUniCEVlanEvcEndingVlan': {}, 'cevcUniIdentifier': {}, 'cevcUniPortType': {}, 'cevcUniServiceAttributes': {}, 'cevcViolationCause': {}, 'cfcRequestTable.1.10': {}, 'cfcRequestTable.1.11': {}, 'cfcRequestTable.1.12': {}, 'cfcRequestTable.1.2': {}, 'cfcRequestTable.1.3': {}, 'cfcRequestTable.1.4': {}, 'cfcRequestTable.1.5': {}, 'cfcRequestTable.1.6': {}, 'cfcRequestTable.1.7': {}, 'cfcRequestTable.1.8': {}, 'cfcRequestTable.1.9': {}, 'cfmAlarmGroupConditionId': {}, 'cfmAlarmGroupConditionsProfile': {}, 'cfmAlarmGroupCurrentCount': {}, 'cfmAlarmGroupDescr': {}, 'cfmAlarmGroupFlowCount': {}, 'cfmAlarmGroupFlowId': {}, 'cfmAlarmGroupFlowSet': {}, 'cfmAlarmGroupFlowTableChanged': {}, 'cfmAlarmGroupRaised': {}, 'cfmAlarmGroupTableChanged': {}, 'cfmAlarmGroupThreshold': {}, 'cfmAlarmGroupThresholdUnits': {}, 'cfmAlarmHistoryConditionId': {}, 'cfmAlarmHistoryConditionsProfile': {}, 'cfmAlarmHistoryEntity': {}, 'cfmAlarmHistoryLastId': {}, 'cfmAlarmHistorySeverity': {}, 'cfmAlarmHistorySize': {}, 'cfmAlarmHistoryTime': {}, 'cfmAlarmHistoryType': {}, 'cfmConditionAlarm': {}, 'cfmConditionAlarmActions': {}, 'cfmConditionAlarmGroup': {}, 'cfmConditionAlarmSeverity': {}, 'cfmConditionDescr': {}, 'cfmConditionMonitoredElement': {}, 'cfmConditionSampleType': {}, 'cfmConditionSampleWindow': {}, 'cfmConditionTableChanged': {}, 'cfmConditionThreshFall': {}, 'cfmConditionThreshFallPrecision': {}, 'cfmConditionThreshFallScale': {}, 'cfmConditionThreshRise': {}, 'cfmConditionThreshRisePrecision': {}, 'cfmConditionThreshRiseScale': {}, 'cfmConditionType': {}, 'cfmFlowAdminStatus': {}, 'cfmFlowCreateTime': {}, 'cfmFlowDescr': {}, 'cfmFlowDirection': {}, 'cfmFlowDiscontinuityTime': {}, 'cfmFlowEgress': {}, 'cfmFlowEgressType': {}, 'cfmFlowExpirationTime': {}, 'cfmFlowIngress': {}, 'cfmFlowIngressType': {}, 'cfmFlowIpAddrDst': {}, 'cfmFlowIpAddrSrc': {}, 'cfmFlowIpAddrType': {}, 'cfmFlowIpEntry': {'10': {}, '8': {}, '9': {}}, 'cfmFlowIpHopLimit': {}, 'cfmFlowIpNext': {}, 'cfmFlowIpTableChanged': {}, 'cfmFlowIpTrafficClass': {}, 'cfmFlowIpValid': {}, 'cfmFlowL2InnerVlanCos': {}, 'cfmFlowL2InnerVlanId': {}, 'cfmFlowL2VlanCos': {}, 'cfmFlowL2VlanId': {}, 'cfmFlowL2VlanNext': {}, 'cfmFlowL2VlanTableChanged': {}, 'cfmFlowMetricsAlarmSeverity': {}, 'cfmFlowMetricsAlarms': {}, 'cfmFlowMetricsBitRate': {}, 'cfmFlowMetricsBitRateUnits': {}, 'cfmFlowMetricsCollected': {}, 'cfmFlowMetricsConditions': {}, 'cfmFlowMetricsConditionsProfile': {}, 'cfmFlowMetricsElapsedTime': {}, 'cfmFlowMetricsEntry': {'22': {}, '23': {}, '24': {}, '25': {}, '26': {}, '27': {}, '28': {}, '29': {}}, 'cfmFlowMetricsErrorSecs': {}, 'cfmFlowMetricsErrorSecsPrecision': {}, 'cfmFlowMetricsErrorSecsScale': {}, 'cfmFlowMetricsIntAlarmSeverity': {}, 'cfmFlowMetricsIntAlarms': {}, 'cfmFlowMetricsIntBitRate': {}, 'cfmFlowMetricsIntBitRateUnits': {}, 'cfmFlowMetricsIntConditions': {}, 'cfmFlowMetricsIntEntry': {'18': {}, '19': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '26': {}, '27': {}, '28': {}}, 'cfmFlowMetricsIntErrorSecs': {}, 'cfmFlowMetricsIntErrorSecsPrecision': {}, 'cfmFlowMetricsIntErrorSecsScale': {}, 'cfmFlowMetricsIntOctets': {}, 'cfmFlowMetricsIntPktRate': {}, 'cfmFlowMetricsIntPkts': {}, 'cfmFlowMetricsIntTime': {}, 'cfmFlowMetricsIntTransportAvailability': {}, 'cfmFlowMetricsIntTransportAvailabilityPrecision': {}, 'cfmFlowMetricsIntTransportAvailabilityScale': {}, 'cfmFlowMetricsIntValid': {}, 'cfmFlowMetricsIntervalTime': {}, 'cfmFlowMetricsIntervals': {}, 'cfmFlowMetricsInvalidIntervals': {}, 'cfmFlowMetricsMaxIntervals': {}, 'cfmFlowMetricsOctets': {}, 'cfmFlowMetricsPktRate': {}, 'cfmFlowMetricsPkts': {}, 'cfmFlowMetricsTableChanged': {}, 'cfmFlowMetricsTransportAvailability': {}, 'cfmFlowMetricsTransportAvailabilityPrecision': {}, 'cfmFlowMetricsTransportAvailabilityScale': {}, 'cfmFlowMonitorAlarmCriticalCount': {}, 'cfmFlowMonitorAlarmInfoCount': {}, 'cfmFlowMonitorAlarmMajorCount': {}, 'cfmFlowMonitorAlarmMinorCount': {}, 'cfmFlowMonitorAlarmSeverity': {}, 'cfmFlowMonitorAlarmWarningCount': {}, 'cfmFlowMonitorAlarms': {}, 'cfmFlowMonitorCaps': {}, 'cfmFlowMonitorConditions': {}, 'cfmFlowMonitorConditionsProfile': {}, 'cfmFlowMonitorDescr': {}, 'cfmFlowMonitorFlowCount': {}, 'cfmFlowMonitorTableChanged': {}, 'cfmFlowNext': {}, 'cfmFlowOperStatus': {}, 'cfmFlowRtpNext': {}, 'cfmFlowRtpPayloadType': {}, 'cfmFlowRtpSsrc': {}, 'cfmFlowRtpTableChanged': {}, 'cfmFlowRtpVersion': {}, 'cfmFlowTableChanged': {}, 'cfmFlowTcpNext': {}, 'cfmFlowTcpPortDst': {}, 'cfmFlowTcpPortSrc': {}, 'cfmFlowTcpTableChanged': {}, 'cfmFlowUdpNext': {}, 'cfmFlowUdpPortDst': {}, 'cfmFlowUdpPortSrc': {}, 'cfmFlowUdpTableChanged': {}, 'cfmFlows': {'14': {}}, 'cfmFlows.13.1.1': {}, 'cfmFlows.13.1.2': {}, 'cfmFlows.13.1.3': {}, 'cfmFlows.13.1.4': {}, 'cfmFlows.13.1.5': {}, 'cfmFlows.13.1.6': {}, 'cfmFlows.13.1.7': {}, 'cfmFlows.13.1.8': {}, 'cfmIpCbrMetricsCfgBitRate': {}, 'cfmIpCbrMetricsCfgMediaPktSize': {}, 'cfmIpCbrMetricsCfgRate': {}, 'cfmIpCbrMetricsCfgRateType': {}, 'cfmIpCbrMetricsEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}}, 'cfmIpCbrMetricsIntDf': {}, 'cfmIpCbrMetricsIntDfPrecision': {}, 'cfmIpCbrMetricsIntDfScale': {}, 'cfmIpCbrMetricsIntEntry': {'13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}}, 'cfmIpCbrMetricsIntLostPkts': {}, 'cfmIpCbrMetricsIntMr': {}, 'cfmIpCbrMetricsIntMrUnits': {}, 'cfmIpCbrMetricsIntMrv': {}, 'cfmIpCbrMetricsIntMrvPrecision': {}, 'cfmIpCbrMetricsIntMrvScale': {}, 'cfmIpCbrMetricsIntValid': {}, 'cfmIpCbrMetricsIntVbMax': {}, 'cfmIpCbrMetricsIntVbMin': {}, 'cfmIpCbrMetricsLostPkts': {}, 'cfmIpCbrMetricsMrv': {}, 'cfmIpCbrMetricsMrvPrecision': {}, 'cfmIpCbrMetricsMrvScale': {}, 'cfmIpCbrMetricsTableChanged': {}, 'cfmIpCbrMetricsValid': {}, 'cfmMdiMetricsCfgBitRate': {}, 'cfmMdiMetricsCfgMediaPktSize': {}, 'cfmMdiMetricsCfgRate': {}, 'cfmMdiMetricsCfgRateType': {}, 'cfmMdiMetricsEntry': {'10': {}}, 'cfmMdiMetricsIntDf': {}, 'cfmMdiMetricsIntDfPrecision': {}, 'cfmMdiMetricsIntDfScale': {}, 'cfmMdiMetricsIntEntry': {'13': {}}, 'cfmMdiMetricsIntLostPkts': {}, 'cfmMdiMetricsIntMlr': {}, 'cfmMdiMetricsIntMlrPrecision': {}, 'cfmMdiMetricsIntMlrScale': {}, 'cfmMdiMetricsIntMr': {}, 'cfmMdiMetricsIntMrUnits': {}, 'cfmMdiMetricsIntValid': {}, 'cfmMdiMetricsIntVbMax': {}, 'cfmMdiMetricsIntVbMin': {}, 'cfmMdiMetricsLostPkts': {}, 'cfmMdiMetricsMlr': {}, 'cfmMdiMetricsMlrPrecision': {}, 'cfmMdiMetricsMlrScale': {}, 'cfmMdiMetricsTableChanged': {}, 'cfmMdiMetricsValid': {}, 'cfmMetadataFlowAllAttrPen': {}, 'cfmMetadataFlowAllAttrValue': {}, 'cfmMetadataFlowAttrType': {}, 'cfmMetadataFlowAttrValue': {}, 'cfmMetadataFlowDestAddr': {}, 'cfmMetadataFlowDestAddrType': {}, 'cfmMetadataFlowDestPort': {}, 'cfmMetadataFlowProtocolType': {}, 'cfmMetadataFlowSSRC': {}, 'cfmMetadataFlowSrcAddr': {}, 'cfmMetadataFlowSrcAddrType': {}, 'cfmMetadataFlowSrcPort': {}, 'cfmNotifyEnable': {}, 'cfmRtpMetricsAvgLD': {}, 'cfmRtpMetricsAvgLDPrecision': {}, 'cfmRtpMetricsAvgLDScale': {}, 'cfmRtpMetricsAvgLossDistance': {}, 'cfmRtpMetricsEntry': {'18': {}, '19': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '26': {}, '27': {}, '28': {}, '29': {}, '30': {}, '31': {}}, 'cfmRtpMetricsExpectedPkts': {}, 'cfmRtpMetricsFrac': {}, 'cfmRtpMetricsFracPrecision': {}, 'cfmRtpMetricsFracScale': {}, 'cfmRtpMetricsIntAvgLD': {}, 'cfmRtpMetricsIntAvgLDPrecision': {}, 'cfmRtpMetricsIntAvgLDScale': {}, 'cfmRtpMetricsIntAvgLossDistance': {}, 'cfmRtpMetricsIntEntry': {'21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '26': {}, '27': {}, '28': {}, '29': {}, '30': {}, '31': {}, '32': {}, '33': {}, '34': {}}, 'cfmRtpMetricsIntExpectedPkts': {}, 'cfmRtpMetricsIntFrac': {}, 'cfmRtpMetricsIntFracPrecision': {}, 'cfmRtpMetricsIntFracScale': {}, 'cfmRtpMetricsIntJitter': {}, 'cfmRtpMetricsIntJitterPrecision': {}, 'cfmRtpMetricsIntJitterScale': {}, 'cfmRtpMetricsIntLIs': {}, 'cfmRtpMetricsIntLostPkts': {}, 'cfmRtpMetricsIntMaxJitter': {}, 'cfmRtpMetricsIntMaxJitterPrecision': {}, 'cfmRtpMetricsIntMaxJitterScale': {}, 'cfmRtpMetricsIntTransit': {}, 'cfmRtpMetricsIntTransitPrecision': {}, 'cfmRtpMetricsIntTransitScale': {}, 'cfmRtpMetricsIntValid': {}, 'cfmRtpMetricsJitter': {}, 'cfmRtpMetricsJitterPrecision': {}, 'cfmRtpMetricsJitterScale': {}, 'cfmRtpMetricsLIs': {}, 'cfmRtpMetricsLostPkts': {}, 'cfmRtpMetricsMaxJitter': {}, 'cfmRtpMetricsMaxJitterPrecision': {}, 'cfmRtpMetricsMaxJitterScale': {}, 'cfmRtpMetricsTableChanged': {}, 'cfmRtpMetricsValid': {}, 'cfrCircuitEntry': {'1': {}, '2': {}, '3': {}, '4': {}}, 'cfrConnectionEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cfrElmiEntry': {'1': {}, '2': {}, '3': {}}, 'cfrElmiNeighborEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}}, 'cfrElmiObjs': {'1': {}}, 'cfrExtCircuitEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '26': {}, '27': {}, '28': {}, '29': {}, '3': {}, '30': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cfrFragEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cfrLmiEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cfrMapEntry': {'1': {}, '10': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cfrSvcEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'chassis': {'1': {}, '10': {}, '12': {}, '14': {}, '15': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cieIfDot1dBaseMappingEntry': {'1': {}}, 'cieIfDot1qCustomEtherTypeEntry': {'1': {}, '2': {}}, 'cieIfInterfaceEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cieIfNameMappingEntry': {'2': {}}, 'cieIfPacketStatsEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cieIfUtilEntry': {'1': {}, '2': {}, '3': {}, '4': {}}, 'ciiAreaAddrEntry': {'1': {}}, 'ciiCircEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '8': {}, '9': {}}, 'ciiCircLevelEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ciiCircuitCounterEntry': {'10': {}, '2': {}, '3': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ciiIPRAEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ciiISAdjAreaAddrEntry': {'2': {}}, 'ciiISAdjEntry': {'10': {}, '11': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ciiISAdjIPAddrEntry': {'2': {}, '3': {}}, 'ciiISAdjProtSuppEntry': {'1': {}}, 'ciiLSPSummaryEntry': {'3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'ciiLSPTLVEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}}, 'ciiManAreaAddrEntry': {'2': {}}, 'ciiPacketCounterEntry': {'3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ciiRAEntry': {'11': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'ciiRedistributeAddrEntry': {'4': {}}, 'ciiRouterEntry': {'3': {}, '4': {}}, 'ciiSummAddrEntry': {'4': {}, '5': {}, '6': {}}, 'ciiSysLevelEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ciiSysObject': {'1': {}, '10': {}, '11': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '8': {}, '9': {}}, 'ciiSysProtSuppEntry': {'2': {}}, 'ciiSystemCounterEntry': {'10': {}, '12': {}, '13': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cipMacEntry': {'3': {}, '4': {}}, 'cipMacFreeEntry': {'2': {}}, 'cipMacXEntry': {'1': {}, '2': {}}, 'cipPrecedenceEntry': {'3': {}, '4': {}}, 'cipPrecedenceXEntry': {'1': {}, '2': {}}, 'cipUrpfComputeInterval': {}, 'cipUrpfDropNotifyHoldDownTime': {}, 'cipUrpfDropRate': {}, 'cipUrpfDropRateWindow': {}, 'cipUrpfDrops': {}, 'cipUrpfIfCheckStrict': {}, 'cipUrpfIfDiscontinuityTime': {}, 'cipUrpfIfDropRate': {}, 'cipUrpfIfDropRateNotifyEnable': {}, 'cipUrpfIfDrops': {}, 'cipUrpfIfNotifyDrHoldDownReset': {}, 'cipUrpfIfNotifyDropRateThreshold': {}, 'cipUrpfIfSuppressedDrops': {}, 'cipUrpfIfVrfName': {}, 'cipUrpfIfWhichRouteTableID': {}, 'cipUrpfVrfIfDiscontinuityTime': {}, 'cipUrpfVrfIfDrops': {}, 'cipUrpfVrfName': {}, 'cipslaAutoGroupDescription': {}, 'cipslaAutoGroupDestEndPointName': {}, 'cipslaAutoGroupOperTemplateName': {}, 'cipslaAutoGroupOperType': {}, 'cipslaAutoGroupQoSEnable': {}, 'cipslaAutoGroupRowStatus': {}, 'cipslaAutoGroupSchedAgeout': {}, 'cipslaAutoGroupSchedInterval': {}, 'cipslaAutoGroupSchedLife': {}, 'cipslaAutoGroupSchedMaxInterval': {}, 'cipslaAutoGroupSchedMinInterval': {}, 'cipslaAutoGroupSchedPeriod': {}, 'cipslaAutoGroupSchedRowStatus': {}, 'cipslaAutoGroupSchedStartTime': {}, 'cipslaAutoGroupSchedStorageType': {}, 'cipslaAutoGroupSchedulerId': {}, 'cipslaAutoGroupStorageType': {}, 'cipslaAutoGroupType': {}, 'cipslaBaseEndPointDescription': {}, 'cipslaBaseEndPointRowStatus': {}, 'cipslaBaseEndPointStorageType': {}, 'cipslaIPEndPointADDestIPAgeout': {}, 'cipslaIPEndPointADDestPort': {}, 'cipslaIPEndPointADMeasureRetry': {}, 'cipslaIPEndPointADRowStatus': {}, 'cipslaIPEndPointADStorageType': {}, 'cipslaIPEndPointRowStatus': {}, 'cipslaIPEndPointStorageType': {}, 'cipslaPercentileJitterAvg': {}, 'cipslaPercentileJitterDS': {}, 'cipslaPercentileJitterSD': {}, 'cipslaPercentileLatestAvg': {}, 'cipslaPercentileLatestMax': {}, 'cipslaPercentileLatestMin': {}, 'cipslaPercentileLatestNum': {}, 'cipslaPercentileLatestSum': {}, 'cipslaPercentileLatestSum2': {}, 'cipslaPercentileOWDS': {}, 'cipslaPercentileOWSD': {}, 'cipslaPercentileRTT': {}, 'cipslaReactActionType': {}, 'cipslaReactRowStatus': {}, 'cipslaReactStorageType': {}, 'cipslaReactThresholdCountX': {}, 'cipslaReactThresholdCountY': {}, 'cipslaReactThresholdFalling': {}, 'cipslaReactThresholdRising': {}, 'cipslaReactThresholdType': {}, 'cipslaReactVar': {}, 'ciscoAtmIfPVCs': {}, 'ciscoBfdObjects.1.1': {}, 'ciscoBfdObjects.1.3': {}, 'ciscoBfdObjects.1.4': {}, 'ciscoBfdSessDiag': {}, 'ciscoBfdSessEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '9': {}}, 'ciscoBfdSessMapEntry': {'1': {}}, 'ciscoBfdSessPerfEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ciscoBulkFileMIB.1.1.1': {}, 'ciscoBulkFileMIB.1.1.2': {}, 'ciscoBulkFileMIB.1.1.3': {}, 'ciscoBulkFileMIB.1.1.4': {}, 'ciscoBulkFileMIB.1.1.5': {}, 'ciscoBulkFileMIB.1.1.6': {}, 'ciscoBulkFileMIB.1.1.7': {}, 'ciscoBulkFileMIB.1.1.8': {}, 'ciscoBulkFileMIB.1.2.1': {}, 'ciscoBulkFileMIB.1.2.2': {}, 'ciscoBulkFileMIB.1.2.3': {}, 'ciscoBulkFileMIB.1.2.4': {}, 'ciscoCBQosMIBObjects.10.4.1.1': {}, 'ciscoCBQosMIBObjects.10.4.1.2': {}, 'ciscoCBQosMIBObjects.10.69.1.3': {}, 'ciscoCBQosMIBObjects.10.69.1.4': {}, 'ciscoCBQosMIBObjects.10.69.1.5': {}, 'ciscoCBQosMIBObjects.10.136.1.1': {}, 'ciscoCBQosMIBObjects.10.205.1.1': {}, 'ciscoCBQosMIBObjects.10.205.1.10': {}, 'ciscoCBQosMIBObjects.10.205.1.11': {}, 'ciscoCBQosMIBObjects.10.205.1.12': {}, 'ciscoCBQosMIBObjects.10.205.1.2': {}, 'ciscoCBQosMIBObjects.10.205.1.3': {}, 'ciscoCBQosMIBObjects.10.205.1.4': {}, 'ciscoCBQosMIBObjects.10.205.1.5': {}, 'ciscoCBQosMIBObjects.10.205.1.6': {}, 'ciscoCBQosMIBObjects.10.205.1.7': {}, 'ciscoCBQosMIBObjects.10.205.1.8': {}, 'ciscoCBQosMIBObjects.10.205.1.9': {}, 'ciscoCallHistory': {'1': {}, '2': {}}, 'ciscoCallHistoryEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '20': {}, '21': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ciscoCallHomeMIB.1.13.1': {}, 'ciscoCallHomeMIB.1.13.2': {}, 'ciscoDlswCircuitEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '26': {}, '27': {}, '28': {}, '29': {}, '3': {}, '30': {}, '31': {}, '4': {}, '5': {}, '6': {}, '7': {}}, 'ciscoDlswCircuitStat': {'1': {}, '2': {}}, 'ciscoDlswIfEntry': {'1': {}, '2': {}, '3': {}}, 'ciscoDlswNode': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ciscoDlswTConnConfigEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ciscoDlswTConnOperEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '26': {}, '27': {}, '28': {}, '29': {}, '30': {}, '31': {}, '32': {}, '33': {}, '34': {}, '35': {}, '36': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ciscoDlswTConnStat': {'1': {}, '2': {}, '3': {}}, 'ciscoDlswTConnTcpConfigEntry': {'1': {}, '2': {}, '3': {}}, 'ciscoDlswTConnTcpOperEntry': {'1': {}, '2': {}, '3': {}}, 'ciscoDlswTrapControl': {'1': {}, '2': {}, '3': {}, '4': {}}, 'ciscoEntityDiagMIB.1.2.1': {}, 'ciscoEntityFRUControlMIB.1.1.5': {}, 'ciscoEntityFRUControlMIB.10.9.2.1.1': {}, 'ciscoEntityFRUControlMIB.10.9.2.1.2': {}, 'ciscoEntityFRUControlMIB.10.9.3.1.1': {}, 'ciscoEntityFRUControlMIB.1.3.2': {}, 'ciscoEntityFRUControlMIB.10.25.1.1.1': {}, 'ciscoEntityFRUControlMIB.10.36.1.1.1': {}, 'ciscoEntityFRUControlMIB.10.49.1.1.2': {}, 'ciscoEntityFRUControlMIB.10.49.2.1.2': {}, 'ciscoEntityFRUControlMIB.10.49.2.1.3': {}, 'ciscoEntityFRUControlMIB.10.64.1.1.1': {}, 'ciscoEntityFRUControlMIB.10.64.1.1.2': {}, 'ciscoEntityFRUControlMIB.10.64.2.1.1': {}, 'ciscoEntityFRUControlMIB.10.64.2.1.2': {}, 'ciscoEntityFRUControlMIB.10.64.3.1.1': {}, 'ciscoEntityFRUControlMIB.10.64.3.1.2': {}, 'ciscoEntityFRUControlMIB.10.64.4.1.2': {}, 'ciscoEntityFRUControlMIB.10.64.4.1.3': {}, 'ciscoEntityFRUControlMIB.10.64.4.1.4': {}, 'ciscoEntityFRUControlMIB.10.64.4.1.5': {}, 'ciscoEntityFRUControlMIB.10.81.1.1.1': {}, 'ciscoEntityFRUControlMIB.10.81.2.1.1': {}, 'ciscoExperiment.10.151.1.1.2': {}, 'ciscoExperiment.10.151.1.1.3': {}, 'ciscoExperiment.10.151.1.1.4': {}, 'ciscoExperiment.10.151.1.1.5': {}, 'ciscoExperiment.10.151.1.1.6': {}, 'ciscoExperiment.10.151.1.1.7': {}, 'ciscoExperiment.10.151.2.1.1': {}, 'ciscoExperiment.10.151.2.1.2': {}, 'ciscoExperiment.10.151.2.1.3': {}, 'ciscoExperiment.10.151.3.1.1': {}, 'ciscoExperiment.10.151.3.1.2': {}, 'ciscoExperiment.10.19.1.1.2': {}, 'ciscoExperiment.10.19.1.1.3': {}, 'ciscoExperiment.10.19.1.1.4': {}, 'ciscoExperiment.10.19.1.1.5': {}, 'ciscoExperiment.10.19.1.1.6': {}, 'ciscoExperiment.10.19.1.1.7': {}, 'ciscoExperiment.10.19.1.1.8': {}, 'ciscoExperiment.10.19.2.1.2': {}, 'ciscoExperiment.10.19.2.1.3': {}, 'ciscoExperiment.10.19.2.1.4': {}, 'ciscoExperiment.10.19.2.1.5': {}, 'ciscoExperiment.10.19.2.1.6': {}, 'ciscoExperiment.10.19.2.1.7': {}, 'ciscoExperiment.10.225.1.1.13': {}, 'ciscoExperiment.10.225.1.1.14': {}, 'ciscoFlashChipEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}}, 'ciscoFlashCopyEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ciscoFlashDevice': {'1': {}}, 'ciscoFlashDeviceEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ciscoFlashFileByTypeEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}}, 'ciscoFlashFileEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}}, 'ciscoFlashMIB.1.4.1': {}, 'ciscoFlashMIB.1.4.2': {}, 'ciscoFlashMiscOpEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}}, 'ciscoFlashPartitionEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ciscoFlashPartitioningEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ciscoFtpClientMIB.1.1.1': {}, 'ciscoFtpClientMIB.1.1.2': {}, 'ciscoFtpClientMIB.1.1.3': {}, 'ciscoFtpClientMIB.1.1.4': {}, 'ciscoIfExtSystemConfig': {'1': {}}, 'ciscoImageEntry': {'2': {}}, 'ciscoIpMRoute': {'1': {}}, 'ciscoIpMRouteEntry': {'12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '26': {}, '27': {}, '28': {}, '30': {}, '31': {}, '32': {}, '33': {}, '34': {}, '35': {}, '36': {}, '37': {}, '38': {}, '39': {}, '40': {}, '41': {}}, 'ciscoIpMRouteHeartBeatEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'ciscoIpMRouteInterfaceEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}}, 'ciscoIpMRouteNextHopEntry': {'10': {}, '11': {}, '9': {}}, 'ciscoMemoryPoolEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}}, 'ciscoMgmt.10.196.3.1': {}, 'ciscoMgmt.10.196.3.10': {}, 'ciscoMgmt.10.196.3.2': {}, 'ciscoMgmt.10.196.3.3': {}, 'ciscoMgmt.10.196.3.4': {}, 'ciscoMgmt.10.196.3.5': {}, 'ciscoMgmt.10.196.3.6.1.10': {}, 'ciscoMgmt.10.196.3.6.1.11': {}, 'ciscoMgmt.10.196.3.6.1.12': {}, 'ciscoMgmt.10.196.3.6.1.13': {}, 'ciscoMgmt.10.196.3.6.1.14': {}, 'ciscoMgmt.10.196.3.6.1.15': {}, 'ciscoMgmt.10.196.3.6.1.16': {}, 'ciscoMgmt.10.196.3.6.1.17': {}, 'ciscoMgmt.10.196.3.6.1.18': {}, 'ciscoMgmt.10.196.3.6.1.19': {}, 'ciscoMgmt.10.196.3.6.1.2': {}, 'ciscoMgmt.10.196.3.6.1.20': {}, 'ciscoMgmt.10.196.3.6.1.21': {}, 'ciscoMgmt.10.196.3.6.1.22': {}, 'ciscoMgmt.10.196.3.6.1.23': {}, 'ciscoMgmt.10.196.3.6.1.24': {}, 'ciscoMgmt.10.196.3.6.1.25': {}, 'ciscoMgmt.10.196.3.6.1.3': {}, 'ciscoMgmt.10.196.3.6.1.4': {}, 'ciscoMgmt.10.196.3.6.1.5': {}, 'ciscoMgmt.10.196.3.6.1.6': {}, 'ciscoMgmt.10.196.3.6.1.7': {}, 'ciscoMgmt.10.196.3.6.1.8': {}, 'ciscoMgmt.10.196.3.6.1.9': {}, 'ciscoMgmt.10.196.3.7': {}, 'ciscoMgmt.10.196.3.8': {}, 'ciscoMgmt.10.196.3.9': {}, 'ciscoMgmt.10.196.4.1.1.10': {}, 'ciscoMgmt.10.196.4.1.1.2': {}, 'ciscoMgmt.10.196.4.1.1.3': {}, 'ciscoMgmt.10.196.4.1.1.4': {}, 'ciscoMgmt.10.196.4.1.1.5': {}, 'ciscoMgmt.10.196.4.1.1.6': {}, 'ciscoMgmt.10.196.4.1.1.7': {}, 'ciscoMgmt.10.196.4.1.1.8': {}, 'ciscoMgmt.10.196.4.1.1.9': {}, 'ciscoMgmt.10.196.4.2.1.2': {}, 'ciscoMgmt.10.84.1.1.1.2': {}, 'ciscoMgmt.10.84.1.1.1.3': {}, 'ciscoMgmt.10.84.1.1.1.4': {}, 'ciscoMgmt.10.84.1.1.1.5': {}, 'ciscoMgmt.10.84.1.1.1.6': {}, 'ciscoMgmt.10.84.1.1.1.7': {}, 'ciscoMgmt.10.84.1.1.1.8': {}, 'ciscoMgmt.10.84.1.1.1.9': {}, 'ciscoMgmt.10.84.2.1.1.1': {}, 'ciscoMgmt.10.84.2.1.1.2': {}, 'ciscoMgmt.10.84.2.1.1.3': {}, 'ciscoMgmt.10.84.2.1.1.4': {}, 'ciscoMgmt.10.84.2.1.1.5': {}, 'ciscoMgmt.10.84.2.1.1.6': {}, 'ciscoMgmt.10.84.2.1.1.7': {}, 'ciscoMgmt.10.84.2.1.1.8': {}, 'ciscoMgmt.10.84.2.1.1.9': {}, 'ciscoMgmt.10.84.2.2.1.1': {}, 'ciscoMgmt.10.84.2.2.1.2': {}, 'ciscoMgmt.10.84.3.1.1.2': {}, 'ciscoMgmt.10.84.3.1.1.3': {}, 'ciscoMgmt.10.84.3.1.1.4': {}, 'ciscoMgmt.10.84.3.1.1.5': {}, 'ciscoMgmt.10.84.4.1.1.3': {}, 'ciscoMgmt.10.84.4.1.1.4': {}, 'ciscoMgmt.10.84.4.1.1.5': {}, 'ciscoMgmt.10.84.4.1.1.6': {}, 'ciscoMgmt.10.84.4.1.1.7': {}, 'ciscoMgmt.10.84.4.2.1.3': {}, 'ciscoMgmt.10.84.4.2.1.4': {}, 'ciscoMgmt.10.84.4.2.1.5': {}, 'ciscoMgmt.10.84.4.2.1.6': {}, 'ciscoMgmt.10.84.4.2.1.7': {}, 'ciscoMgmt.10.84.4.3.1.3': {}, 'ciscoMgmt.10.84.4.3.1.4': {}, 'ciscoMgmt.10.84.4.3.1.5': {}, 'ciscoMgmt.10.84.4.3.1.6': {}, 'ciscoMgmt.10.84.4.3.1.7': {}, 'ciscoMgmt.172.16.84.1.1': {}, 'ciscoMgmt.172.16.115.1.1': {}, 'ciscoMgmt.172.16.115.1.10': {}, 'ciscoMgmt.172.16.115.1.11': {}, 'ciscoMgmt.172.16.115.1.12': {}, 'ciscoMgmt.172.16.115.1.2': {}, 'ciscoMgmt.172.16.115.1.3': {}, 'ciscoMgmt.172.16.115.1.4': {}, 'ciscoMgmt.172.16.115.1.5': {}, 'ciscoMgmt.172.16.115.1.6': {}, 'ciscoMgmt.172.16.115.1.7': {}, 'ciscoMgmt.172.16.115.1.8': {}, 'ciscoMgmt.172.16.115.1.9': {}, 'ciscoMgmt.172.16.151.1.1': {}, 'ciscoMgmt.172.16.151.1.2': {}, 'ciscoMgmt.172.16.94.1.1': {}, 'ciscoMgmt.172.16.120.1.1': {}, 'ciscoMgmt.172.16.120.1.2': {}, 'ciscoMgmt.172.16.136.1.1': {}, 'ciscoMgmt.172.16.136.1.2': {}, 'ciscoMgmt.172.16.154.1': {}, 'ciscoMgmt.172.16.154.2': {}, 'ciscoMgmt.172.16.154.3.1.2': {}, 'ciscoMgmt.172.16.154.3.1.3': {}, 'ciscoMgmt.172.16.154.3.1.4': {}, 'ciscoMgmt.172.16.154.3.1.5': {}, 'ciscoMgmt.172.16.154.3.1.6': {}, 'ciscoMgmt.172.16.154.3.1.7': {}, 'ciscoMgmt.172.16.154.3.1.8': {}, 'ciscoMgmt.172.16.204.1': {}, 'ciscoMgmt.172.16.204.2': {}, 'ciscoMgmt.310.169.1.1': {}, 'ciscoMgmt.310.169.1.2': {}, 'ciscoMgmt.310.169.1.3.1.10': {}, 'ciscoMgmt.310.169.1.3.1.11': {}, 'ciscoMgmt.310.169.1.3.1.12': {}, 'ciscoMgmt.310.169.1.3.1.13': {}, 'ciscoMgmt.310.169.1.3.1.14': {}, 'ciscoMgmt.310.169.1.3.1.15': {}, 'ciscoMgmt.310.169.1.3.1.2': {}, 'ciscoMgmt.310.169.1.3.1.3': {}, 'ciscoMgmt.310.169.1.3.1.4': {}, 'ciscoMgmt.310.169.1.3.1.5': {}, 'ciscoMgmt.310.169.1.3.1.6': {}, 'ciscoMgmt.310.169.1.3.1.7': {}, 'ciscoMgmt.310.169.1.3.1.8': {}, 'ciscoMgmt.310.169.1.3.1.9': {}, 'ciscoMgmt.310.169.1.4.1.2': {}, 'ciscoMgmt.310.169.1.4.1.3': {}, 'ciscoMgmt.310.169.1.4.1.4': {}, 'ciscoMgmt.310.169.1.4.1.5': {}, 'ciscoMgmt.310.169.1.4.1.6': {}, 'ciscoMgmt.310.169.1.4.1.7': {}, 'ciscoMgmt.310.169.1.4.1.8': {}, 'ciscoMgmt.310.169.2.1.1.10': {}, 'ciscoMgmt.310.169.2.1.1.11': {}, 'ciscoMgmt.310.169.2.1.1.2': {}, 'ciscoMgmt.310.169.2.1.1.3': {}, 'ciscoMgmt.310.169.2.1.1.4': {}, 'ciscoMgmt.310.169.2.1.1.5': {}, 'ciscoMgmt.310.169.2.1.1.6': {}, 'ciscoMgmt.310.169.2.1.1.7': {}, 'ciscoMgmt.310.169.2.1.1.8': {}, 'ciscoMgmt.310.169.2.1.1.9': {}, 'ciscoMgmt.310.169.2.2.1.3': {}, 'ciscoMgmt.310.169.2.2.1.4': {}, 'ciscoMgmt.310.169.2.2.1.5': {}, 'ciscoMgmt.310.169.2.3.1.3': {}, 'ciscoMgmt.310.169.2.3.1.4': {}, 'ciscoMgmt.310.169.2.3.1.5': {}, 'ciscoMgmt.310.169.2.3.1.6': {}, 'ciscoMgmt.310.169.2.3.1.7': {}, 'ciscoMgmt.310.169.2.3.1.8': {}, 'ciscoMgmt.310.169.3.1.1.1': {}, 'ciscoMgmt.310.169.3.1.1.2': {}, 'ciscoMgmt.310.169.3.1.1.3': {}, 'ciscoMgmt.310.169.3.1.1.4': {}, 'ciscoMgmt.310.169.3.1.1.5': {}, 'ciscoMgmt.310.169.3.1.1.6': {}, 'ciscoMgmt.410.169.1.1': {}, 'ciscoMgmt.410.169.1.2': {}, 'ciscoMgmt.410.169.2.1.1': {}, 'ciscoMgmt.10.76.1.1.1.1': {}, 'ciscoMgmt.10.76.1.1.1.2': {}, 'ciscoMgmt.10.76.1.1.1.3': {}, 'ciscoMgmt.10.76.1.1.1.4': {}, 'ciscoMgmt.610.21.1.1.10': {}, 'ciscoMgmt.610.21.1.1.11': {}, 'ciscoMgmt.610.21.1.1.12': {}, 'ciscoMgmt.610.21.1.1.13': {}, 'ciscoMgmt.610.21.1.1.14': {}, 'ciscoMgmt.610.21.1.1.15': {}, 'ciscoMgmt.610.21.1.1.16': {}, 'ciscoMgmt.610.21.1.1.17': {}, 'ciscoMgmt.610.21.1.1.18': {}, 'ciscoMgmt.610.21.1.1.19': {}, 'ciscoMgmt.610.21.1.1.2': {}, 'ciscoMgmt.610.21.1.1.20': {}, 'ciscoMgmt.610.21.1.1.21': {}, 'ciscoMgmt.610.21.1.1.22': {}, 'ciscoMgmt.610.21.1.1.23': {}, 'ciscoMgmt.610.21.1.1.24': {}, 'ciscoMgmt.610.21.1.1.25': {}, 'ciscoMgmt.610.21.1.1.26': {}, 'ciscoMgmt.610.21.1.1.27': {}, 'ciscoMgmt.610.21.1.1.28': {}, 'ciscoMgmt.610.21.1.1.3': {}, 'ciscoMgmt.610.21.1.1.30': {}, 'ciscoMgmt.610.21.1.1.4': {}, 'ciscoMgmt.610.21.1.1.5': {}, 'ciscoMgmt.610.21.1.1.6': {}, 'ciscoMgmt.610.21.1.1.7': {}, 'ciscoMgmt.610.21.1.1.8': {}, 'ciscoMgmt.610.21.1.1.9': {}, 'ciscoMgmt.610.21.2.1.10': {}, 'ciscoMgmt.610.21.2.1.11': {}, 'ciscoMgmt.610.21.2.1.12': {}, 'ciscoMgmt.610.21.2.1.13': {}, 'ciscoMgmt.610.21.2.1.14': {}, 'ciscoMgmt.610.21.2.1.15': {}, 'ciscoMgmt.610.21.2.1.16': {}, 'ciscoMgmt.610.21.2.1.2': {}, 'ciscoMgmt.610.21.2.1.3': {}, 'ciscoMgmt.610.21.2.1.4': {}, 'ciscoMgmt.610.21.2.1.5': {}, 'ciscoMgmt.610.21.2.1.6': {}, 'ciscoMgmt.610.21.2.1.7': {}, 'ciscoMgmt.610.21.2.1.8': {}, 'ciscoMgmt.610.21.2.1.9': {}, 'ciscoMgmt.610.94.1.1.10': {}, 'ciscoMgmt.610.94.1.1.11': {}, 'ciscoMgmt.610.94.1.1.12': {}, 'ciscoMgmt.610.94.1.1.13': {}, 'ciscoMgmt.610.94.1.1.14': {}, 'ciscoMgmt.610.94.1.1.15': {}, 'ciscoMgmt.610.94.1.1.16': {}, 'ciscoMgmt.610.94.1.1.17': {}, 'ciscoMgmt.610.94.1.1.18': {}, 'ciscoMgmt.610.94.1.1.2': {}, 'ciscoMgmt.610.94.1.1.3': {}, 'ciscoMgmt.610.94.1.1.4': {}, 'ciscoMgmt.610.94.1.1.5': {}, 'ciscoMgmt.610.94.1.1.6': {}, 'ciscoMgmt.610.94.1.1.7': {}, 'ciscoMgmt.610.94.1.1.8': {}, 'ciscoMgmt.610.94.1.1.9': {}, 'ciscoMgmt.610.94.2.1.10': {}, 'ciscoMgmt.610.94.2.1.11': {}, 'ciscoMgmt.610.94.2.1.12': {}, 'ciscoMgmt.610.94.2.1.13': {}, 'ciscoMgmt.610.94.2.1.14': {}, 'ciscoMgmt.610.94.2.1.15': {}, 'ciscoMgmt.610.94.2.1.16': {}, 'ciscoMgmt.610.94.2.1.17': {}, 'ciscoMgmt.610.94.2.1.18': {}, 'ciscoMgmt.610.94.2.1.19': {}, 'ciscoMgmt.610.94.2.1.2': {}, 'ciscoMgmt.610.94.2.1.20': {}, 'ciscoMgmt.610.94.2.1.3': {}, 'ciscoMgmt.610.94.2.1.4': {}, 'ciscoMgmt.610.94.2.1.5': {}, 'ciscoMgmt.610.94.2.1.6': {}, 'ciscoMgmt.610.94.2.1.7': {}, 'ciscoMgmt.610.94.2.1.8': {}, 'ciscoMgmt.610.94.2.1.9': {}, 'ciscoMgmt.610.94.3.1.10': {}, 'ciscoMgmt.610.94.3.1.11': {}, 'ciscoMgmt.610.94.3.1.12': {}, 'ciscoMgmt.610.94.3.1.13': {}, 'ciscoMgmt.610.94.3.1.14': {}, 'ciscoMgmt.610.94.3.1.15': {}, 'ciscoMgmt.610.94.3.1.16': {}, 'ciscoMgmt.610.94.3.1.17': {}, 'ciscoMgmt.610.94.3.1.18': {}, 'ciscoMgmt.610.94.3.1.19': {}, 'ciscoMgmt.610.94.3.1.2': {}, 'ciscoMgmt.610.94.3.1.3': {}, 'ciscoMgmt.610.94.3.1.4': {}, 'ciscoMgmt.610.94.3.1.5': {}, 'ciscoMgmt.610.94.3.1.6': {}, 'ciscoMgmt.610.94.3.1.7': {}, 'ciscoMgmt.610.94.3.1.8': {}, 'ciscoMgmt.610.94.3.1.9': {}, 'ciscoMgmt.10.84.1.2.1.4': {}, 'ciscoMgmt.10.84.1.2.1.5': {}, 'ciscoMgmt.10.84.1.3.1.2': {}, 'ciscoMgmt.10.84.2.1.1.10': {}, 'ciscoMgmt.10.84.2.1.1.11': {}, 'ciscoMgmt.10.84.2.1.1.12': {}, 'ciscoMgmt.10.84.2.1.1.13': {}, 'ciscoMgmt.10.84.2.1.1.14': {}, 'ciscoMgmt.10.84.2.1.1.15': {}, 'ciscoMgmt.10.84.2.1.1.16': {}, 'ciscoMgmt.10.84.2.1.1.17': {}, 'ciscoMgmt.10.64.1.1.1.2': {}, 'ciscoMgmt.10.64.1.1.1.3': {}, 'ciscoMgmt.10.64.1.1.1.4': {}, 'ciscoMgmt.10.64.1.1.1.5': {}, 'ciscoMgmt.10.64.1.1.1.6': {}, 'ciscoMgmt.10.64.2.1.1.4': {}, 'ciscoMgmt.10.64.2.1.1.5': {}, 'ciscoMgmt.10.64.2.1.1.6': {}, 'ciscoMgmt.10.64.2.1.1.7': {}, 'ciscoMgmt.10.64.2.1.1.8': {}, 'ciscoMgmt.10.64.2.1.1.9': {}, 'ciscoMgmt.10.64.3.1.1.1': {}, 'ciscoMgmt.10.64.3.1.1.2': {}, 'ciscoMgmt.10.64.3.1.1.3': {}, 'ciscoMgmt.10.64.3.1.1.4': {}, 'ciscoMgmt.10.64.3.1.1.5': {}, 'ciscoMgmt.10.64.3.1.1.6': {}, 'ciscoMgmt.10.64.3.1.1.7': {}, 'ciscoMgmt.10.64.3.1.1.8': {}, 'ciscoMgmt.10.64.3.1.1.9': {}, 'ciscoMgmt.10.64.4.1.1.1': {}, 'ciscoMgmt.10.64.4.1.1.10': {}, 'ciscoMgmt.10.64.4.1.1.2': {}, 'ciscoMgmt.10.64.4.1.1.3': {}, 'ciscoMgmt.10.64.4.1.1.4': {}, 'ciscoMgmt.10.64.4.1.1.5': {}, 'ciscoMgmt.10.64.4.1.1.6': {}, 'ciscoMgmt.10.64.4.1.1.7': {}, 'ciscoMgmt.10.64.4.1.1.8': {}, 'ciscoMgmt.10.64.4.1.1.9': {}, 'ciscoMgmt.710.196.1.1.1.1': {}, 'ciscoMgmt.710.196.1.1.1.10': {}, 'ciscoMgmt.710.196.1.1.1.11': {}, 'ciscoMgmt.710.196.1.1.1.12': {}, 'ciscoMgmt.710.196.1.1.1.2': {}, 'ciscoMgmt.710.196.1.1.1.3': {}, 'ciscoMgmt.710.196.1.1.1.4': {}, 'ciscoMgmt.710.196.1.1.1.5': {}, 'ciscoMgmt.710.196.1.1.1.6': {}, 'ciscoMgmt.710.196.1.1.1.7': {}, 'ciscoMgmt.710.196.1.1.1.8': {}, 'ciscoMgmt.710.196.1.1.1.9': {}, 'ciscoMgmt.710.196.1.2': {}, 'ciscoMgmt.710.196.1.3.1.1': {}, 'ciscoMgmt.710.196.1.3.1.10': {}, 'ciscoMgmt.710.196.1.3.1.11': {}, 'ciscoMgmt.710.196.1.3.1.12': {}, 'ciscoMgmt.710.196.1.3.1.2': {}, 'ciscoMgmt.710.196.1.3.1.3': {}, 'ciscoMgmt.710.196.1.3.1.4': {}, 'ciscoMgmt.710.196.1.3.1.5': {}, 'ciscoMgmt.710.196.1.3.1.6': {}, 'ciscoMgmt.710.196.1.3.1.7': {}, 'ciscoMgmt.710.196.1.3.1.8': {}, 'ciscoMgmt.710.196.1.3.1.9': {}, 'ciscoMgmt.710.84.1.1.1.1': {}, 'ciscoMgmt.710.84.1.1.1.10': {}, 'ciscoMgmt.710.84.1.1.1.11': {}, 'ciscoMgmt.710.84.1.1.1.12': {}, 'ciscoMgmt.710.84.1.1.1.2': {}, 'ciscoMgmt.710.84.1.1.1.3': {}, 'ciscoMgmt.710.84.1.1.1.4': {}, 'ciscoMgmt.710.84.1.1.1.5': {}, 'ciscoMgmt.710.84.1.1.1.6': {}, 'ciscoMgmt.710.84.1.1.1.7': {}, 'ciscoMgmt.710.84.1.1.1.8': {}, 'ciscoMgmt.710.84.1.1.1.9': {}, 'ciscoMgmt.710.84.1.2': {}, 'ciscoMgmt.710.84.1.3.1.1': {}, 'ciscoMgmt.710.84.1.3.1.10': {}, 'ciscoMgmt.710.84.1.3.1.11': {}, 'ciscoMgmt.710.84.1.3.1.12': {}, 'ciscoMgmt.710.84.1.3.1.2': {}, 'ciscoMgmt.710.84.1.3.1.3': {}, 'ciscoMgmt.710.84.1.3.1.4': {}, 'ciscoMgmt.710.84.1.3.1.5': {}, 'ciscoMgmt.710.84.1.3.1.6': {}, 'ciscoMgmt.710.84.1.3.1.7': {}, 'ciscoMgmt.710.84.1.3.1.8': {}, 'ciscoMgmt.710.84.1.3.1.9': {}, 'ciscoMgmt.10.16.1.1.1': {}, 'ciscoMgmt.10.16.1.1.2': {}, 'ciscoMgmt.10.16.1.1.3': {}, 'ciscoMgmt.10.16.1.1.4': {}, 'ciscoMgmt.10.195.1.1.1': {}, 'ciscoMgmt.10.195.1.1.10': {}, 'ciscoMgmt.10.195.1.1.11': {}, 'ciscoMgmt.10.195.1.1.12': {}, 'ciscoMgmt.10.195.1.1.13': {}, 'ciscoMgmt.10.195.1.1.14': {}, 'ciscoMgmt.10.195.1.1.15': {}, 'ciscoMgmt.10.195.1.1.16': {}, 'ciscoMgmt.10.195.1.1.17': {}, 'ciscoMgmt.10.195.1.1.18': {}, 'ciscoMgmt.10.195.1.1.19': {}, 'ciscoMgmt.10.195.1.1.2': {}, 'ciscoMgmt.10.195.1.1.20': {}, 'ciscoMgmt.10.195.1.1.21': {}, 'ciscoMgmt.10.195.1.1.22': {}, 'ciscoMgmt.10.195.1.1.23': {}, 'ciscoMgmt.10.195.1.1.24': {}, 'ciscoMgmt.10.195.1.1.3': {}, 'ciscoMgmt.10.195.1.1.4': {}, 'ciscoMgmt.10.195.1.1.5': {}, 'ciscoMgmt.10.195.1.1.6': {}, 'ciscoMgmt.10.195.1.1.7': {}, 'ciscoMgmt.10.195.1.1.8': {}, 'ciscoMgmt.10.195.1.1.9': {}, 'ciscoMvpnConfig.1.1.1': {}, 'ciscoMvpnConfig.1.1.2': {}, 'ciscoMvpnConfig.1.1.3': {}, 'ciscoMvpnConfig.1.1.4': {}, 'ciscoMvpnConfig.2.1.1': {}, 'ciscoMvpnConfig.2.1.2': {}, 'ciscoMvpnConfig.2.1.3': {}, 'ciscoMvpnConfig.2.1.4': {}, 'ciscoMvpnConfig.2.1.5': {}, 'ciscoMvpnConfig.2.1.6': {}, 'ciscoMvpnGeneric.1.1.1': {}, 'ciscoMvpnGeneric.1.1.2': {}, 'ciscoMvpnGeneric.1.1.3': {}, 'ciscoMvpnGeneric.1.1.4': {}, 'ciscoMvpnProtocol.1.1.6': {}, 'ciscoMvpnProtocol.1.1.7': {}, 'ciscoMvpnProtocol.1.1.8': {}, 'ciscoMvpnProtocol.2.1.3': {}, 'ciscoMvpnProtocol.2.1.6': {}, 'ciscoMvpnProtocol.2.1.7': {}, 'ciscoMvpnProtocol.2.1.8': {}, 'ciscoMvpnProtocol.2.1.9': {}, 'ciscoMvpnProtocol.3.1.5': {}, 'ciscoMvpnProtocol.3.1.6': {}, 'ciscoMvpnProtocol.4.1.5': {}, 'ciscoMvpnProtocol.4.1.6': {}, 'ciscoMvpnProtocol.4.1.7': {}, 'ciscoMvpnProtocol.5.1.1': {}, 'ciscoMvpnProtocol.5.1.2': {}, 'ciscoMvpnScalars': {'1': {}, '2': {}}, 'ciscoNetflowMIB.1.7.1': {}, 'ciscoNetflowMIB.1.7.10': {}, 'ciscoNetflowMIB.1.7.11': {}, 'ciscoNetflowMIB.1.7.12': {}, 'ciscoNetflowMIB.1.7.13': {}, 'ciscoNetflowMIB.1.7.14': {}, 'ciscoNetflowMIB.1.7.15': {}, 'ciscoNetflowMIB.1.7.16': {}, 'ciscoNetflowMIB.1.7.17': {}, 'ciscoNetflowMIB.1.7.18': {}, 'ciscoNetflowMIB.1.7.19': {}, 'ciscoNetflowMIB.1.7.2': {}, 'ciscoNetflowMIB.1.7.20': {}, 'ciscoNetflowMIB.1.7.21': {}, 'ciscoNetflowMIB.1.7.22': {}, 'ciscoNetflowMIB.1.7.23': {}, 'ciscoNetflowMIB.1.7.24': {}, 'ciscoNetflowMIB.1.7.25': {}, 'ciscoNetflowMIB.1.7.26': {}, 'ciscoNetflowMIB.1.7.27': {}, 'ciscoNetflowMIB.1.7.28': {}, 'ciscoNetflowMIB.1.7.29': {}, 'ciscoNetflowMIB.1.7.3': {}, 'ciscoNetflowMIB.1.7.30': {}, 'ciscoNetflowMIB.1.7.31': {}, 'ciscoNetflowMIB.1.7.32': {}, 'ciscoNetflowMIB.1.7.33': {}, 'ciscoNetflowMIB.1.7.34': {}, 'ciscoNetflowMIB.1.7.35': {}, 'ciscoNetflowMIB.1.7.36': {}, 'ciscoNetflowMIB.1.7.37': {}, 'ciscoNetflowMIB.1.7.38': {}, 'ciscoNetflowMIB.1.7.4': {}, 'ciscoNetflowMIB.1.7.5': {}, 'ciscoNetflowMIB.1.7.6': {}, 'ciscoNetflowMIB.1.7.7': {}, 'ciscoNetflowMIB.10.64.8.1.10': {}, 'ciscoNetflowMIB.10.64.8.1.11': {}, 'ciscoNetflowMIB.10.64.8.1.12': {}, 'ciscoNetflowMIB.10.64.8.1.13': {}, 'ciscoNetflowMIB.10.64.8.1.14': {}, 'ciscoNetflowMIB.10.64.8.1.15': {}, 'ciscoNetflowMIB.10.64.8.1.16': {}, 'ciscoNetflowMIB.10.64.8.1.17': {}, 'ciscoNetflowMIB.10.64.8.1.18': {}, 'ciscoNetflowMIB.10.64.8.1.19': {}, 'ciscoNetflowMIB.10.64.8.1.2': {}, 'ciscoNetflowMIB.10.64.8.1.20': {}, 'ciscoNetflowMIB.10.64.8.1.21': {}, 'ciscoNetflowMIB.10.64.8.1.22': {}, 'ciscoNetflowMIB.10.64.8.1.23': {}, 'ciscoNetflowMIB.10.64.8.1.24': {}, 'ciscoNetflowMIB.10.64.8.1.25': {}, 'ciscoNetflowMIB.10.64.8.1.26': {}, 'ciscoNetflowMIB.10.64.8.1.3': {}, 'ciscoNetflowMIB.10.64.8.1.4': {}, 'ciscoNetflowMIB.10.64.8.1.5': {}, 'ciscoNetflowMIB.10.64.8.1.6': {}, 'ciscoNetflowMIB.10.64.8.1.7': {}, 'ciscoNetflowMIB.10.64.8.1.8': {}, 'ciscoNetflowMIB.10.64.8.1.9': {}, 'ciscoNetflowMIB.1.7.9': {}, 'ciscoPimMIBNotificationObjects': {'1': {}}, 'ciscoPingEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ciscoPppoeMIBObjects.10.9.1.1': {}, 'ciscoProcessMIB.10.9.3.1.1': {}, 'ciscoProcessMIB.10.9.3.1.10': {}, 'ciscoProcessMIB.10.9.3.1.11': {}, 'ciscoProcessMIB.10.9.3.1.12': {}, 'ciscoProcessMIB.10.9.3.1.13': {}, 'ciscoProcessMIB.10.9.3.1.14': {}, 'ciscoProcessMIB.10.9.3.1.15': {}, 'ciscoProcessMIB.10.9.3.1.16': {}, 'ciscoProcessMIB.10.9.3.1.17': {}, 'ciscoProcessMIB.10.9.3.1.18': {}, 'ciscoProcessMIB.10.9.3.1.19': {}, 'ciscoProcessMIB.10.9.3.1.2': {}, 'ciscoProcessMIB.10.9.3.1.20': {}, 'ciscoProcessMIB.10.9.3.1.21': {}, 'ciscoProcessMIB.10.9.3.1.22': {}, 'ciscoProcessMIB.10.9.3.1.23': {}, 'ciscoProcessMIB.10.9.3.1.24': {}, 'ciscoProcessMIB.10.9.3.1.25': {}, 'ciscoProcessMIB.10.9.3.1.26': {}, 'ciscoProcessMIB.10.9.3.1.27': {}, 'ciscoProcessMIB.10.9.3.1.28': {}, 'ciscoProcessMIB.10.9.3.1.29': {}, 'ciscoProcessMIB.10.9.3.1.3': {}, 'ciscoProcessMIB.10.9.3.1.30': {}, 'ciscoProcessMIB.10.9.3.1.4': {}, 'ciscoProcessMIB.10.9.3.1.5': {}, 'ciscoProcessMIB.10.9.3.1.6': {}, 'ciscoProcessMIB.10.9.3.1.7': {}, 'ciscoProcessMIB.10.9.3.1.8': {}, 'ciscoProcessMIB.10.9.3.1.9': {}, 'ciscoProcessMIB.10.9.5.1': {}, 'ciscoProcessMIB.10.9.5.2': {}, 'ciscoSessBorderCtrlrMIBObjects': {'73': {}, '74': {}, '75': {}, '76': {}, '77': {}, '78': {}, '79': {}}, 'ciscoSipUaMIB.10.4.7.1': {}, 'ciscoSipUaMIB.10.4.7.2': {}, 'ciscoSipUaMIB.10.4.7.3': {}, 'ciscoSipUaMIB.10.4.7.4': {}, 'ciscoSipUaMIB.10.9.10.1': {}, 'ciscoSipUaMIB.10.9.10.10': {}, 'ciscoSipUaMIB.10.9.10.11': {}, 'ciscoSipUaMIB.10.9.10.12': {}, 'ciscoSipUaMIB.10.9.10.13': {}, 'ciscoSipUaMIB.10.9.10.14': {}, 'ciscoSipUaMIB.10.9.10.2': {}, 'ciscoSipUaMIB.10.9.10.3': {}, 'ciscoSipUaMIB.10.9.10.4': {}, 'ciscoSipUaMIB.10.9.10.5': {}, 'ciscoSipUaMIB.10.9.10.6': {}, 'ciscoSipUaMIB.10.9.10.7': {}, 'ciscoSipUaMIB.10.9.10.8': {}, 'ciscoSipUaMIB.10.9.10.9': {}, 'ciscoSipUaMIB.10.9.9.1': {}, 'ciscoSnapshotActivityEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'ciscoSnapshotInterfaceEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'ciscoSnapshotMIB.1.1': {}, 'ciscoSyslogMIB.1.2.1': {}, 'ciscoSyslogMIB.1.2.2': {}, 'ciscoTcpConnEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ciscoVpdnMgmtMIB.0.1': {}, 'ciscoVpdnMgmtMIB.0.2': {}, 'ciscoVpdnMgmtMIBObjects.10.36.1.2': {}, 'ciscoVpdnMgmtMIBObjects.6.1': {}, 'ciscoVpdnMgmtMIBObjects.6.2': {}, 'ciscoVpdnMgmtMIBObjects.6.3': {}, 'ciscoVpdnMgmtMIBObjects.10.100.1.2': {}, 'ciscoVpdnMgmtMIBObjects.10.100.1.3': {}, 'ciscoVpdnMgmtMIBObjects.10.100.1.4': {}, 'ciscoVpdnMgmtMIBObjects.10.100.1.5': {}, 'ciscoVpdnMgmtMIBObjects.10.100.1.6': {}, 'ciscoVpdnMgmtMIBObjects.10.100.1.7': {}, 'ciscoVpdnMgmtMIBObjects.6.5': {}, 'ciscoVpdnMgmtMIBObjects.10.144.1.3': {}, 'ciscoVpdnMgmtMIBObjects.7.1': {}, 'ciscoVpdnMgmtMIBObjects.7.2': {}, 'clagAggDistributionAddressMode': {}, 'clagAggDistributionProtocol': {}, 'clagAggPortAdminStatus': {}, 'clagAggProtocolType': {}, 'clispExtEidRegMoreSpecificCount': {}, 'clispExtEidRegMoreSpecificLimit': {}, 'clispExtEidRegMoreSpecificWarningThreshold': {}, 'clispExtEidRegRlocMembershipConfigured': {}, 'clispExtEidRegRlocMembershipGleaned': {}, 'clispExtEidRegRlocMembershipMemberSince': {}, 'clispExtFeaturesEidRegMoreSpecificLimit': {}, 'clispExtFeaturesEidRegMoreSpecificWarningThreshold': {}, 'clispExtFeaturesMapCacheWarningThreshold': {}, 'clispExtGlobalStatsEidRegMoreSpecificEntryCount': {}, 'clispExtReliableTransportSessionBytesIn': {}, 'clispExtReliableTransportSessionBytesOut': {}, 'clispExtReliableTransportSessionEstablishmentRole': {}, 'clispExtReliableTransportSessionLastStateChangeTime': {}, 'clispExtReliableTransportSessionMessagesIn': {}, 'clispExtReliableTransportSessionMessagesOut': {}, 'clispExtReliableTransportSessionState': {}, 'clispExtRlocMembershipConfigured': {}, 'clispExtRlocMembershipDiscovered': {}, 'clispExtRlocMembershipMemberSince': {}, 'clogBasic': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}}, 'clogHistoryEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}}, 'cmiFaAdvertChallengeChapSPI': {}, 'cmiFaAdvertChallengeValue': {}, 'cmiFaAdvertChallengeWindow': {}, 'cmiFaAdvertIsBusy': {}, 'cmiFaAdvertRegRequired': {}, 'cmiFaChallengeEnable': {}, 'cmiFaChallengeSupported': {}, 'cmiFaCoaInterfaceOnly': {}, 'cmiFaCoaRegAsymLink': {}, 'cmiFaCoaTransmitOnly': {}, 'cmiFaCvsesFromHaRejected': {}, 'cmiFaCvsesFromMnRejected': {}, 'cmiFaDeRegRepliesValidFromHA': {}, 'cmiFaDeRegRepliesValidRelayToMN': {}, 'cmiFaDeRegRequestsDenied': {}, 'cmiFaDeRegRequestsDiscarded': {}, 'cmiFaDeRegRequestsReceived': {}, 'cmiFaDeRegRequestsRelayed': {}, 'cmiFaDeliveryStyleUnsupported': {}, 'cmiFaEncapDeliveryStyleSupported': {}, 'cmiFaInitRegRepliesValidFromHA': {}, 'cmiFaInitRegRepliesValidRelayMN': {}, 'cmiFaInitRegRequestsDenied': {}, 'cmiFaInitRegRequestsDiscarded': {}, 'cmiFaInitRegRequestsReceived': {}, 'cmiFaInitRegRequestsRelayed': {}, 'cmiFaMissingChallenge': {}, 'cmiFaMnAAAAuthFailures': {}, 'cmiFaMnFaAuthFailures': {}, 'cmiFaMnTooDistant': {}, 'cmiFaNvsesFromHaNeglected': {}, 'cmiFaNvsesFromMnNeglected': {}, 'cmiFaReRegRepliesValidFromHA': {}, 'cmiFaReRegRepliesValidRelayToMN': {}, 'cmiFaReRegRequestsDenied': {}, 'cmiFaReRegRequestsDiscarded': {}, 'cmiFaReRegRequestsReceived': {}, 'cmiFaReRegRequestsRelayed': {}, 'cmiFaRegTotalVisitors': {}, 'cmiFaRegVisitorChallengeValue': {}, 'cmiFaRegVisitorHomeAddress': {}, 'cmiFaRegVisitorHomeAgentAddress': {}, 'cmiFaRegVisitorRegFlags': {}, 'cmiFaRegVisitorRegFlagsRev1': {}, 'cmiFaRegVisitorRegIDHigh': {}, 'cmiFaRegVisitorRegIDLow': {}, 'cmiFaRegVisitorRegIsAccepted': {}, 'cmiFaRegVisitorTimeGranted': {}, 'cmiFaRegVisitorTimeRemaining': {}, 'cmiFaRevTunnelSupported': {}, 'cmiFaReverseTunnelBitNotSet': {}, 'cmiFaReverseTunnelEnable': {}, 'cmiFaReverseTunnelUnavailable': {}, 'cmiFaStaleChallenge': {}, 'cmiFaTotalRegReplies': {}, 'cmiFaTotalRegRequests': {}, 'cmiFaUnknownChallenge': {}, 'cmiHaCvsesFromFaRejected': {}, 'cmiHaCvsesFromMnRejected': {}, 'cmiHaDeRegRequestsAccepted': {}, 'cmiHaDeRegRequestsDenied': {}, 'cmiHaDeRegRequestsDiscarded': {}, 'cmiHaDeRegRequestsReceived': {}, 'cmiHaEncapUnavailable': {}, 'cmiHaEncapsulationUnavailable': {}, 'cmiHaInitRegRequestsAccepted': {}, 'cmiHaInitRegRequestsDenied': {}, 'cmiHaInitRegRequestsDiscarded': {}, 'cmiHaInitRegRequestsReceived': {}, 'cmiHaMnAAAAuthFailures': {}, 'cmiHaMnHaAuthFailures': {}, 'cmiHaMobNetDynamic': {}, 'cmiHaMobNetStatus': {}, 'cmiHaMrDynamic': {}, 'cmiHaMrMultiPath': {}, 'cmiHaMrMultiPathMetricType': {}, 'cmiHaMrStatus': {}, 'cmiHaNAICheckFailures': {}, 'cmiHaNvsesFromFaNeglected': {}, 'cmiHaNvsesFromMnNeglected': {}, 'cmiHaReRegRequestsAccepted': {}, 'cmiHaReRegRequestsDenied': {}, 'cmiHaReRegRequestsDiscarded': {}, 'cmiHaReRegRequestsReceived': {}, 'cmiHaRedunDroppedBIAcks': {}, 'cmiHaRedunDroppedBIReps': {}, 'cmiHaRedunFailedBIReps': {}, 'cmiHaRedunFailedBIReqs': {}, 'cmiHaRedunFailedBUs': {}, 'cmiHaRedunReceivedBIAcks': {}, 'cmiHaRedunReceivedBIReps': {}, 'cmiHaRedunReceivedBIReqs': {}, 'cmiHaRedunReceivedBUAcks': {}, 'cmiHaRedunReceivedBUs': {}, 'cmiHaRedunSecViolations': {}, 'cmiHaRedunSentBIAcks': {}, 'cmiHaRedunSentBIReps': {}, 'cmiHaRedunSentBIReqs': {}, 'cmiHaRedunSentBUAcks': {}, 'cmiHaRedunSentBUs': {}, 'cmiHaRedunTotalSentBIReps': {}, 'cmiHaRedunTotalSentBIReqs': {}, 'cmiHaRedunTotalSentBUs': {}, 'cmiHaRegAvgTimeRegsProcByAAA': {}, 'cmiHaRegDateMaxRegsProcByAAA': {}, 'cmiHaRegDateMaxRegsProcLoc': {}, 'cmiHaRegMaxProcByAAAInMinRegs': {}, 'cmiHaRegMaxProcLocInMinRegs': {}, 'cmiHaRegMaxTimeRegsProcByAAA': {}, 'cmiHaRegMnIdentifier': {}, 'cmiHaRegMnIdentifierType': {}, 'cmiHaRegMnIfBandwidth': {}, 'cmiHaRegMnIfDescription': {}, 'cmiHaRegMnIfID': {}, 'cmiHaRegMnIfPathMetricType': {}, 'cmiHaRegMobilityBindingRegFlags': {}, 'cmiHaRegOverallServTime': {}, 'cmiHaRegProcAAAInLastByMinRegs': {}, 'cmiHaRegProcLocInLastMinRegs': {}, 'cmiHaRegRecentServAcceptedTime': {}, 'cmiHaRegRecentServDeniedCode': {}, 'cmiHaRegRecentServDeniedTime': {}, 'cmiHaRegRequestsDenied': {}, 'cmiHaRegRequestsDiscarded': {}, 'cmiHaRegRequestsReceived': {}, 'cmiHaRegServAcceptedRequests': {}, 'cmiHaRegServDeniedRequests': {}, 'cmiHaRegTotalMobilityBindings': {}, 'cmiHaRegTotalProcByAAARegs': {}, 'cmiHaRegTotalProcLocRegs': {}, 'cmiHaReverseTunnelBitNotSet': {}, 'cmiHaReverseTunnelUnavailable': {}, 'cmiHaSystemVersion': {}, 'cmiMRIfDescription': {}, 'cmiMaAdvAddress': {}, 'cmiMaAdvAddressType': {}, 'cmiMaAdvMaxAdvLifetime': {}, 'cmiMaAdvMaxInterval': {}, 'cmiMaAdvMaxRegLifetime': {}, 'cmiMaAdvMinInterval': {}, 'cmiMaAdvPrefixLengthInclusion': {}, 'cmiMaAdvResponseSolicitationOnly': {}, 'cmiMaAdvStatus': {}, 'cmiMaInterfaceAddress': {}, 'cmiMaInterfaceAddressType': {}, 'cmiMaRegDateMaxRegsReceived': {}, 'cmiMaRegInLastMinuteRegs': {}, 'cmiMaRegMaxInMinuteRegs': {}, 'cmiMnAdvFlags': {}, 'cmiMnRegFlags': {}, 'cmiMrBetterIfDetected': {}, 'cmiMrCollocatedTunnel': {}, 'cmiMrHABest': {}, 'cmiMrHAPriority': {}, 'cmiMrHaTunnelIfIndex': {}, 'cmiMrIfCCoaAddress': {}, 'cmiMrIfCCoaAddressType': {}, 'cmiMrIfCCoaDefaultGw': {}, 'cmiMrIfCCoaDefaultGwType': {}, 'cmiMrIfCCoaEnable': {}, 'cmiMrIfCCoaOnly': {}, 'cmiMrIfCCoaRegRetry': {}, 'cmiMrIfCCoaRegRetryRemaining': {}, 'cmiMrIfCCoaRegistration': {}, 'cmiMrIfHaTunnelIfIndex': {}, 'cmiMrIfHoldDown': {}, 'cmiMrIfID': {}, 'cmiMrIfRegisteredCoA': {}, 'cmiMrIfRegisteredCoAType': {}, 'cmiMrIfRegisteredMaAddr': {}, 'cmiMrIfRegisteredMaAddrType': {}, 'cmiMrIfRoamPriority': {}, 'cmiMrIfRoamStatus': {}, 'cmiMrIfSolicitInterval': {}, 'cmiMrIfSolicitPeriodic': {}, 'cmiMrIfSolicitRetransCount': {}, 'cmiMrIfSolicitRetransCurrent': {}, 'cmiMrIfSolicitRetransInitial': {}, 'cmiMrIfSolicitRetransLimit': {}, 'cmiMrIfSolicitRetransMax': {}, 'cmiMrIfSolicitRetransRemaining': {}, 'cmiMrIfStatus': {}, 'cmiMrMaAdvFlags': {}, 'cmiMrMaAdvLifetimeRemaining': {}, 'cmiMrMaAdvMaxLifetime': {}, 'cmiMrMaAdvMaxRegLifetime': {}, 'cmiMrMaAdvRcvIf': {}, 'cmiMrMaAdvSequence': {}, 'cmiMrMaAdvTimeFirstHeard': {}, 'cmiMrMaAdvTimeReceived': {}, 'cmiMrMaHoldDownRemaining': {}, 'cmiMrMaIfMacAddress': {}, 'cmiMrMaIsHa': {}, 'cmiMrMobNetAddr': {}, 'cmiMrMobNetAddrType': {}, 'cmiMrMobNetPfxLen': {}, 'cmiMrMobNetStatus': {}, 'cmiMrMultiPath': {}, 'cmiMrMultiPathMetricType': {}, 'cmiMrRedStateActive': {}, 'cmiMrRedStatePassive': {}, 'cmiMrRedundancyGroup': {}, 'cmiMrRegExtendExpire': {}, 'cmiMrRegExtendInterval': {}, 'cmiMrRegExtendRetry': {}, 'cmiMrRegLifetime': {}, 'cmiMrRegNewHa': {}, 'cmiMrRegRetransInitial': {}, 'cmiMrRegRetransLimit': {}, 'cmiMrRegRetransMax': {}, 'cmiMrReverseTunnel': {}, 'cmiMrTunnelBytesRcvd': {}, 'cmiMrTunnelBytesSent': {}, 'cmiMrTunnelPktsRcvd': {}, 'cmiMrTunnelPktsSent': {}, 'cmiNtRegCOA': {}, 'cmiNtRegCOAType': {}, 'cmiNtRegDeniedCode': {}, 'cmiNtRegHAAddrType': {}, 'cmiNtRegHomeAddress': {}, 'cmiNtRegHomeAddressType': {}, 'cmiNtRegHomeAgent': {}, 'cmiNtRegNAI': {}, 'cmiSecAlgorithmMode': {}, 'cmiSecAlgorithmType': {}, 'cmiSecAssocsCount': {}, 'cmiSecKey': {}, 'cmiSecKey2': {}, 'cmiSecRecentViolationIDHigh': {}, 'cmiSecRecentViolationIDLow': {}, 'cmiSecRecentViolationReason': {}, 'cmiSecRecentViolationSPI': {}, 'cmiSecRecentViolationTime': {}, 'cmiSecReplayMethod': {}, 'cmiSecStatus': {}, 'cmiSecTotalViolations': {}, 'cmiTrapControl': {}, 'cmplsFrrConstEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cmplsFrrFacRouteDBEntry': {'7': {}, '8': {}, '9': {}}, 'cmplsFrrMIB.1.1': {}, 'cmplsFrrMIB.1.10': {}, 'cmplsFrrMIB.1.11': {}, 'cmplsFrrMIB.1.12': {}, 'cmplsFrrMIB.1.13': {}, 'cmplsFrrMIB.1.14': {}, 'cmplsFrrMIB.1.2': {}, 'cmplsFrrMIB.1.3': {}, 'cmplsFrrMIB.1.4': {}, 'cmplsFrrMIB.1.5': {}, 'cmplsFrrMIB.1.6': {}, 'cmplsFrrMIB.1.7': {}, 'cmplsFrrMIB.1.8': {}, 'cmplsFrrMIB.1.9': {}, 'cmplsFrrMIB.10.9.2.1.2': {}, 'cmplsFrrMIB.10.9.2.1.3': {}, 'cmplsFrrMIB.10.9.2.1.4': {}, 'cmplsFrrMIB.10.9.2.1.5': {}, 'cmplsFrrMIB.10.9.2.1.6': {}, 'cmplsNodeConfigGlobalId': {}, 'cmplsNodeConfigIccId': {}, 'cmplsNodeConfigNodeId': {}, 'cmplsNodeConfigRowStatus': {}, 'cmplsNodeConfigStorageType': {}, 'cmplsNodeIccMapLocalId': {}, 'cmplsNodeIpMapLocalId': {}, 'cmplsTunnelExtDestTnlIndex': {}, 'cmplsTunnelExtDestTnlLspIndex': {}, 'cmplsTunnelExtDestTnlValid': {}, 'cmplsTunnelExtOppositeDirTnlValid': {}, 'cmplsTunnelOppositeDirPtr': {}, 'cmplsTunnelReversePerfBytes': {}, 'cmplsTunnelReversePerfErrors': {}, 'cmplsTunnelReversePerfHCBytes': {}, 'cmplsTunnelReversePerfHCPackets': {}, 'cmplsTunnelReversePerfPackets': {}, 'cmplsXCExtTunnelPointer': {}, 'cmplsXCOppositeDirXCPtr': {}, 'cmqCommonCallActiveASPCallReferenceId': {}, 'cmqCommonCallActiveASPCallType': {}, 'cmqCommonCallActiveASPConnectionId': {}, 'cmqCommonCallActiveASPDirEar': {}, 'cmqCommonCallActiveASPDirMic': {}, 'cmqCommonCallActiveASPEnabledEar': {}, 'cmqCommonCallActiveASPEnabledMic': {}, 'cmqCommonCallActiveASPMode': {}, 'cmqCommonCallActiveASPVer': {}, 'cmqCommonCallActiveDurSigASPTriggEar': {}, 'cmqCommonCallActiveDurSigASPTriggMic': {}, 'cmqCommonCallActiveLongestDurEpiEar': {}, 'cmqCommonCallActiveLongestDurEpiMic': {}, 'cmqCommonCallActiveLoudestFreqEstForLongEpiEar': {}, 'cmqCommonCallActiveLoudestFreqEstForLongEpiMic': {}, 'cmqCommonCallActiveNRCallReferenceId': {}, 'cmqCommonCallActiveNRCallType': {}, 'cmqCommonCallActiveNRConnectionId': {}, 'cmqCommonCallActiveNRDirEar': {}, 'cmqCommonCallActiveNRDirMic': {}, 'cmqCommonCallActiveNREnabledEar': {}, 'cmqCommonCallActiveNREnabledMic': {}, 'cmqCommonCallActiveNRIntensity': {}, 'cmqCommonCallActiveNRLibVer': {}, 'cmqCommonCallActiveNumSigASPTriggEar': {}, 'cmqCommonCallActiveNumSigASPTriggMic': {}, 'cmqCommonCallActivePostNRNoiseFloorEstEar': {}, 'cmqCommonCallActivePostNRNoiseFloorEstMic': {}, 'cmqCommonCallActivePreNRNoiseFloorEstEar': {}, 'cmqCommonCallActivePreNRNoiseFloorEstMic': {}, 'cmqCommonCallActiveTotASPDurEar': {}, 'cmqCommonCallActiveTotASPDurMic': {}, 'cmqCommonCallActiveTotNumASPTriggEar': {}, 'cmqCommonCallActiveTotNumASPTriggMic': {}, 'cmqCommonCallHistoryASPCallReferenceId': {}, 'cmqCommonCallHistoryASPCallType': {}, 'cmqCommonCallHistoryASPConnectionId': {}, 'cmqCommonCallHistoryASPDirEar': {}, 'cmqCommonCallHistoryASPDirMic': {}, 'cmqCommonCallHistoryASPEnabledEar': {}, 'cmqCommonCallHistoryASPEnabledMic': {}, 'cmqCommonCallHistoryASPMode': {}, 'cmqCommonCallHistoryASPVer': {}, 'cmqCommonCallHistoryDurSigASPTriggEar': {}, 'cmqCommonCallHistoryDurSigASPTriggMic': {}, 'cmqCommonCallHistoryLongestDurEpiEar': {}, 'cmqCommonCallHistoryLongestDurEpiMic': {}, 'cmqCommonCallHistoryLoudestFreqEstForLongEpiEar': {}, 'cmqCommonCallHistoryLoudestFreqEstForLongEpiMic': {}, 'cmqCommonCallHistoryNRCallReferenceId': {}, 'cmqCommonCallHistoryNRCallType': {}, 'cmqCommonCallHistoryNRConnectionId': {}, 'cmqCommonCallHistoryNRDirEar': {}, 'cmqCommonCallHistoryNRDirMic': {}, 'cmqCommonCallHistoryNREnabledEar': {}, 'cmqCommonCallHistoryNREnabledMic': {}, 'cmqCommonCallHistoryNRIntensity': {}, 'cmqCommonCallHistoryNRLibVer': {}, 'cmqCommonCallHistoryNumSigASPTriggEar': {}, 'cmqCommonCallHistoryNumSigASPTriggMic': {}, 'cmqCommonCallHistoryPostNRNoiseFloorEstEar': {}, 'cmqCommonCallHistoryPostNRNoiseFloorEstMic': {}, 'cmqCommonCallHistoryPreNRNoiseFloorEstEar': {}, 'cmqCommonCallHistoryPreNRNoiseFloorEstMic': {}, 'cmqCommonCallHistoryTotASPDurEar': {}, 'cmqCommonCallHistoryTotASPDurMic': {}, 'cmqCommonCallHistoryTotNumASPTriggEar': {}, 'cmqCommonCallHistoryTotNumASPTriggMic': {}, 'cmqVideoCallActiveCallReferenceId': {}, 'cmqVideoCallActiveConnectionId': {}, 'cmqVideoCallActiveRxCompressDegradeAverage': {}, 'cmqVideoCallActiveRxCompressDegradeInstant': {}, 'cmqVideoCallActiveRxMOSAverage': {}, 'cmqVideoCallActiveRxMOSInstant': {}, 'cmqVideoCallActiveRxNetworkDegradeAverage': {}, 'cmqVideoCallActiveRxNetworkDegradeInstant': {}, 'cmqVideoCallActiveRxTransscodeDegradeAverage': {}, 'cmqVideoCallActiveRxTransscodeDegradeInstant': {}, 'cmqVideoCallHistoryCallReferenceId': {}, 'cmqVideoCallHistoryConnectionId': {}, 'cmqVideoCallHistoryRxCompressDegradeAverage': {}, 'cmqVideoCallHistoryRxMOSAverage': {}, 'cmqVideoCallHistoryRxNetworkDegradeAverage': {}, 'cmqVideoCallHistoryRxTransscodeDegradeAverage': {}, 'cmqVoIPCallActive3550JCallAvg': {}, 'cmqVoIPCallActive3550JShortTermAvg': {}, 'cmqVoIPCallActiveCallReferenceId': {}, 'cmqVoIPCallActiveConnectionId': {}, 'cmqVoIPCallActiveRxCallConcealRatioPct': {}, 'cmqVoIPCallActiveRxCallDur': {}, 'cmqVoIPCallActiveRxCodecId': {}, 'cmqVoIPCallActiveRxConcealSec': {}, 'cmqVoIPCallActiveRxJBufDlyNow': {}, 'cmqVoIPCallActiveRxJBufLowWater': {}, 'cmqVoIPCallActiveRxJBufMode': {}, 'cmqVoIPCallActiveRxJBufNomDelay': {}, 'cmqVoIPCallActiveRxJBuffHiWater': {}, 'cmqVoIPCallActiveRxPktCntComfortNoise': {}, 'cmqVoIPCallActiveRxPktCntDiscarded': {}, 'cmqVoIPCallActiveRxPktCntEffLoss': {}, 'cmqVoIPCallActiveRxPktCntExpected': {}, 'cmqVoIPCallActiveRxPktCntNotArrived': {}, 'cmqVoIPCallActiveRxPktCntUnusableLate': {}, 'cmqVoIPCallActiveRxPktLossConcealDur': {}, 'cmqVoIPCallActiveRxPktLossRatioPct': {}, 'cmqVoIPCallActiveRxPred107CodecBPL': {}, 'cmqVoIPCallActiveRxPred107CodecIeBase': {}, 'cmqVoIPCallActiveRxPred107DefaultR0': {}, 'cmqVoIPCallActiveRxPred107Idd': {}, 'cmqVoIPCallActiveRxPred107IeEff': {}, 'cmqVoIPCallActiveRxPred107RMosConv': {}, 'cmqVoIPCallActiveRxPred107RMosListen': {}, 'cmqVoIPCallActiveRxPred107RScoreConv': {}, 'cmqVoIPCallActiveRxPred107Rscore': {}, 'cmqVoIPCallActiveRxPredMosLqoAvg': {}, 'cmqVoIPCallActiveRxPredMosLqoBaseline': {}, 'cmqVoIPCallActiveRxPredMosLqoBursts': {}, 'cmqVoIPCallActiveRxPredMosLqoFrLoss': {}, 'cmqVoIPCallActiveRxPredMosLqoMin': {}, 'cmqVoIPCallActiveRxPredMosLqoNumWin': {}, 'cmqVoIPCallActiveRxPredMosLqoRecent': {}, 'cmqVoIPCallActiveRxPredMosLqoVerID': {}, 'cmqVoIPCallActiveRxRoundTripTime': {}, 'cmqVoIPCallActiveRxSevConcealRatioPct': {}, 'cmqVoIPCallActiveRxSevConcealSec': {}, 'cmqVoIPCallActiveRxSignalLvl': {}, 'cmqVoIPCallActiveRxUnimpairedSecOK': {}, 'cmqVoIPCallActiveRxVoiceDur': {}, 'cmqVoIPCallActiveTxCodecId': {}, 'cmqVoIPCallActiveTxNoiseFloor': {}, 'cmqVoIPCallActiveTxSignalLvl': {}, 'cmqVoIPCallActiveTxTmrActSpeechDur': {}, 'cmqVoIPCallActiveTxTmrCallDur': {}, 'cmqVoIPCallActiveTxVadEnabled': {}, 'cmqVoIPCallHistory3550JCallAvg': {}, 'cmqVoIPCallHistory3550JShortTermAvg': {}, 'cmqVoIPCallHistoryCallReferenceId': {}, 'cmqVoIPCallHistoryConnectionId': {}, 'cmqVoIPCallHistoryRxCallConcealRatioPct': {}, 'cmqVoIPCallHistoryRxCallDur': {}, 'cmqVoIPCallHistoryRxCodecId': {}, 'cmqVoIPCallHistoryRxConcealSec': {}, 'cmqVoIPCallHistoryRxJBufDlyNow': {}, 'cmqVoIPCallHistoryRxJBufLowWater': {}, 'cmqVoIPCallHistoryRxJBufMode': {}, 'cmqVoIPCallHistoryRxJBufNomDelay': {}, 'cmqVoIPCallHistoryRxJBuffHiWater': {}, 'cmqVoIPCallHistoryRxPktCntComfortNoise': {}, 'cmqVoIPCallHistoryRxPktCntDiscarded': {}, 'cmqVoIPCallHistoryRxPktCntEffLoss': {}, 'cmqVoIPCallHistoryRxPktCntExpected': {}, 'cmqVoIPCallHistoryRxPktCntNotArrived': {}, 'cmqVoIPCallHistoryRxPktCntUnusableLate': {}, 'cmqVoIPCallHistoryRxPktLossConcealDur': {}, 'cmqVoIPCallHistoryRxPktLossRatioPct': {}, 'cmqVoIPCallHistoryRxPred107CodecBPL': {}, 'cmqVoIPCallHistoryRxPred107CodecIeBase': {}, 'cmqVoIPCallHistoryRxPred107DefaultR0': {}, 'cmqVoIPCallHistoryRxPred107Idd': {}, 'cmqVoIPCallHistoryRxPred107IeEff': {}, 'cmqVoIPCallHistoryRxPred107RMosConv': {}, 'cmqVoIPCallHistoryRxPred107RMosListen': {}, 'cmqVoIPCallHistoryRxPred107RScoreConv': {}, 'cmqVoIPCallHistoryRxPred107Rscore': {}, 'cmqVoIPCallHistoryRxPredMosLqoAvg': {}, 'cmqVoIPCallHistoryRxPredMosLqoBaseline': {}, 'cmqVoIPCallHistoryRxPredMosLqoBursts': {}, 'cmqVoIPCallHistoryRxPredMosLqoFrLoss': {}, 'cmqVoIPCallHistoryRxPredMosLqoMin': {}, 'cmqVoIPCallHistoryRxPredMosLqoNumWin': {}, 'cmqVoIPCallHistoryRxPredMosLqoRecent': {}, 'cmqVoIPCallHistoryRxPredMosLqoVerID': {}, 'cmqVoIPCallHistoryRxRoundTripTime': {}, 'cmqVoIPCallHistoryRxSevConcealRatioPct': {}, 'cmqVoIPCallHistoryRxSevConcealSec': {}, 'cmqVoIPCallHistoryRxSignalLvl': {}, 'cmqVoIPCallHistoryRxUnimpairedSecOK': {}, 'cmqVoIPCallHistoryRxVoiceDur': {}, 'cmqVoIPCallHistoryTxCodecId': {}, 'cmqVoIPCallHistoryTxNoiseFloor': {}, 'cmqVoIPCallHistoryTxSignalLvl': {}, 'cmqVoIPCallHistoryTxTmrActSpeechDur': {}, 'cmqVoIPCallHistoryTxTmrCallDur': {}, 'cmqVoIPCallHistoryTxVadEnabled': {}, 'cnatAddrBindCurrentIdleTime': {}, 'cnatAddrBindDirection': {}, 'cnatAddrBindGlobalAddr': {}, 'cnatAddrBindId': {}, 'cnatAddrBindInTranslate': {}, 'cnatAddrBindNumberOfEntries': {}, 'cnatAddrBindOutTranslate': {}, 'cnatAddrBindType': {}, 'cnatAddrPortBindCurrentIdleTime': {}, 'cnatAddrPortBindDirection': {}, 'cnatAddrPortBindGlobalAddr': {}, 'cnatAddrPortBindGlobalPort': {}, 'cnatAddrPortBindId': {}, 'cnatAddrPortBindInTranslate': {}, 'cnatAddrPortBindNumberOfEntries': {}, 'cnatAddrPortBindOutTranslate': {}, 'cnatAddrPortBindType': {}, 'cnatInterfaceRealm': {}, 'cnatInterfaceStatus': {}, 'cnatInterfaceStorageType': {}, 'cnatProtocolStatsInTranslate': {}, 'cnatProtocolStatsOutTranslate': {}, 'cnatProtocolStatsRejectCount': {}, 'cndeCollectorStatus': {}, 'cndeMaxCollectors': {}, 'cneClientStatRedirectRx': {}, 'cneNotifEnable': {}, 'cneServerStatRedirectTx': {}, 'cnfCIBridgedFlowStatsCtrlEntry': {'2': {}, '3': {}}, 'cnfCICacheEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cnfCIInterfaceEntry': {'1': {}, '2': {}}, 'cnfCacheInfo': {'4': {}}, 'cnfEICollectorEntry': {'4': {}}, 'cnfEIExportInfoEntry': {'1': {}, '2': {}, '3': {}, '4': {}}, 'cnfExportInfo': {'2': {}}, 'cnfExportStatistics': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}}, 'cnfExportTemplate': {'1': {}}, 'cnfPSProtocolStatEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}}, 'cnfProtocolStatistics': {'1': {}, '2': {}}, 'cnfTemplateEntry': {'2': {}, '3': {}, '4': {}}, 'cnfTemplateExportInfoEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}}, 'cnpdAllStatsEntry': {'10': {}, '11': {}, '12': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cnpdNotificationsConfig': {'1': {}}, 'cnpdStatusEntry': {'1': {}, '2': {}}, 'cnpdSupportedProtocolsEntry': {'2': {}}, 'cnpdThresholdConfigEntry': {'10': {}, '12': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cnpdThresholdHistoryEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}}, 'cnpdTopNConfigEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'cnpdTopNStatsEntry': {'2': {}, '3': {}, '4': {}}, 'cnsClkSelGlobClockMode': {}, 'cnsClkSelGlobCurrHoldoverSeconds': {}, 'cnsClkSelGlobEECOption': {}, 'cnsClkSelGlobESMCMode': {}, 'cnsClkSelGlobHoldoffTime': {}, 'cnsClkSelGlobLastHoldoverSeconds': {}, 'cnsClkSelGlobNetsyncEnable': {}, 'cnsClkSelGlobNetworkOption': {}, 'cnsClkSelGlobNofSources': {}, 'cnsClkSelGlobProcessMode': {}, 'cnsClkSelGlobRevertiveMode': {}, 'cnsClkSelGlobWtrTime': {}, 'cnsExtOutFSW': {}, 'cnsExtOutIntfType': {}, 'cnsExtOutMSW': {}, 'cnsExtOutName': {}, 'cnsExtOutPriority': {}, 'cnsExtOutQualityLevel': {}, 'cnsExtOutSelNetsyncIndex': {}, 'cnsExtOutSquelch': {}, 'cnsInpSrcAlarm': {}, 'cnsInpSrcAlarmInfo': {}, 'cnsInpSrcESMCCap': {}, 'cnsInpSrcFSW': {}, 'cnsInpSrcHoldoffTime': {}, 'cnsInpSrcIntfType': {}, 'cnsInpSrcLockout': {}, 'cnsInpSrcMSW': {}, 'cnsInpSrcName': {}, 'cnsInpSrcPriority': {}, 'cnsInpSrcQualityLevel': {}, 'cnsInpSrcQualityLevelRx': {}, 'cnsInpSrcQualityLevelRxCfg': {}, 'cnsInpSrcQualityLevelTx': {}, 'cnsInpSrcQualityLevelTxCfg': {}, 'cnsInpSrcSSMCap': {}, 'cnsInpSrcSignalFailure': {}, 'cnsInpSrcWtrTime': {}, 'cnsMIBEnableStatusNotification': {}, 'cnsSelInpSrcFSW': {}, 'cnsSelInpSrcIntfType': {}, 'cnsSelInpSrcMSW': {}, 'cnsSelInpSrcName': {}, 'cnsSelInpSrcPriority': {}, 'cnsSelInpSrcQualityLevel': {}, 'cnsSelInpSrcTimestamp': {}, 'cnsT4ClkSrcAlarm': {}, 'cnsT4ClkSrcAlarmInfo': {}, 'cnsT4ClkSrcESMCCap': {}, 'cnsT4ClkSrcFSW': {}, 'cnsT4ClkSrcHoldoffTime': {}, 'cnsT4ClkSrcIntfType': {}, 'cnsT4ClkSrcLockout': {}, 'cnsT4ClkSrcMSW': {}, 'cnsT4ClkSrcName': {}, 'cnsT4ClkSrcPriority': {}, 'cnsT4ClkSrcQualityLevel': {}, 'cnsT4ClkSrcQualityLevelRx': {}, 'cnsT4ClkSrcQualityLevelRxCfg': {}, 'cnsT4ClkSrcQualityLevelTx': {}, 'cnsT4ClkSrcQualityLevelTxCfg': {}, 'cnsT4ClkSrcSSMCap': {}, 'cnsT4ClkSrcSignalFailure': {}, 'cnsT4ClkSrcWtrTime': {}, 'cntpFilterRegisterEntry': {'2': {}, '3': {}, '4': {}}, 'cntpPeersVarEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '26': {}, '27': {}, '28': {}, '29': {}, '3': {}, '30': {}, '31': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cntpSystem': {'1': {}, '10': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'coiFECCurrentCorBitErrs': {}, 'coiFECCurrentCorByteErrs': {}, 'coiFECCurrentDetOneErrs': {}, 'coiFECCurrentDetZeroErrs': {}, 'coiFECCurrentUncorWords': {}, 'coiFECIntervalCorBitErrs': {}, 'coiFECIntervalCorByteErrs': {}, 'coiFECIntervalDetOneErrs': {}, 'coiFECIntervalDetZeroErrs': {}, 'coiFECIntervalUncorWords': {}, 'coiFECIntervalValidData': {}, 'coiFECThreshStatus': {}, 'coiFECThreshStorageType': {}, 'coiFECThreshValue': {}, 'coiIfControllerFECMode': {}, 'coiIfControllerFECValidIntervals': {}, 'coiIfControllerLaserAdminStatus': {}, 'coiIfControllerLaserOperStatus': {}, 'coiIfControllerLoopback': {}, 'coiIfControllerOTNValidIntervals': {}, 'coiIfControllerOtnStatus': {}, 'coiIfControllerPreFECBERExponent': {}, 'coiIfControllerPreFECBERMantissa': {}, 'coiIfControllerQFactor': {}, 'coiIfControllerQMargin': {}, 'coiIfControllerTDCOperMode': {}, 'coiIfControllerTDCOperSetting': {}, 'coiIfControllerTDCOperStatus': {}, 'coiIfControllerWavelength': {}, 'coiOtnFarEndCurrentBBERs': {}, 'coiOtnFarEndCurrentBBEs': {}, 'coiOtnFarEndCurrentESRs': {}, 'coiOtnFarEndCurrentESs': {}, 'coiOtnFarEndCurrentFCs': {}, 'coiOtnFarEndCurrentSESRs': {}, 'coiOtnFarEndCurrentSESs': {}, 'coiOtnFarEndCurrentUASs': {}, 'coiOtnFarEndIntervalBBERs': {}, 'coiOtnFarEndIntervalBBEs': {}, 'coiOtnFarEndIntervalESRs': {}, 'coiOtnFarEndIntervalESs': {}, 'coiOtnFarEndIntervalFCs': {}, 'coiOtnFarEndIntervalSESRs': {}, 'coiOtnFarEndIntervalSESs': {}, 'coiOtnFarEndIntervalUASs': {}, 'coiOtnFarEndIntervalValidData': {}, 'coiOtnFarEndThreshStatus': {}, 'coiOtnFarEndThreshStorageType': {}, 'coiOtnFarEndThreshValue': {}, 'coiOtnIfNotifEnabled': {}, 'coiOtnIfODUStatus': {}, 'coiOtnIfOTUStatus': {}, 'coiOtnNearEndCurrentBBERs': {}, 'coiOtnNearEndCurrentBBEs': {}, 'coiOtnNearEndCurrentESRs': {}, 'coiOtnNearEndCurrentESs': {}, 'coiOtnNearEndCurrentFCs': {}, 'coiOtnNearEndCurrentSESRs': {}, 'coiOtnNearEndCurrentSESs': {}, 'coiOtnNearEndCurrentUASs': {}, 'coiOtnNearEndIntervalBBERs': {}, 'coiOtnNearEndIntervalBBEs': {}, 'coiOtnNearEndIntervalESRs': {}, 'coiOtnNearEndIntervalESs': {}, 'coiOtnNearEndIntervalFCs': {}, 'coiOtnNearEndIntervalSESRs': {}, 'coiOtnNearEndIntervalSESs': {}, 'coiOtnNearEndIntervalUASs': {}, 'coiOtnNearEndIntervalValidData': {}, 'coiOtnNearEndThreshStatus': {}, 'coiOtnNearEndThreshStorageType': {}, 'coiOtnNearEndThreshValue': {}, 'convQllcAdminEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'convQllcOperEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'convSdllcAddrEntry': {'2': {}, '3': {}, '4': {}, '5': {}}, 'convSdllcPortEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}}, 'cospfAreaEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}}, 'cospfGeneralGroup': {'5': {}}, 'cospfIfEntry': {'1': {}, '2': {}}, 'cospfLocalLsdbEntry': {'6': {}, '7': {}, '8': {}, '9': {}}, 'cospfLsdbEntry': {'2': {}, '3': {}, '4': {}, '5': {}}, 'cospfShamLinkEntry': {'4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cospfShamLinkNbrEntry': {'4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cospfShamLinksEntry': {'10': {}, '11': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cospfTrapControl': {'1': {}, '2': {}, '3': {}, '4': {}}, 'cospfVirtIfEntry': {'1': {}, '2': {}}, 'cospfVirtLocalLsdbEntry': {'6': {}, '7': {}, '8': {}, '9': {}}, 'cpfrActiveProbeAdminStatus': {}, 'cpfrActiveProbeAssignedPfxAddress': {}, 'cpfrActiveProbeAssignedPfxAddressType': {}, 'cpfrActiveProbeAssignedPfxLen': {}, 'cpfrActiveProbeCodecName': {}, 'cpfrActiveProbeDscpValue': {}, 'cpfrActiveProbeMapIndex': {}, 'cpfrActiveProbeMapPolicyIndex': {}, 'cpfrActiveProbeMethod': {}, 'cpfrActiveProbeOperStatus': {}, 'cpfrActiveProbePfrMapIndex': {}, 'cpfrActiveProbeRowStatus': {}, 'cpfrActiveProbeStorageType': {}, 'cpfrActiveProbeTargetAddress': {}, 'cpfrActiveProbeTargetAddressType': {}, 'cpfrActiveProbeTargetPortNumber': {}, 'cpfrActiveProbeType': {}, 'cpfrBRAddress': {}, 'cpfrBRAddressType': {}, 'cpfrBRAuthFailCount': {}, 'cpfrBRConnFailureReason': {}, 'cpfrBRConnStatus': {}, 'cpfrBRKeyName': {}, 'cpfrBROperStatus': {}, 'cpfrBRRowStatus': {}, 'cpfrBRStorageType': {}, 'cpfrBRUpTime': {}, 'cpfrDowngradeBgpCommunity': {}, 'cpfrExitCapacity': {}, 'cpfrExitCost1': {}, 'cpfrExitCost2': {}, 'cpfrExitCost3': {}, 'cpfrExitCostCalcMethod': {}, 'cpfrExitCostDiscard': {}, 'cpfrExitCostDiscardAbsolute': {}, 'cpfrExitCostDiscardPercent': {}, 'cpfrExitCostDiscardType': {}, 'cpfrExitCostEndDayOfMonth': {}, 'cpfrExitCostEndOffset': {}, 'cpfrExitCostEndOffsetType': {}, 'cpfrExitCostFixedFeeCost': {}, 'cpfrExitCostNickName': {}, 'cpfrExitCostRollupPeriod': {}, 'cpfrExitCostSamplingPeriod': {}, 'cpfrExitCostSummerTimeEnd': {}, 'cpfrExitCostSummerTimeOffset': {}, 'cpfrExitCostSummerTimeStart': {}, 'cpfrExitCostTierFee': {}, 'cpfrExitCostTierRowStatus': {}, 'cpfrExitCostTierStorageType': {}, 'cpfrExitMaxUtilRxAbsolute': {}, 'cpfrExitMaxUtilRxPercentage': {}, 'cpfrExitMaxUtilRxType': {}, 'cpfrExitMaxUtilTxAbsolute': {}, 'cpfrExitMaxUtilTxPercentage': {}, 'cpfrExitMaxUtilTxType': {}, 'cpfrExitName': {}, 'cpfrExitNickName': {}, 'cpfrExitOperStatus': {}, 'cpfrExitRollupCollected': {}, 'cpfrExitRollupCumRxBytes': {}, 'cpfrExitRollupCumTxBytes': {}, 'cpfrExitRollupCurrentTgtUtil': {}, 'cpfrExitRollupDiscard': {}, 'cpfrExitRollupLeft': {}, 'cpfrExitRollupMomTgtUtil': {}, 'cpfrExitRollupStartingTgtUtil': {}, 'cpfrExitRollupTimeRemain': {}, 'cpfrExitRollupTotal': {}, 'cpfrExitRowStatus': {}, 'cpfrExitRsvpBandwidthPool': {}, 'cpfrExitRxBandwidth': {}, 'cpfrExitRxLoad': {}, 'cpfrExitStorageType': {}, 'cpfrExitSustainedUtil1': {}, 'cpfrExitSustainedUtil2': {}, 'cpfrExitSustainedUtil3': {}, 'cpfrExitTxBandwidth': {}, 'cpfrExitTxLoad': {}, 'cpfrExitType': {}, 'cpfrLearnAggAccesslistName': {}, 'cpfrLearnAggregationPrefixLen': {}, 'cpfrLearnAggregationType': {}, 'cpfrLearnExpireSessionNum': {}, 'cpfrLearnExpireTime': {}, 'cpfrLearnExpireType': {}, 'cpfrLearnFilterAccessListName': {}, 'cpfrLearnListAclFilterPfxName': {}, 'cpfrLearnListAclName': {}, 'cpfrLearnListMethod': {}, 'cpfrLearnListNbarAppl': {}, 'cpfrLearnListPfxInside': {}, 'cpfrLearnListPfxName': {}, 'cpfrLearnListReferenceName': {}, 'cpfrLearnListRowStatus': {}, 'cpfrLearnListSequenceNum': {}, 'cpfrLearnListStorageType': {}, 'cpfrLearnMethod': {}, 'cpfrLearnMonitorPeriod': {}, 'cpfrLearnPeriodInterval': {}, 'cpfrLearnPrefixesNumber': {}, 'cpfrLinkGroupBRIndex': {}, 'cpfrLinkGroupExitEntry': {'6': {}, '7': {}}, 'cpfrLinkGroupExitIndex': {}, 'cpfrLinkGroupRowStatus': {}, 'cpfrMCAdminStatus': {}, 'cpfrMCConnStatus': {}, 'cpfrMCEntranceLinksMaxUtil': {}, 'cpfrMCEntry': {'26': {}, '27': {}, '28': {}, '29': {}, '30': {}}, 'cpfrMCExitLinksMaxUtil': {}, 'cpfrMCKeepAliveTimer': {}, 'cpfrMCLearnState': {}, 'cpfrMCLearnStateTimeRemain': {}, 'cpfrMCMapIndex': {}, 'cpfrMCMaxPrefixLearn': {}, 'cpfrMCMaxPrefixTotal': {}, 'cpfrMCNetflowExporter': {}, 'cpfrMCNumofBorderRouters': {}, 'cpfrMCNumofExits': {}, 'cpfrMCOperStatus': {}, 'cpfrMCPbrMet': {}, 'cpfrMCPortNumber': {}, 'cpfrMCPrefixConfigured': {}, 'cpfrMCPrefixCount': {}, 'cpfrMCPrefixLearned': {}, 'cpfrMCResolveMapPolicyIndex': {}, 'cpfrMCResolvePolicyType': {}, 'cpfrMCResolvePriority': {}, 'cpfrMCResolveRowStatus': {}, 'cpfrMCResolveStorageType': {}, 'cpfrMCResolveVariance': {}, 'cpfrMCRowStatus': {}, 'cpfrMCRsvpPostDialDelay': {}, 'cpfrMCRsvpSignalingRetries': {}, 'cpfrMCStorageType': {}, 'cpfrMCTracerouteProbeDelay': {}, 'cpfrMapActiveProbeFrequency': {}, 'cpfrMapActiveProbePackets': {}, 'cpfrMapBackoffMaxTimer': {}, 'cpfrMapBackoffMinTimer': {}, 'cpfrMapBackoffStepTimer': {}, 'cpfrMapDelayRelativePercent': {}, 'cpfrMapDelayThresholdMax': {}, 'cpfrMapDelayType': {}, 'cpfrMapEntry': {'38': {}, '39': {}, '40': {}}, 'cpfrMapFallbackLinkGroupName': {}, 'cpfrMapHolddownTimer': {}, 'cpfrMapJitterThresholdMax': {}, 'cpfrMapLinkGroupName': {}, 'cpfrMapLossRelativeAvg': {}, 'cpfrMapLossThresholdMax': {}, 'cpfrMapLossType': {}, 'cpfrMapModeMonitor': {}, 'cpfrMapModeRouteOpts': {}, 'cpfrMapModeSelectExitType': {}, 'cpfrMapMossPercentage': {}, 'cpfrMapMossThresholdMin': {}, 'cpfrMapName': {}, 'cpfrMapNextHopAddress': {}, 'cpfrMapNextHopAddressType': {}, 'cpfrMapPeriodicTimer': {}, 'cpfrMapPrefixForwardInterface': {}, 'cpfrMapRoundRobinResolver': {}, 'cpfrMapRouteMetricBgpLocalPref': {}, 'cpfrMapRouteMetricEigrpTagCommunity': {}, 'cpfrMapRouteMetricStaticTag': {}, 'cpfrMapRowStatus': {}, 'cpfrMapStorageType': {}, 'cpfrMapTracerouteReporting': {}, 'cpfrMapUnreachableRelativeAvg': {}, 'cpfrMapUnreachableThresholdMax': {}, 'cpfrMapUnreachableType': {}, 'cpfrMatchAddrAccessList': {}, 'cpfrMatchAddrPrefixInside': {}, 'cpfrMatchAddrPrefixList': {}, 'cpfrMatchLearnListName': {}, 'cpfrMatchLearnMode': {}, 'cpfrMatchTCAccessListName': {}, 'cpfrMatchTCNbarApplPfxList': {}, 'cpfrMatchTCNbarListName': {}, 'cpfrMatchValid': {}, 'cpfrNbarApplListRowStatus': {}, 'cpfrNbarApplListStorageType': {}, 'cpfrNbarApplPdIndex': {}, 'cpfrResolveMapIndex': {}, 'cpfrTCBRExitIndex': {}, 'cpfrTCBRIndex': {}, 'cpfrTCDscpValue': {}, 'cpfrTCDstMaxPort': {}, 'cpfrTCDstMinPort': {}, 'cpfrTCDstPrefix': {}, 'cpfrTCDstPrefixLen': {}, 'cpfrTCDstPrefixType': {}, 'cpfrTCMActiveLTDelayAvg': {}, 'cpfrTCMActiveLTUnreachableAvg': {}, 'cpfrTCMActiveSTDelayAvg': {}, 'cpfrTCMActiveSTJitterAvg': {}, 'cpfrTCMActiveSTUnreachableAvg': {}, 'cpfrTCMAge': {}, 'cpfrTCMAttempts': {}, 'cpfrTCMLastUpdateTime': {}, 'cpfrTCMMOSPercentage': {}, 'cpfrTCMPackets': {}, 'cpfrTCMPassiveLTDelayAvg': {}, 'cpfrTCMPassiveLTLossAvg': {}, 'cpfrTCMPassiveLTUnreachableAvg': {}, 'cpfrTCMPassiveSTDelayAvg': {}, 'cpfrTCMPassiveSTLossAvg': {}, 'cpfrTCMPassiveSTUnreachableAvg': {}, 'cpfrTCMapIndex': {}, 'cpfrTCMapPolicyIndex': {}, 'cpfrTCMetricsValid': {}, 'cpfrTCNbarApplication': {}, 'cpfrTCProtocol': {}, 'cpfrTCSControlBy': {}, 'cpfrTCSControlState': {}, 'cpfrTCSLastOOPEventTime': {}, 'cpfrTCSLastOOPReason': {}, 'cpfrTCSLastRouteChangeEvent': {}, 'cpfrTCSLastRouteChangeReason': {}, 'cpfrTCSLearnListIndex': {}, 'cpfrTCSTimeOnCurrExit': {}, 'cpfrTCSTimeRemainCurrState': {}, 'cpfrTCSType': {}, 'cpfrTCSrcMaxPort': {}, 'cpfrTCSrcMinPort': {}, 'cpfrTCSrcPrefix': {}, 'cpfrTCSrcPrefixLen': {}, 'cpfrTCSrcPrefixType': {}, 'cpfrTCStatus': {}, 'cpfrTrafficClassValid': {}, 'cpim': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cpmCPUHistoryTable.1.2': {}, 'cpmCPUHistoryTable.1.3': {}, 'cpmCPUHistoryTable.1.4': {}, 'cpmCPUHistoryTable.1.5': {}, 'cpmCPUProcessHistoryTable.1.2': {}, 'cpmCPUProcessHistoryTable.1.3': {}, 'cpmCPUProcessHistoryTable.1.4': {}, 'cpmCPUProcessHistoryTable.1.5': {}, 'cpmCPUThresholdTable.1.2': {}, 'cpmCPUThresholdTable.1.3': {}, 'cpmCPUThresholdTable.1.4': {}, 'cpmCPUThresholdTable.1.5': {}, 'cpmCPUThresholdTable.1.6': {}, 'cpmCPUTotalTable.1.10': {}, 'cpmCPUTotalTable.1.11': {}, 'cpmCPUTotalTable.1.12': {}, 'cpmCPUTotalTable.1.13': {}, 'cpmCPUTotalTable.1.14': {}, 'cpmCPUTotalTable.1.15': {}, 'cpmCPUTotalTable.1.16': {}, 'cpmCPUTotalTable.1.17': {}, 'cpmCPUTotalTable.1.18': {}, 'cpmCPUTotalTable.1.19': {}, 'cpmCPUTotalTable.1.2': {}, 'cpmCPUTotalTable.1.20': {}, 'cpmCPUTotalTable.1.21': {}, 'cpmCPUTotalTable.1.22': {}, 'cpmCPUTotalTable.1.23': {}, 'cpmCPUTotalTable.1.24': {}, 'cpmCPUTotalTable.1.25': {}, 'cpmCPUTotalTable.1.26': {}, 'cpmCPUTotalTable.1.27': {}, 'cpmCPUTotalTable.1.28': {}, 'cpmCPUTotalTable.1.29': {}, 'cpmCPUTotalTable.1.3': {}, 'cpmCPUTotalTable.1.4': {}, 'cpmCPUTotalTable.1.5': {}, 'cpmCPUTotalTable.1.6': {}, 'cpmCPUTotalTable.1.7': {}, 'cpmCPUTotalTable.1.8': {}, 'cpmCPUTotalTable.1.9': {}, 'cpmProcessExtTable.1.1': {}, 'cpmProcessExtTable.1.2': {}, 'cpmProcessExtTable.1.3': {}, 'cpmProcessExtTable.1.4': {}, 'cpmProcessExtTable.1.5': {}, 'cpmProcessExtTable.1.6': {}, 'cpmProcessExtTable.1.7': {}, 'cpmProcessExtTable.1.8': {}, 'cpmProcessTable.1.1': {}, 'cpmProcessTable.1.2': {}, 'cpmProcessTable.1.4': {}, 'cpmProcessTable.1.5': {}, 'cpmProcessTable.1.6': {}, 'cpmThreadTable.1.2': {}, 'cpmThreadTable.1.3': {}, 'cpmThreadTable.1.4': {}, 'cpmThreadTable.1.5': {}, 'cpmThreadTable.1.6': {}, 'cpmThreadTable.1.7': {}, 'cpmThreadTable.1.8': {}, 'cpmThreadTable.1.9': {}, 'cpmVirtualProcessTable.1.10': {}, 'cpmVirtualProcessTable.1.11': {}, 'cpmVirtualProcessTable.1.12': {}, 'cpmVirtualProcessTable.1.13': {}, 'cpmVirtualProcessTable.1.2': {}, 'cpmVirtualProcessTable.1.3': {}, 'cpmVirtualProcessTable.1.4': {}, 'cpmVirtualProcessTable.1.5': {}, 'cpmVirtualProcessTable.1.6': {}, 'cpmVirtualProcessTable.1.7': {}, 'cpmVirtualProcessTable.1.8': {}, 'cpmVirtualProcessTable.1.9': {}, 'cpwAtmAvgCellsPacked': {}, 'cpwAtmCellPacking': {}, 'cpwAtmCellsReceived': {}, 'cpwAtmCellsRejected': {}, 'cpwAtmCellsSent': {}, 'cpwAtmCellsTagged': {}, 'cpwAtmClpQosMapping': {}, 'cpwAtmEncap': {}, 'cpwAtmHCCellsReceived': {}, 'cpwAtmHCCellsRejected': {}, 'cpwAtmHCCellsTagged': {}, 'cpwAtmIf': {}, 'cpwAtmMcptTimeout': {}, 'cpwAtmMncp': {}, 'cpwAtmOamCellSupported': {}, 'cpwAtmPeerMncp': {}, 'cpwAtmPktsReceived': {}, 'cpwAtmPktsRejected': {}, 'cpwAtmPktsSent': {}, 'cpwAtmQosScalingFactor': {}, 'cpwAtmRowStatus': {}, 'cpwAtmVci': {}, 'cpwAtmVpi': {}, 'cpwVcAdminStatus': {}, 'cpwVcControlWord': {}, 'cpwVcCreateTime': {}, 'cpwVcDescr': {}, 'cpwVcHoldingPriority': {}, 'cpwVcID': {}, 'cpwVcIdMappingVcIndex': {}, 'cpwVcInboundMode': {}, 'cpwVcInboundOperStatus': {}, 'cpwVcInboundVcLabel': {}, 'cpwVcIndexNext': {}, 'cpwVcLocalGroupID': {}, 'cpwVcLocalIfMtu': {}, 'cpwVcLocalIfString': {}, 'cpwVcMplsEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'cpwVcMplsInboundEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cpwVcMplsMIB.1.2': {}, 'cpwVcMplsMIB.1.4': {}, 'cpwVcMplsNonTeMappingEntry': {'4': {}}, 'cpwVcMplsOutboundEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cpwVcMplsTeMappingEntry': {'6': {}}, 'cpwVcName': {}, 'cpwVcNotifRate': {}, 'cpwVcOperStatus': {}, 'cpwVcOutboundOperStatus': {}, 'cpwVcOutboundVcLabel': {}, 'cpwVcOwner': {}, 'cpwVcPeerAddr': {}, 'cpwVcPeerAddrType': {}, 'cpwVcPeerMappingVcIndex': {}, 'cpwVcPerfCurrentInHCBytes': {}, 'cpwVcPerfCurrentInHCPackets': {}, 'cpwVcPerfCurrentOutHCBytes': {}, 'cpwVcPerfCurrentOutHCPackets': {}, 'cpwVcPerfIntervalInHCBytes': {}, 'cpwVcPerfIntervalInHCPackets': {}, 'cpwVcPerfIntervalOutHCBytes': {}, 'cpwVcPerfIntervalOutHCPackets': {}, 'cpwVcPerfIntervalTimeElapsed': {}, 'cpwVcPerfIntervalValidData': {}, 'cpwVcPerfTotalDiscontinuityTime': {}, 'cpwVcPerfTotalErrorPackets': {}, 'cpwVcPerfTotalInHCBytes': {}, 'cpwVcPerfTotalInHCPackets': {}, 'cpwVcPerfTotalOutHCBytes': {}, 'cpwVcPerfTotalOutHCPackets': {}, 'cpwVcPsnType': {}, 'cpwVcRemoteControlWord': {}, 'cpwVcRemoteGroupID': {}, 'cpwVcRemoteIfMtu': {}, 'cpwVcRemoteIfString': {}, 'cpwVcRowStatus': {}, 'cpwVcSetUpPriority': {}, 'cpwVcStorageType': {}, 'cpwVcTimeElapsed': {}, 'cpwVcType': {}, 'cpwVcUpDownNotifEnable': {}, 'cpwVcUpTime': {}, 'cpwVcValidIntervals': {}, 'cqvTerminationPeEncap': {}, 'cqvTerminationRowStatus': {}, 'cqvTranslationEntry': {'3': {}, '4': {}, '5': {}, '6': {}, '7': {}}, 'creAcctClientAverageResponseDelay': {}, 'creAcctClientBadAuthenticators': {}, 'creAcctClientBufferAllocFailures': {}, 'creAcctClientDupIDs': {}, 'creAcctClientLastUsedSourceId': {}, 'creAcctClientMalformedResponses': {}, 'creAcctClientMaxBufferSize': {}, 'creAcctClientMaxResponseDelay': {}, 'creAcctClientTimeouts': {}, 'creAcctClientTotalPacketsWithResponses': {}, 'creAcctClientTotalPacketsWithoutResponses': {}, 'creAcctClientTotalResponses': {}, 'creAcctClientUnknownResponses': {}, 'creAuthClientAverageResponseDelay': {}, 'creAuthClientBadAuthenticators': {}, 'creAuthClientBufferAllocFailures': {}, 'creAuthClientDupIDs': {}, 'creAuthClientLastUsedSourceId': {}, 'creAuthClientMalformedResponses': {}, 'creAuthClientMaxBufferSize': {}, 'creAuthClientMaxResponseDelay': {}, 'creAuthClientTimeouts': {}, 'creAuthClientTotalPacketsWithResponses': {}, 'creAuthClientTotalPacketsWithoutResponses': {}, 'creAuthClientTotalResponses': {}, 'creAuthClientUnknownResponses': {}, 'creClientLastUsedSourceId': {}, 'creClientLastUsedSourcePort': {}, 'creClientSourcePortRangeEnd': {}, 'creClientSourcePortRangeStart': {}, 'creClientTotalAccessRejects': {}, 'creClientTotalAverageResponseDelay': {}, 'creClientTotalMaxDoneQLength': {}, 'creClientTotalMaxInQLength': {}, 'creClientTotalMaxWaitQLength': {}, 'crttMonIPEchoAdminDscp': {}, 'crttMonIPEchoAdminFlowLabel': {}, 'crttMonIPEchoAdminLSPSelAddrType': {}, 'crttMonIPEchoAdminLSPSelAddress': {}, 'crttMonIPEchoAdminNameServerAddrType': {}, 'crttMonIPEchoAdminNameServerAddress': {}, 'crttMonIPEchoAdminSourceAddrType': {}, 'crttMonIPEchoAdminSourceAddress': {}, 'crttMonIPEchoAdminTargetAddrType': {}, 'crttMonIPEchoAdminTargetAddress': {}, 'crttMonIPEchoPathAdminHopAddrType': {}, 'crttMonIPEchoPathAdminHopAddress': {}, 'crttMonIPHistoryCollectionAddrType': {}, 'crttMonIPHistoryCollectionAddress': {}, 'crttMonIPLatestRttOperAddress': {}, 'crttMonIPLatestRttOperAddressType': {}, 'crttMonIPLpdGrpStatsTargetPEAddr': {}, 'crttMonIPLpdGrpStatsTargetPEAddrType': {}, 'crttMonIPStatsCollectAddress': {}, 'crttMonIPStatsCollectAddressType': {}, 'csNotifications': {'1': {}}, 'csbAdjacencyStatusNotifEnabled': {}, 'csbBlackListNotifEnabled': {}, 'csbCallStatsActiveTranscodeFlows': {}, 'csbCallStatsAvailableFlows': {}, 'csbCallStatsAvailablePktRate': {}, 'csbCallStatsAvailableTranscodeFlows': {}, 'csbCallStatsCallsHigh': {}, 'csbCallStatsCallsLow': {}, 'csbCallStatsInstancePhysicalIndex': {}, 'csbCallStatsNoMediaCount': {}, 'csbCallStatsPeakFlows': {}, 'csbCallStatsPeakSigFlows': {}, 'csbCallStatsPeakTranscodeFlows': {}, 'csbCallStatsRTPOctetsDiscard': {}, 'csbCallStatsRTPOctetsRcvd': {}, 'csbCallStatsRTPOctetsSent': {}, 'csbCallStatsRTPPktsDiscard': {}, 'csbCallStatsRTPPktsRcvd': {}, 'csbCallStatsRTPPktsSent': {}, 'csbCallStatsRate1Sec': {}, 'csbCallStatsRouteErrors': {}, 'csbCallStatsSbcName': {}, 'csbCallStatsTotalFlows': {}, 'csbCallStatsTotalSigFlows': {}, 'csbCallStatsTotalTranscodeFlows': {}, 'csbCallStatsUnclassifiedPkts': {}, 'csbCallStatsUsedFlows': {}, 'csbCallStatsUsedSigFlows': {}, 'csbCongestionAlarmNotifEnabled': {}, 'csbCurrPeriodicIpsecCalls': {}, 'csbCurrPeriodicStatsActivatingCalls': {}, 'csbCurrPeriodicStatsActiveCallFailure': {}, 'csbCurrPeriodicStatsActiveCalls': {}, 'csbCurrPeriodicStatsActiveE2EmergencyCalls': {}, 'csbCurrPeriodicStatsActiveEmergencyCalls': {}, 'csbCurrPeriodicStatsActiveIpv6Calls': {}, 'csbCurrPeriodicStatsAudioTranscodedCalls': {}, 'csbCurrPeriodicStatsCallMediaFailure': {}, 'csbCurrPeriodicStatsCallResourceFailure': {}, 'csbCurrPeriodicStatsCallRoutingFailure': {}, 'csbCurrPeriodicStatsCallSetupCACBandwidthFailure': {}, 'csbCurrPeriodicStatsCallSetupCACCallLimitFailure': {}, 'csbCurrPeriodicStatsCallSetupCACMediaLimitFailure': {}, 'csbCurrPeriodicStatsCallSetupCACMediaUpdateFailure': {}, 'csbCurrPeriodicStatsCallSetupCACPolicyFailure': {}, 'csbCurrPeriodicStatsCallSetupCACRateLimitFailure': {}, 'csbCurrPeriodicStatsCallSetupNAPolicyFailure': {}, 'csbCurrPeriodicStatsCallSetupPolicyFailure': {}, 'csbCurrPeriodicStatsCallSetupRoutingPolicyFailure': {}, 'csbCurrPeriodicStatsCallSigFailure': {}, 'csbCurrPeriodicStatsCongestionFailure': {}, 'csbCurrPeriodicStatsCurrentTaps': {}, 'csbCurrPeriodicStatsDeactivatingCalls': {}, 'csbCurrPeriodicStatsDtmfIw2833Calls': {}, 'csbCurrPeriodicStatsDtmfIw2833InbandCalls': {}, 'csbCurrPeriodicStatsDtmfIwInbandCalls': {}, 'csbCurrPeriodicStatsFailedCallAttempts': {}, 'csbCurrPeriodicStatsFaxTranscodedCalls': {}, 'csbCurrPeriodicStatsImsRxActiveCalls': {}, 'csbCurrPeriodicStatsImsRxCallRenegotiationAttempts': {}, 'csbCurrPeriodicStatsImsRxCallRenegotiationFailures': {}, 'csbCurrPeriodicStatsImsRxCallSetupFaiures': {}, 'csbCurrPeriodicStatsNonSrtpCalls': {}, 'csbCurrPeriodicStatsRtpDisallowedFailures': {}, 'csbCurrPeriodicStatsSrtpDisallowedFailures': {}, 'csbCurrPeriodicStatsSrtpIwCalls': {}, 'csbCurrPeriodicStatsSrtpNonIwCalls': {}, 'csbCurrPeriodicStatsTimestamp': {}, 'csbCurrPeriodicStatsTotalCallAttempts': {}, 'csbCurrPeriodicStatsTotalCallUpdateFailure': {}, 'csbCurrPeriodicStatsTotalTapsRequested': {}, 'csbCurrPeriodicStatsTotalTapsSucceeded': {}, 'csbCurrPeriodicStatsTranscodedCalls': {}, 'csbCurrPeriodicStatsTransratedCalls': {}, 'csbDiameterConnectionStatusNotifEnabled': {}, 'csbH248ControllerStatusNotifEnabled': {}, 'csbH248StatsEstablishedTime': {}, 'csbH248StatsEstablishedTimeRev1': {}, 'csbH248StatsLT': {}, 'csbH248StatsLTRev1': {}, 'csbH248StatsRTT': {}, 'csbH248StatsRTTRev1': {}, 'csbH248StatsRepliesRcvd': {}, 'csbH248StatsRepliesRcvdRev1': {}, 'csbH248StatsRepliesRetried': {}, 'csbH248StatsRepliesRetriedRev1': {}, 'csbH248StatsRepliesSent': {}, 'csbH248StatsRepliesSentRev1': {}, 'csbH248StatsRequestsFailed': {}, 'csbH248StatsRequestsFailedRev1': {}, 'csbH248StatsRequestsRcvd': {}, 'csbH248StatsRequestsRcvdRev1': {}, 'csbH248StatsRequestsRetried': {}, 'csbH248StatsRequestsRetriedRev1': {}, 'csbH248StatsRequestsSent': {}, 'csbH248StatsRequestsSentRev1': {}, 'csbH248StatsSegPktsRcvd': {}, 'csbH248StatsSegPktsRcvdRev1': {}, 'csbH248StatsSegPktsSent': {}, 'csbH248StatsSegPktsSentRev1': {}, 'csbH248StatsTMaxTimeoutVal': {}, 'csbH248StatsTMaxTimeoutValRev1': {}, 'csbHistoryStatsActiveCallFailure': {}, 'csbHistoryStatsActiveCalls': {}, 'csbHistoryStatsActiveE2EmergencyCalls': {}, 'csbHistoryStatsActiveEmergencyCalls': {}, 'csbHistoryStatsActiveIpv6Calls': {}, 'csbHistoryStatsAudioTranscodedCalls': {}, 'csbHistoryStatsCallMediaFailure': {}, 'csbHistoryStatsCallResourceFailure': {}, 'csbHistoryStatsCallRoutingFailure': {}, 'csbHistoryStatsCallSetupCACBandwidthFailure': {}, 'csbHistoryStatsCallSetupCACCallLimitFailure': {}, 'csbHistoryStatsCallSetupCACMediaLimitFailure': {}, 'csbHistoryStatsCallSetupCACMediaUpdateFailure': {}, 'csbHistoryStatsCallSetupCACPolicyFailure': {}, 'csbHistoryStatsCallSetupCACRateLimitFailure': {}, 'csbHistoryStatsCallSetupNAPolicyFailure': {}, 'csbHistoryStatsCallSetupPolicyFailure': {}, 'csbHistoryStatsCallSetupRoutingPolicyFailure': {}, 'csbHistoryStatsCongestionFailure': {}, 'csbHistoryStatsCurrentTaps': {}, 'csbHistoryStatsDtmfIw2833Calls': {}, 'csbHistoryStatsDtmfIw2833InbandCalls': {}, 'csbHistoryStatsDtmfIwInbandCalls': {}, 'csbHistoryStatsFailSigFailure': {}, 'csbHistoryStatsFailedCallAttempts': {}, 'csbHistoryStatsFaxTranscodedCalls': {}, 'csbHistoryStatsImsRxActiveCalls': {}, 'csbHistoryStatsImsRxCallRenegotiationAttempts': {}, 'csbHistoryStatsImsRxCallRenegotiationFailures': {}, 'csbHistoryStatsImsRxCallSetupFailures': {}, 'csbHistoryStatsIpsecCalls': {}, 'csbHistoryStatsNonSrtpCalls': {}, 'csbHistoryStatsRtpDisallowedFailures': {}, 'csbHistoryStatsSrtpDisallowedFailures': {}, 'csbHistoryStatsSrtpIwCalls': {}, 'csbHistoryStatsSrtpNonIwCalls': {}, 'csbHistoryStatsTimestamp': {}, 'csbHistoryStatsTotalCallAttempts': {}, 'csbHistoryStatsTotalCallUpdateFailure': {}, 'csbHistoryStatsTotalTapsRequested': {}, 'csbHistoryStatsTotalTapsSucceeded': {}, 'csbHistroyStatsTranscodedCalls': {}, 'csbHistroyStatsTransratedCalls': {}, 'csbPerFlowStatsAdrStatus': {}, 'csbPerFlowStatsDscpSettings': {}, 'csbPerFlowStatsEPJitter': {}, 'csbPerFlowStatsFlowType': {}, 'csbPerFlowStatsQASettings': {}, 'csbPerFlowStatsRTCPPktsLost': {}, 'csbPerFlowStatsRTCPPktsRcvd': {}, 'csbPerFlowStatsRTCPPktsSent': {}, 'csbPerFlowStatsRTPOctetsDiscard': {}, 'csbPerFlowStatsRTPOctetsRcvd': {}, 'csbPerFlowStatsRTPOctetsSent': {}, 'csbPerFlowStatsRTPPktsDiscard': {}, 'csbPerFlowStatsRTPPktsLost': {}, 'csbPerFlowStatsRTPPktsRcvd': {}, 'csbPerFlowStatsRTPPktsSent': {}, 'csbPerFlowStatsTmanPerMbs': {}, 'csbPerFlowStatsTmanPerSdr': {}, 'csbRadiusConnectionStatusNotifEnabled': {}, 'csbRadiusStatsAcsAccpts': {}, 'csbRadiusStatsAcsChalls': {}, 'csbRadiusStatsAcsRejects': {}, 'csbRadiusStatsAcsReqs': {}, 'csbRadiusStatsAcsRtrns': {}, 'csbRadiusStatsActReqs': {}, 'csbRadiusStatsActRetrans': {}, 'csbRadiusStatsActRsps': {}, 'csbRadiusStatsBadAuths': {}, 'csbRadiusStatsClientName': {}, 'csbRadiusStatsClientType': {}, 'csbRadiusStatsDropped': {}, 'csbRadiusStatsMalformedRsps': {}, 'csbRadiusStatsPending': {}, 'csbRadiusStatsSrvrName': {}, 'csbRadiusStatsTimeouts': {}, 'csbRadiusStatsUnknownType': {}, 'csbRfBillRealmStatsFailEventAcrs': {}, 'csbRfBillRealmStatsFailInterimAcrs': {}, 'csbRfBillRealmStatsFailStartAcrs': {}, 'csbRfBillRealmStatsFailStopAcrs': {}, 'csbRfBillRealmStatsRealmName': {}, 'csbRfBillRealmStatsSuccEventAcrs': {}, 'csbRfBillRealmStatsSuccInterimAcrs': {}, 'csbRfBillRealmStatsSuccStartAcrs': {}, 'csbRfBillRealmStatsSuccStopAcrs': {}, 'csbRfBillRealmStatsTotalEventAcrs': {}, 'csbRfBillRealmStatsTotalInterimAcrs': {}, 'csbRfBillRealmStatsTotalStartAcrs': {}, 'csbRfBillRealmStatsTotalStopAcrs': {}, 'csbSIPMthdCurrentStatsAdjName': {}, 'csbSIPMthdCurrentStatsMethodName': {}, 'csbSIPMthdCurrentStatsReqIn': {}, 'csbSIPMthdCurrentStatsReqOut': {}, 'csbSIPMthdCurrentStatsResp1xxIn': {}, 'csbSIPMthdCurrentStatsResp1xxOut': {}, 'csbSIPMthdCurrentStatsResp2xxIn': {}, 'csbSIPMthdCurrentStatsResp2xxOut': {}, 'csbSIPMthdCurrentStatsResp3xxIn': {}, 'csbSIPMthdCurrentStatsResp3xxOut': {}, 'csbSIPMthdCurrentStatsResp4xxIn': {}, 'csbSIPMthdCurrentStatsResp4xxOut': {}, 'csbSIPMthdCurrentStatsResp5xxIn': {}, 'csbSIPMthdCurrentStatsResp5xxOut': {}, 'csbSIPMthdCurrentStatsResp6xxIn': {}, 'csbSIPMthdCurrentStatsResp6xxOut': {}, 'csbSIPMthdHistoryStatsAdjName': {}, 'csbSIPMthdHistoryStatsMethodName': {}, 'csbSIPMthdHistoryStatsReqIn': {}, 'csbSIPMthdHistoryStatsReqOut': {}, 'csbSIPMthdHistoryStatsResp1xxIn': {}, 'csbSIPMthdHistoryStatsResp1xxOut': {}, 'csbSIPMthdHistoryStatsResp2xxIn': {}, 'csbSIPMthdHistoryStatsResp2xxOut': {}, 'csbSIPMthdHistoryStatsResp3xxIn': {}, 'csbSIPMthdHistoryStatsResp3xxOut': {}, 'csbSIPMthdHistoryStatsResp4xxIn': {}, 'csbSIPMthdHistoryStatsResp4xxOut': {}, 'csbSIPMthdHistoryStatsResp5xxIn': {}, 'csbSIPMthdHistoryStatsResp5xxOut': {}, 'csbSIPMthdHistoryStatsResp6xxIn': {}, 'csbSIPMthdHistoryStatsResp6xxOut': {}, 'csbSIPMthdRCCurrentStatsAdjName': {}, 'csbSIPMthdRCCurrentStatsMethodName': {}, 'csbSIPMthdRCCurrentStatsRespIn': {}, 'csbSIPMthdRCCurrentStatsRespOut': {}, 'csbSIPMthdRCHistoryStatsAdjName': {}, 'csbSIPMthdRCHistoryStatsMethodName': {}, 'csbSIPMthdRCHistoryStatsRespIn': {}, 'csbSIPMthdRCHistoryStatsRespOut': {}, 'csbSLAViolationNotifEnabled': {}, 'csbSLAViolationNotifEnabledRev1': {}, 'csbServiceStateNotifEnabled': {}, 'csbSourceAlertNotifEnabled': {}, 'cslFarEndTotalEntry': {'1': {}, '2': {}, '3': {}, '4': {}}, 'cslTotalEntry': {'1': {}, '2': {}, '3': {}, '4': {}}, 'cspFarEndTotalEntry': {'1': {}, '2': {}, '3': {}, '4': {}}, 'cspTotalEntry': {'1': {}, '2': {}, '3': {}, '4': {}}, 'cssTotalEntry': {'1': {}, '2': {}, '3': {}, '4': {}}, 'csubAggStatsAuthSessions': {}, 'csubAggStatsAvgSessionRPH': {}, 'csubAggStatsAvgSessionRPM': {}, 'csubAggStatsAvgSessionUptime': {}, 'csubAggStatsCurrAuthSessions': {}, 'csubAggStatsCurrCreatedSessions': {}, 'csubAggStatsCurrDiscSessions': {}, 'csubAggStatsCurrFailedSessions': {}, 'csubAggStatsCurrFlowsUp': {}, 'csubAggStatsCurrInvalidIntervals': {}, 'csubAggStatsCurrTimeElapsed': {}, 'csubAggStatsCurrUpSessions': {}, 'csubAggStatsCurrValidIntervals': {}, 'csubAggStatsDayAuthSessions': {}, 'csubAggStatsDayCreatedSessions': {}, 'csubAggStatsDayDiscSessions': {}, 'csubAggStatsDayFailedSessions': {}, 'csubAggStatsDayUpSessions': {}, 'csubAggStatsDiscontinuityTime': {}, 'csubAggStatsHighUpSessions': {}, 'csubAggStatsIntAuthSessions': {}, 'csubAggStatsIntCreatedSessions': {}, 'csubAggStatsIntDiscSessions': {}, 'csubAggStatsIntFailedSessions': {}, 'csubAggStatsIntUpSessions': {}, 'csubAggStatsIntValid': {}, 'csubAggStatsLightWeightSessions': {}, 'csubAggStatsPendingSessions': {}, 'csubAggStatsRedSessions': {}, 'csubAggStatsThrottleEngagements': {}, 'csubAggStatsTotalAuthSessions': {}, 'csubAggStatsTotalCreatedSessions': {}, 'csubAggStatsTotalDiscSessions': {}, 'csubAggStatsTotalFailedSessions': {}, 'csubAggStatsTotalFlowsUp': {}, 'csubAggStatsTotalLightWeightSessions': {}, 'csubAggStatsTotalUpSessions': {}, 'csubAggStatsUnAuthSessions': {}, 'csubAggStatsUpSessions': {}, 'csubJobControl': {}, 'csubJobCount': {}, 'csubJobFinishedNotifyEnable': {}, 'csubJobFinishedReason': {}, 'csubJobFinishedTime': {}, 'csubJobIdNext': {}, 'csubJobIndexedAttributes': {}, 'csubJobMatchAcctSessionId': {}, 'csubJobMatchAuthenticated': {}, 'csubJobMatchCircuitId': {}, 'csubJobMatchDanglingDuration': {}, 'csubJobMatchDhcpClass': {}, 'csubJobMatchDnis': {}, 'csubJobMatchDomain': {}, 'csubJobMatchDomainIpAddr': {}, 'csubJobMatchDomainIpAddrType': {}, 'csubJobMatchDomainIpMask': {}, 'csubJobMatchDomainVrf': {}, 'csubJobMatchIdentities': {}, 'csubJobMatchMacAddress': {}, 'csubJobMatchMedia': {}, 'csubJobMatchMlpNegotiated': {}, 'csubJobMatchNasPort': {}, 'csubJobMatchNativeIpAddr': {}, 'csubJobMatchNativeIpAddrType': {}, 'csubJobMatchNativeIpMask': {}, 'csubJobMatchNativeVrf': {}, 'csubJobMatchOtherParams': {}, 'csubJobMatchPbhk': {}, 'csubJobMatchProtocol': {}, 'csubJobMatchRedundancyMode': {}, 'csubJobMatchRemoteId': {}, 'csubJobMatchServiceName': {}, 'csubJobMatchState': {}, 'csubJobMatchSubscriberLabel': {}, 'csubJobMatchTunnelName': {}, 'csubJobMatchUsername': {}, 'csubJobMaxLife': {}, 'csubJobMaxNumber': {}, 'csubJobQueryResultingReportSize': {}, 'csubJobQuerySortKey1': {}, 'csubJobQuerySortKey2': {}, 'csubJobQuerySortKey3': {}, 'csubJobQueueJobId': {}, 'csubJobReportSession': {}, 'csubJobStartedTime': {}, 'csubJobState': {}, 'csubJobStatus': {}, 'csubJobStorage': {}, 'csubJobType': {}, 'csubSessionAcctSessionId': {}, 'csubSessionAuthenticated': {}, 'csubSessionAvailableIdentities': {}, 'csubSessionByType': {}, 'csubSessionCircuitId': {}, 'csubSessionCreationTime': {}, 'csubSessionDerivedCfg': {}, 'csubSessionDhcpClass': {}, 'csubSessionDnis': {}, 'csubSessionDomain': {}, 'csubSessionDomainIpAddr': {}, 'csubSessionDomainIpAddrType': {}, 'csubSessionDomainIpMask': {}, 'csubSessionDomainVrf': {}, 'csubSessionIfIndex': {}, 'csubSessionIpAddrAssignment': {}, 'csubSessionLastChanged': {}, 'csubSessionLocationIdentifier': {}, 'csubSessionMacAddress': {}, 'csubSessionMedia': {}, 'csubSessionMlpNegotiated': {}, 'csubSessionNasPort': {}, 'csubSessionNativeIpAddr': {}, 'csubSessionNativeIpAddr2': {}, 'csubSessionNativeIpAddrType': {}, 'csubSessionNativeIpAddrType2': {}, 'csubSessionNativeIpMask': {}, 'csubSessionNativeIpMask2': {}, 'csubSessionNativeVrf': {}, 'csubSessionPbhk': {}, 'csubSessionProtocol': {}, 'csubSessionRedundancyMode': {}, 'csubSessionRemoteId': {}, 'csubSessionServiceIdentifier': {}, 'csubSessionState': {}, 'csubSessionSubscriberLabel': {}, 'csubSessionTunnelName': {}, 'csubSessionType': {}, 'csubSessionUsername': {}, 'cubeEnabled': {}, 'cubeTotalSessionAllowed': {}, 'cubeVersion': {}, 'cufwAIAlertEnabled': {}, 'cufwAIAuditTrailEnabled': {}, 'cufwAaicGlobalNumBadPDUSize': {}, 'cufwAaicGlobalNumBadPortRange': {}, 'cufwAaicGlobalNumBadProtocolOps': {}, 'cufwAaicHttpNumBadContent': {}, 'cufwAaicHttpNumBadPDUSize': {}, 'cufwAaicHttpNumBadProtocolOps': {}, 'cufwAaicHttpNumDoubleEncodedPkts': {}, 'cufwAaicHttpNumLargeURIs': {}, 'cufwAaicHttpNumMismatchContent': {}, 'cufwAaicHttpNumTunneledConns': {}, 'cufwAppConnNumAborted': {}, 'cufwAppConnNumActive': {}, 'cufwAppConnNumAttempted': {}, 'cufwAppConnNumHalfOpen': {}, 'cufwAppConnNumPolicyDeclined': {}, 'cufwAppConnNumResDeclined': {}, 'cufwAppConnNumSetupsAborted': {}, 'cufwAppConnSetupRate1': {}, 'cufwAppConnSetupRate5': {}, 'cufwCntlL2StaticMacAddressMoved': {}, 'cufwCntlUrlfServerStatusChange': {}, 'cufwConnGlobalConnSetupRate1': {}, 'cufwConnGlobalConnSetupRate5': {}, 'cufwConnGlobalNumAborted': {}, 'cufwConnGlobalNumActive': {}, 'cufwConnGlobalNumAttempted': {}, 'cufwConnGlobalNumEmbryonic': {}, 'cufwConnGlobalNumExpired': {}, 'cufwConnGlobalNumHalfOpen': {}, 'cufwConnGlobalNumPolicyDeclined': {}, 'cufwConnGlobalNumRemoteAccess': {}, 'cufwConnGlobalNumResDeclined': {}, 'cufwConnGlobalNumSetupsAborted': {}, 'cufwConnNumAborted': {}, 'cufwConnNumActive': {}, 'cufwConnNumAttempted': {}, 'cufwConnNumHalfOpen': {}, 'cufwConnNumPolicyDeclined': {}, 'cufwConnNumResDeclined': {}, 'cufwConnNumSetupsAborted': {}, 'cufwConnReptAppStats': {}, 'cufwConnReptAppStatsLastChanged': {}, 'cufwConnResActiveConnMemoryUsage': {}, 'cufwConnResEmbrConnMemoryUsage': {}, 'cufwConnResHOConnMemoryUsage': {}, 'cufwConnResMemoryUsage': {}, 'cufwConnSetupRate1': {}, 'cufwConnSetupRate5': {}, 'cufwInspectionStatus': {}, 'cufwL2GlobalArpCacheSize': {}, 'cufwL2GlobalArpOverflowRate5': {}, 'cufwL2GlobalEnableArpInspection': {}, 'cufwL2GlobalEnableStealthMode': {}, 'cufwL2GlobalNumArpRequests': {}, 'cufwL2GlobalNumBadArpResponses': {}, 'cufwL2GlobalNumDrops': {}, 'cufwL2GlobalNumFloods': {}, 'cufwL2GlobalNumIcmpRequests': {}, 'cufwL2GlobalNumSpoofedArpResps': {}, 'cufwPolAppConnNumAborted': {}, 'cufwPolAppConnNumActive': {}, 'cufwPolAppConnNumAttempted': {}, 'cufwPolAppConnNumHalfOpen': {}, 'cufwPolAppConnNumPolicyDeclined': {}, 'cufwPolAppConnNumResDeclined': {}, 'cufwPolAppConnNumSetupsAborted': {}, 'cufwPolConnNumAborted': {}, 'cufwPolConnNumActive': {}, 'cufwPolConnNumAttempted': {}, 'cufwPolConnNumHalfOpen': {}, 'cufwPolConnNumPolicyDeclined': {}, 'cufwPolConnNumResDeclined': {}, 'cufwPolConnNumSetupsAborted': {}, 'cufwUrlfAllowModeReqNumAllowed': {}, 'cufwUrlfAllowModeReqNumDenied': {}, 'cufwUrlfFunctionEnabled': {}, 'cufwUrlfNumServerRetries': {}, 'cufwUrlfNumServerTimeouts': {}, 'cufwUrlfRequestsDeniedRate1': {}, 'cufwUrlfRequestsDeniedRate5': {}, 'cufwUrlfRequestsNumAllowed': {}, 'cufwUrlfRequestsNumCacheAllowed': {}, 'cufwUrlfRequestsNumCacheDenied': {}, 'cufwUrlfRequestsNumDenied': {}, 'cufwUrlfRequestsNumProcessed': {}, 'cufwUrlfRequestsNumResDropped': {}, 'cufwUrlfRequestsProcRate1': {}, 'cufwUrlfRequestsProcRate5': {}, 'cufwUrlfRequestsResDropRate1': {}, 'cufwUrlfRequestsResDropRate5': {}, 'cufwUrlfResTotalRequestCacheSize': {}, 'cufwUrlfResTotalRespCacheSize': {}, 'cufwUrlfResponsesNumLate': {}, 'cufwUrlfServerAvgRespTime1': {}, 'cufwUrlfServerAvgRespTime5': {}, 'cufwUrlfServerNumRetries': {}, 'cufwUrlfServerNumTimeouts': {}, 'cufwUrlfServerReqsNumAllowed': {}, 'cufwUrlfServerReqsNumDenied': {}, 'cufwUrlfServerReqsNumProcessed': {}, 'cufwUrlfServerRespsNumLate': {}, 'cufwUrlfServerRespsNumReceived': {}, 'cufwUrlfServerStatus': {}, 'cufwUrlfServerVendor': {}, 'cufwUrlfUrlAccRespsNumResDropped': {}, 'cvActiveCallStatsAvgVal': {}, 'cvActiveCallStatsMaxVal': {}, 'cvActiveCallWMValue': {}, 'cvActiveCallWMts': {}, 'cvBasic': {'1': {}, '2': {}, '3': {}}, 'cvCallActiveACOMLevel': {}, 'cvCallActiveAccountCode': {}, 'cvCallActiveCallId': {}, 'cvCallActiveCallerIDBlock': {}, 'cvCallActiveCallingName': {}, 'cvCallActiveCoderTypeRate': {}, 'cvCallActiveConnectionId': {}, 'cvCallActiveDS0s': {}, 'cvCallActiveDS0sHighNotifyEnable': {}, 'cvCallActiveDS0sHighThreshold': {}, 'cvCallActiveDS0sLowNotifyEnable': {}, 'cvCallActiveDS0sLowThreshold': {}, 'cvCallActiveERLLevel': {}, 'cvCallActiveERLLevelRev1': {}, 'cvCallActiveEcanReflectorLocation': {}, 'cvCallActiveFaxTxDuration': {}, 'cvCallActiveImgPageCount': {}, 'cvCallActiveInSignalLevel': {}, 'cvCallActiveNoiseLevel': {}, 'cvCallActiveOutSignalLevel': {}, 'cvCallActiveSessionTarget': {}, 'cvCallActiveTxDuration': {}, 'cvCallActiveVoiceTxDuration': {}, 'cvCallDurationStatsAvgVal': {}, 'cvCallDurationStatsMaxVal': {}, 'cvCallDurationStatsThreshold': {}, 'cvCallHistoryACOMLevel': {}, 'cvCallHistoryAccountCode': {}, 'cvCallHistoryCallId': {}, 'cvCallHistoryCallerIDBlock': {}, 'cvCallHistoryCallingName': {}, 'cvCallHistoryCoderTypeRate': {}, 'cvCallHistoryConnectionId': {}, 'cvCallHistoryFaxTxDuration': {}, 'cvCallHistoryImgPageCount': {}, 'cvCallHistoryNoiseLevel': {}, 'cvCallHistorySessionTarget': {}, 'cvCallHistoryTxDuration': {}, 'cvCallHistoryVoiceTxDuration': {}, 'cvCallLegRateStatsAvgVal': {}, 'cvCallLegRateStatsMaxVal': {}, 'cvCallLegRateWMValue': {}, 'cvCallLegRateWMts': {}, 'cvCallRate': {}, 'cvCallRateHiWaterMark': {}, 'cvCallRateMonitorEnable': {}, 'cvCallRateMonitorTime': {}, 'cvCallRateStatsAvgVal': {}, 'cvCallRateStatsMaxVal': {}, 'cvCallRateWMValue': {}, 'cvCallRateWMts': {}, 'cvCallVolConnActiveConnection': {}, 'cvCallVolConnMaxCallConnectionLicenese': {}, 'cvCallVolConnTotalActiveConnections': {}, 'cvCallVolMediaIncomingCalls': {}, 'cvCallVolMediaOutgoingCalls': {}, 'cvCallVolPeerIncomingCalls': {}, 'cvCallVolPeerOutgoingCalls': {}, 'cvCallVolumeWMTableSize': {}, 'cvCommonDcCallActiveCallerIDBlock': {}, 'cvCommonDcCallActiveCallingName': {}, 'cvCommonDcCallActiveCodecBytes': {}, 'cvCommonDcCallActiveCoderTypeRate': {}, 'cvCommonDcCallActiveConnectionId': {}, 'cvCommonDcCallActiveInBandSignaling': {}, 'cvCommonDcCallActiveVADEnable': {}, 'cvCommonDcCallHistoryCallerIDBlock': {}, 'cvCommonDcCallHistoryCallingName': {}, 'cvCommonDcCallHistoryCodecBytes': {}, 'cvCommonDcCallHistoryCoderTypeRate': {}, 'cvCommonDcCallHistoryConnectionId': {}, 'cvCommonDcCallHistoryInBandSignaling': {}, 'cvCommonDcCallHistoryVADEnable': {}, 'cvForwNeighborEntry': {'4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cvForwRouteEntry': {'10': {}, '11': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cvForwarding': {'1': {}, '2': {}, '3': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'cvGeneralDSCPPolicyNotificationEnable': {}, 'cvGeneralFallbackNotificationEnable': {}, 'cvGeneralMediaPolicyNotificationEnable': {}, 'cvGeneralPoorQoVNotificationEnable': {}, 'cvIfCfgEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cvIfConfigEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cvIfCountInEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '26': {}, '27': {}, '28': {}, '29': {}, '3': {}, '30': {}, '31': {}, '32': {}, '33': {}, '34': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cvIfCountOutEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '26': {}, '27': {}, '28': {}, '29': {}, '3': {}, '30': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cvInterfaceVnetTrunkEnabled': {}, 'cvInterfaceVnetVrfList': {}, 'cvPeerCfgIfIndex': {}, 'cvPeerCfgPeerType': {}, 'cvPeerCfgRowStatus': {}, 'cvPeerCfgType': {}, 'cvPeerCommonCfgApplicationName': {}, 'cvPeerCommonCfgDnisMappingName': {}, 'cvPeerCommonCfgHuntStop': {}, 'cvPeerCommonCfgIncomingDnisDigits': {}, 'cvPeerCommonCfgMaxConnections': {}, 'cvPeerCommonCfgPreference': {}, 'cvPeerCommonCfgSourceCarrierId': {}, 'cvPeerCommonCfgSourceTrunkGrpLabel': {}, 'cvPeerCommonCfgTargetCarrierId': {}, 'cvPeerCommonCfgTargetTrunkGrpLabel': {}, 'cvSipMsgRateStatsAvgVal': {}, 'cvSipMsgRateStatsMaxVal': {}, 'cvSipMsgRateWMValue': {}, 'cvSipMsgRateWMts': {}, 'cvTotal': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'cvVnetTrunkNotifEnable': {}, 'cvVoIPCallActiveBitRates': {}, 'cvVoIPCallActiveCRC': {}, 'cvVoIPCallActiveCallId': {}, 'cvVoIPCallActiveCallReferenceId': {}, 'cvVoIPCallActiveChannels': {}, 'cvVoIPCallActiveCoderMode': {}, 'cvVoIPCallActiveCoderTypeRate': {}, 'cvVoIPCallActiveConnectionId': {}, 'cvVoIPCallActiveEarlyPackets': {}, 'cvVoIPCallActiveEncap': {}, 'cvVoIPCallActiveEntry': {'46': {}}, 'cvVoIPCallActiveGapFillWithInterpolation': {}, 'cvVoIPCallActiveGapFillWithPrediction': {}, 'cvVoIPCallActiveGapFillWithRedundancy': {}, 'cvVoIPCallActiveGapFillWithSilence': {}, 'cvVoIPCallActiveHiWaterPlayoutDelay': {}, 'cvVoIPCallActiveInterleaving': {}, 'cvVoIPCallActiveJBufferNominalDelay': {}, 'cvVoIPCallActiveLatePackets': {}, 'cvVoIPCallActiveLoWaterPlayoutDelay': {}, 'cvVoIPCallActiveLostPackets': {}, 'cvVoIPCallActiveMaxPtime': {}, 'cvVoIPCallActiveModeChgNeighbor': {}, 'cvVoIPCallActiveModeChgPeriod': {}, 'cvVoIPCallActiveMosQe': {}, 'cvVoIPCallActiveOctetAligned': {}, 'cvVoIPCallActiveOnTimeRvPlayout': {}, 'cvVoIPCallActiveOutOfOrder': {}, 'cvVoIPCallActiveProtocolCallId': {}, 'cvVoIPCallActivePtime': {}, 'cvVoIPCallActiveReceiveDelay': {}, 'cvVoIPCallActiveRemMediaIPAddr': {}, 'cvVoIPCallActiveRemMediaIPAddrT': {}, 'cvVoIPCallActiveRemMediaPort': {}, 'cvVoIPCallActiveRemSigIPAddr': {}, 'cvVoIPCallActiveRemSigIPAddrT': {}, 'cvVoIPCallActiveRemSigPort': {}, 'cvVoIPCallActiveRemoteIPAddress': {}, 'cvVoIPCallActiveRemoteUDPPort': {}, 'cvVoIPCallActiveReversedDirectionPeerAddress': {}, 'cvVoIPCallActiveRobustSorting': {}, 'cvVoIPCallActiveRoundTripDelay': {}, 'cvVoIPCallActiveSRTPEnable': {}, 'cvVoIPCallActiveSelectedQoS': {}, 'cvVoIPCallActiveSessionProtocol': {}, 'cvVoIPCallActiveSessionTarget': {}, 'cvVoIPCallActiveTotalPacketLoss': {}, 'cvVoIPCallActiveUsername': {}, 'cvVoIPCallActiveVADEnable': {}, 'cvVoIPCallHistoryBitRates': {}, 'cvVoIPCallHistoryCRC': {}, 'cvVoIPCallHistoryCallId': {}, 'cvVoIPCallHistoryCallReferenceId': {}, 'cvVoIPCallHistoryChannels': {}, 'cvVoIPCallHistoryCoderMode': {}, 'cvVoIPCallHistoryCoderTypeRate': {}, 'cvVoIPCallHistoryConnectionId': {}, 'cvVoIPCallHistoryEarlyPackets': {}, 'cvVoIPCallHistoryEncap': {}, 'cvVoIPCallHistoryEntry': {'48': {}}, 'cvVoIPCallHistoryFallbackDelay': {}, 'cvVoIPCallHistoryFallbackIcpif': {}, 'cvVoIPCallHistoryFallbackLoss': {}, 'cvVoIPCallHistoryGapFillWithInterpolation': {}, 'cvVoIPCallHistoryGapFillWithPrediction': {}, 'cvVoIPCallHistoryGapFillWithRedundancy': {}, 'cvVoIPCallHistoryGapFillWithSilence': {}, 'cvVoIPCallHistoryHiWaterPlayoutDelay': {}, 'cvVoIPCallHistoryIcpif': {}, 'cvVoIPCallHistoryInterleaving': {}, 'cvVoIPCallHistoryJBufferNominalDelay': {}, 'cvVoIPCallHistoryLatePackets': {}, 'cvVoIPCallHistoryLoWaterPlayoutDelay': {}, 'cvVoIPCallHistoryLostPackets': {}, 'cvVoIPCallHistoryMaxPtime': {}, 'cvVoIPCallHistoryModeChgNeighbor': {}, 'cvVoIPCallHistoryModeChgPeriod': {}, 'cvVoIPCallHistoryMosQe': {}, 'cvVoIPCallHistoryOctetAligned': {}, 'cvVoIPCallHistoryOnTimeRvPlayout': {}, 'cvVoIPCallHistoryOutOfOrder': {}, 'cvVoIPCallHistoryProtocolCallId': {}, 'cvVoIPCallHistoryPtime': {}, 'cvVoIPCallHistoryReceiveDelay': {}, 'cvVoIPCallHistoryRemMediaIPAddr': {}, 'cvVoIPCallHistoryRemMediaIPAddrT': {}, 'cvVoIPCallHistoryRemMediaPort': {}, 'cvVoIPCallHistoryRemSigIPAddr': {}, 'cvVoIPCallHistoryRemSigIPAddrT': {}, 'cvVoIPCallHistoryRemSigPort': {}, 'cvVoIPCallHistoryRemoteIPAddress': {}, 'cvVoIPCallHistoryRemoteUDPPort': {}, 'cvVoIPCallHistoryRobustSorting': {}, 'cvVoIPCallHistoryRoundTripDelay': {}, 'cvVoIPCallHistorySRTPEnable': {}, 'cvVoIPCallHistorySelectedQoS': {}, 'cvVoIPCallHistorySessionProtocol': {}, 'cvVoIPCallHistorySessionTarget': {}, 'cvVoIPCallHistoryTotalPacketLoss': {}, 'cvVoIPCallHistoryUsername': {}, 'cvVoIPCallHistoryVADEnable': {}, 'cvVoIPPeerCfgBitRate': {}, 'cvVoIPPeerCfgBitRates': {}, 'cvVoIPPeerCfgCRC': {}, 'cvVoIPPeerCfgCoderBytes': {}, 'cvVoIPPeerCfgCoderMode': {}, 'cvVoIPPeerCfgCoderRate': {}, 'cvVoIPPeerCfgCodingMode': {}, 'cvVoIPPeerCfgDSCPPolicyNotificationEnable': {}, 'cvVoIPPeerCfgDesiredQoS': {}, 'cvVoIPPeerCfgDesiredQoSVideo': {}, 'cvVoIPPeerCfgDigitRelay': {}, 'cvVoIPPeerCfgExpectFactor': {}, 'cvVoIPPeerCfgFaxBytes': {}, 'cvVoIPPeerCfgFaxRate': {}, 'cvVoIPPeerCfgFrameSize': {}, 'cvVoIPPeerCfgIPPrecedence': {}, 'cvVoIPPeerCfgIcpif': {}, 'cvVoIPPeerCfgInBandSignaling': {}, 'cvVoIPPeerCfgMediaPolicyNotificationEnable': {}, 'cvVoIPPeerCfgMediaSetting': {}, 'cvVoIPPeerCfgMinAcceptableQoS': {}, 'cvVoIPPeerCfgMinAcceptableQoSVideo': {}, 'cvVoIPPeerCfgOctetAligned': {}, 'cvVoIPPeerCfgPoorQoVNotificationEnable': {}, 'cvVoIPPeerCfgRedirectip2ip': {}, 'cvVoIPPeerCfgSessionProtocol': {}, 'cvVoIPPeerCfgSessionTarget': {}, 'cvVoIPPeerCfgTechPrefix': {}, 'cvVoIPPeerCfgUDPChecksumEnable': {}, 'cvVoIPPeerCfgVADEnable': {}, 'cvVoicePeerCfgCasGroup': {}, 'cvVoicePeerCfgDIDCallEnable': {}, 'cvVoicePeerCfgDialDigitsPrefix': {}, 'cvVoicePeerCfgEchoCancellerTest': {}, 'cvVoicePeerCfgForwardDigits': {}, 'cvVoicePeerCfgRegisterE164': {}, 'cvVoicePeerCfgSessionTarget': {}, 'cvVrfIfNotifEnable': {}, 'cvVrfInterfaceRowStatus': {}, 'cvVrfInterfaceStorageType': {}, 'cvVrfInterfaceType': {}, 'cvVrfInterfaceVnetTagOverride': {}, 'cvVrfListRowStatus': {}, 'cvVrfListStorageType': {}, 'cvVrfListVrfIndex': {}, 'cvVrfName': {}, 'cvVrfOperStatus': {}, 'cvVrfRouteDistProt': {}, 'cvVrfRowStatus': {}, 'cvVrfStorageType': {}, 'cvVrfVnetTag': {}, 'cvaIfCfgImpedance': {}, 'cvaIfCfgIntegratedDSP': {}, 'cvaIfEMCfgDialType': {}, 'cvaIfEMCfgEntry': {'7': {}}, 'cvaIfEMCfgLmrECap': {}, 'cvaIfEMCfgLmrMCap': {}, 'cvaIfEMCfgOperation': {}, 'cvaIfEMCfgSignalType': {}, 'cvaIfEMCfgType': {}, 'cvaIfEMInSeizureActive': {}, 'cvaIfEMOutSeizureActive': {}, 'cvaIfEMTimeoutLmrTeardown': {}, 'cvaIfEMTimingClearWaitDuration': {}, 'cvaIfEMTimingDelayStart': {}, 'cvaIfEMTimingDigitDuration': {}, 'cvaIfEMTimingEntry': {'13': {}, '14': {}, '15': {}}, 'cvaIfEMTimingInterDigitDuration': {}, 'cvaIfEMTimingMaxDelayDuration': {}, 'cvaIfEMTimingMaxWinkDuration': {}, 'cvaIfEMTimingMaxWinkWaitDuration': {}, 'cvaIfEMTimingMinDelayPulseWidth': {}, 'cvaIfEMTimingPulseInterDigitDuration': {}, 'cvaIfEMTimingPulseRate': {}, 'cvaIfEMTimingVoiceHangover': {}, 'cvaIfFXOCfgDialType': {}, 'cvaIfFXOCfgNumberRings': {}, 'cvaIfFXOCfgSignalType': {}, 'cvaIfFXOCfgSupDisconnect': {}, 'cvaIfFXOCfgSupDisconnect2': {}, 'cvaIfFXOHookStatus': {}, 'cvaIfFXORingDetect': {}, 'cvaIfFXORingGround': {}, 'cvaIfFXOTimingDigitDuration': {}, 'cvaIfFXOTimingInterDigitDuration': {}, 'cvaIfFXOTimingPulseInterDigitDuration': {}, 'cvaIfFXOTimingPulseRate': {}, 'cvaIfFXOTipGround': {}, 'cvaIfFXSCfgSignalType': {}, 'cvaIfFXSHookStatus': {}, 'cvaIfFXSRingActive': {}, 'cvaIfFXSRingFrequency': {}, 'cvaIfFXSRingGround': {}, 'cvaIfFXSTimingDigitDuration': {}, 'cvaIfFXSTimingInterDigitDuration': {}, 'cvaIfFXSTipGround': {}, 'cvaIfMaintenanceMode': {}, 'cvaIfStatusInfoType': {}, 'cvaIfStatusSignalErrors': {}, 'cviRoutedVlanIfIndex': {}, 'cvpdnDeniedUsersTotal': {}, 'cvpdnSessionATOTimeouts': {}, 'cvpdnSessionAdaptiveTimeOut': {}, 'cvpdnSessionAttrBytesIn': {}, 'cvpdnSessionAttrBytesOut': {}, 'cvpdnSessionAttrCallDuration': {}, 'cvpdnSessionAttrDS1ChannelIndex': {}, 'cvpdnSessionAttrDS1PortIndex': {}, 'cvpdnSessionAttrDS1SlotIndex': {}, 'cvpdnSessionAttrDeviceCallerId': {}, 'cvpdnSessionAttrDevicePhyId': {}, 'cvpdnSessionAttrDeviceType': {}, 'cvpdnSessionAttrEntry': {'20': {}, '21': {}, '22': {}, '23': {}, '24': {}}, 'cvpdnSessionAttrModemCallStartIndex': {}, 'cvpdnSessionAttrModemCallStartTime': {}, 'cvpdnSessionAttrModemPortIndex': {}, 'cvpdnSessionAttrModemSlotIndex': {}, 'cvpdnSessionAttrMultilink': {}, 'cvpdnSessionAttrPacketsIn': {}, 'cvpdnSessionAttrPacketsOut': {}, 'cvpdnSessionAttrState': {}, 'cvpdnSessionAttrUserName': {}, 'cvpdnSessionCalculationType': {}, 'cvpdnSessionCurrentWindowSize': {}, 'cvpdnSessionInterfaceName': {}, 'cvpdnSessionLastChange': {}, 'cvpdnSessionLocalWindowSize': {}, 'cvpdnSessionMinimumWindowSize': {}, 'cvpdnSessionOutGoingQueueSize': {}, 'cvpdnSessionOutOfOrderPackets': {}, 'cvpdnSessionPktProcessingDelay': {}, 'cvpdnSessionRecvRBits': {}, 'cvpdnSessionRecvSequence': {}, 'cvpdnSessionRecvZLB': {}, 'cvpdnSessionRemoteId': {}, 'cvpdnSessionRemoteRecvSequence': {}, 'cvpdnSessionRemoteSendSequence': {}, 'cvpdnSessionRemoteWindowSize': {}, 'cvpdnSessionRoundTripTime': {}, 'cvpdnSessionSendSequence': {}, 'cvpdnSessionSentRBits': {}, 'cvpdnSessionSentZLB': {}, 'cvpdnSessionSequencing': {}, 'cvpdnSessionTotal': {}, 'cvpdnSessionZLBTime': {}, 'cvpdnSystemDeniedUsersTotal': {}, 'cvpdnSystemInfo': {'5': {}, '6': {}}, 'cvpdnSystemSessionTotal': {}, 'cvpdnSystemTunnelTotal': {}, 'cvpdnTunnelActiveSessions': {}, 'cvpdnTunnelAttrActiveSessions': {}, 'cvpdnTunnelAttrDeniedUsers': {}, 'cvpdnTunnelAttrEntry': {'16': {}, '17': {}, '18': {}, '19': {}, '20': {}, '21': {}}, 'cvpdnTunnelAttrLocalInitConnection': {}, 'cvpdnTunnelAttrLocalIpAddress': {}, 'cvpdnTunnelAttrLocalName': {}, 'cvpdnTunnelAttrNetworkServiceType': {}, 'cvpdnTunnelAttrOrigCause': {}, 'cvpdnTunnelAttrRemoteEndpointName': {}, 'cvpdnTunnelAttrRemoteIpAddress': {}, 'cvpdnTunnelAttrRemoteName': {}, 'cvpdnTunnelAttrRemoteTunnelId': {}, 'cvpdnTunnelAttrSoftshut': {}, 'cvpdnTunnelAttrSourceIpAddress': {}, 'cvpdnTunnelAttrState': {}, 'cvpdnTunnelBytesIn': {}, 'cvpdnTunnelBytesOut': {}, 'cvpdnTunnelDeniedUsers': {}, 'cvpdnTunnelExtEntry': {'8': {}, '9': {}}, 'cvpdnTunnelLastChange': {}, 'cvpdnTunnelLocalInitConnection': {}, 'cvpdnTunnelLocalIpAddress': {}, 'cvpdnTunnelLocalName': {}, 'cvpdnTunnelLocalPort': {}, 'cvpdnTunnelNetworkServiceType': {}, 'cvpdnTunnelOrigCause': {}, 'cvpdnTunnelPacketsIn': {}, 'cvpdnTunnelPacketsOut': {}, 'cvpdnTunnelRemoteEndpointName': {}, 'cvpdnTunnelRemoteIpAddress': {}, 'cvpdnTunnelRemoteName': {}, 'cvpdnTunnelRemotePort': {}, 'cvpdnTunnelRemoteTunnelId': {}, 'cvpdnTunnelSessionBytesIn': {}, 'cvpdnTunnelSessionBytesOut': {}, 'cvpdnTunnelSessionCallDuration': {}, 'cvpdnTunnelSessionDS1ChannelIndex': {}, 'cvpdnTunnelSessionDS1PortIndex': {}, 'cvpdnTunnelSessionDS1SlotIndex': {}, 'cvpdnTunnelSessionDeviceCallerId': {}, 'cvpdnTunnelSessionDevicePhyId': {}, 'cvpdnTunnelSessionDeviceType': {}, 'cvpdnTunnelSessionModemCallStartIndex': {}, 'cvpdnTunnelSessionModemCallStartTime': {}, 'cvpdnTunnelSessionModemPortIndex': {}, 'cvpdnTunnelSessionModemSlotIndex': {}, 'cvpdnTunnelSessionMultilink': {}, 'cvpdnTunnelSessionPacketsIn': {}, 'cvpdnTunnelSessionPacketsOut': {}, 'cvpdnTunnelSessionState': {}, 'cvpdnTunnelSessionUserName': {}, 'cvpdnTunnelSoftshut': {}, 'cvpdnTunnelSourceIpAddress': {}, 'cvpdnTunnelState': {}, 'cvpdnTunnelTotal': {}, 'cvpdnUnameToFailHistCount': {}, 'cvpdnUnameToFailHistDestIp': {}, 'cvpdnUnameToFailHistFailReason': {}, 'cvpdnUnameToFailHistFailTime': {}, 'cvpdnUnameToFailHistFailType': {}, 'cvpdnUnameToFailHistLocalInitConn': {}, 'cvpdnUnameToFailHistLocalName': {}, 'cvpdnUnameToFailHistRemoteName': {}, 'cvpdnUnameToFailHistSourceIp': {}, 'cvpdnUnameToFailHistUserId': {}, 'cvpdnUserToFailHistInfoEntry': {'13': {}, '14': {}, '15': {}, '16': {}}, 'ddp': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'demandNbrAcceptCalls': {}, 'demandNbrAddress': {}, 'demandNbrCallOrigin': {}, 'demandNbrClearCode': {}, 'demandNbrClearReason': {}, 'demandNbrFailCalls': {}, 'demandNbrLastAttemptTime': {}, 'demandNbrLastDuration': {}, 'demandNbrLogIf': {}, 'demandNbrMaxDuration': {}, 'demandNbrName': {}, 'demandNbrPermission': {}, 'demandNbrRefuseCalls': {}, 'demandNbrStatus': {}, 'demandNbrSuccessCalls': {}, 'dialCtlAcceptMode': {}, 'dialCtlPeerCfgAnswerAddress': {}, 'dialCtlPeerCfgCallRetries': {}, 'dialCtlPeerCfgCarrierDelay': {}, 'dialCtlPeerCfgFailureDelay': {}, 'dialCtlPeerCfgIfType': {}, 'dialCtlPeerCfgInactivityTimer': {}, 'dialCtlPeerCfgInfoType': {}, 'dialCtlPeerCfgLowerIf': {}, 'dialCtlPeerCfgMaxDuration': {}, 'dialCtlPeerCfgMinDuration': {}, 'dialCtlPeerCfgOriginateAddress': {}, 'dialCtlPeerCfgPermission': {}, 'dialCtlPeerCfgRetryDelay': {}, 'dialCtlPeerCfgSpeed': {}, 'dialCtlPeerCfgStatus': {}, 'dialCtlPeerCfgSubAddress': {}, 'dialCtlPeerCfgTrapEnable': {}, 'dialCtlPeerStatsAcceptCalls': {}, 'dialCtlPeerStatsChargedUnits': {}, 'dialCtlPeerStatsConnectTime': {}, 'dialCtlPeerStatsFailCalls': {}, 'dialCtlPeerStatsLastDisconnectCause': {}, 'dialCtlPeerStatsLastDisconnectText': {}, 'dialCtlPeerStatsLastSetupTime': {}, 'dialCtlPeerStatsRefuseCalls': {}, 'dialCtlPeerStatsSuccessCalls': {}, 'dialCtlTrapEnable': {}, 'diffServAction': {'1': {}, '4': {}}, 'diffServActionEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}}, 'diffServAlgDrop': {'1': {}, '3': {}}, 'diffServAlgDropEntry': {'10': {}, '11': {}, '12': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'diffServClassifier': {'1': {}, '3': {}, '5': {}}, 'diffServClfrElementEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}}, 'diffServClfrEntry': {'2': {}, '3': {}}, 'diffServCountActEntry': {'2': {}, '3': {}, '4': {}, '5': {}}, 'diffServDataPathEntry': {'2': {}, '3': {}, '4': {}}, 'diffServDscpMarkActEntry': {'1': {}}, 'diffServMaxRateEntry': {'3': {}, '4': {}, '5': {}, '6': {}, '7': {}}, 'diffServMeter': {'1': {}}, 'diffServMeterEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}}, 'diffServMinRateEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}}, 'diffServMultiFieldClfrEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'diffServQEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}}, 'diffServQueue': {'1': {}}, 'diffServRandomDropEntry': {'10': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'diffServScheduler': {'1': {}, '3': {}, '5': {}}, 'diffServSchedulerEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}}, 'diffServTBParam': {'1': {}}, 'diffServTBParamEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}}, 'dlswCircuitEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '26': {}, '27': {}, '28': {}, '29': {}, '3': {}, '30': {}, '31': {}, '4': {}, '5': {}, '6': {}, '7': {}}, 'dlswCircuitStat': {'1': {}, '2': {}}, 'dlswDirLocateMacEntry': {'3': {}}, 'dlswDirLocateNBEntry': {'3': {}}, 'dlswDirMacEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'dlswDirNBEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'dlswDirStat': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'dlswIfEntry': {'1': {}, '2': {}, '3': {}}, 'dlswNode': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'dlswSdlc': {'1': {}}, 'dlswSdlcLsEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}}, 'dlswTConnConfigEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'dlswTConnOperEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '26': {}, '27': {}, '28': {}, '29': {}, '30': {}, '31': {}, '32': {}, '33': {}, '34': {}, '35': {}, '36': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'dlswTConnStat': {'1': {}, '2': {}, '3': {}}, 'dlswTConnTcpConfigEntry': {'1': {}, '2': {}, '3': {}}, 'dlswTConnTcpOperEntry': {'1': {}, '2': {}, '3': {}}, 'dlswTrapControl': {'1': {}, '2': {}, '3': {}, '4': {}}, 'dnAreaTableEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}}, 'dnHostTableEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}}, 'dnIfTableEntry': {'1': {}}, 'dot1agCfmConfigErrorListErrorType': {}, 'dot1agCfmDefaultMdDefIdPermission': {}, 'dot1agCfmDefaultMdDefLevel': {}, 'dot1agCfmDefaultMdDefMhfCreation': {}, 'dot1agCfmDefaultMdIdPermission': {}, 'dot1agCfmDefaultMdLevel': {}, 'dot1agCfmDefaultMdMhfCreation': {}, 'dot1agCfmDefaultMdStatus': {}, 'dot1agCfmLtrChassisId': {}, 'dot1agCfmLtrChassisIdSubtype': {}, 'dot1agCfmLtrEgress': {}, 'dot1agCfmLtrEgressMac': {}, 'dot1agCfmLtrEgressPortId': {}, 'dot1agCfmLtrEgressPortIdSubtype': {}, 'dot1agCfmLtrForwarded': {}, 'dot1agCfmLtrIngress': {}, 'dot1agCfmLtrIngressMac': {}, 'dot1agCfmLtrIngressPortId': {}, 'dot1agCfmLtrIngressPortIdSubtype': {}, 'dot1agCfmLtrLastEgressIdentifier': {}, 'dot1agCfmLtrManAddress': {}, 'dot1agCfmLtrManAddressDomain': {}, 'dot1agCfmLtrNextEgressIdentifier': {}, 'dot1agCfmLtrOrganizationSpecificTlv': {}, 'dot1agCfmLtrRelay': {}, 'dot1agCfmLtrTerminalMep': {}, 'dot1agCfmLtrTtl': {}, 'dot1agCfmMaCompIdPermission': {}, 'dot1agCfmMaCompMhfCreation': {}, 'dot1agCfmMaCompNumberOfVids': {}, 'dot1agCfmMaCompPrimaryVlanId': {}, 'dot1agCfmMaCompRowStatus': {}, 'dot1agCfmMaMepListRowStatus': {}, 'dot1agCfmMaNetCcmInterval': {}, 'dot1agCfmMaNetFormat': {}, 'dot1agCfmMaNetName': {}, 'dot1agCfmMaNetRowStatus': {}, 'dot1agCfmMdFormat': {}, 'dot1agCfmMdMaNextIndex': {}, 'dot1agCfmMdMdLevel': {}, 'dot1agCfmMdMhfCreation': {}, 'dot1agCfmMdMhfIdPermission': {}, 'dot1agCfmMdName': {}, 'dot1agCfmMdRowStatus': {}, 'dot1agCfmMdTableNextIndex': {}, 'dot1agCfmMepActive': {}, 'dot1agCfmMepCciEnabled': {}, 'dot1agCfmMepCciSentCcms': {}, 'dot1agCfmMepCcmLtmPriority': {}, 'dot1agCfmMepCcmSequenceErrors': {}, 'dot1agCfmMepDbChassisId': {}, 'dot1agCfmMepDbChassisIdSubtype': {}, 'dot1agCfmMepDbInterfaceStatusTlv': {}, 'dot1agCfmMepDbMacAddress': {}, 'dot1agCfmMepDbManAddress': {}, 'dot1agCfmMepDbManAddressDomain': {}, 'dot1agCfmMepDbPortStatusTlv': {}, 'dot1agCfmMepDbRMepFailedOkTime': {}, 'dot1agCfmMepDbRMepState': {}, 'dot1agCfmMepDbRdi': {}, 'dot1agCfmMepDefects': {}, 'dot1agCfmMepDirection': {}, 'dot1agCfmMepErrorCcmLastFailure': {}, 'dot1agCfmMepFngAlarmTime': {}, 'dot1agCfmMepFngResetTime': {}, 'dot1agCfmMepFngState': {}, 'dot1agCfmMepHighestPrDefect': {}, 'dot1agCfmMepIfIndex': {}, 'dot1agCfmMepLbrBadMsdu': {}, 'dot1agCfmMepLbrIn': {}, 'dot1agCfmMepLbrInOutOfOrder': {}, 'dot1agCfmMepLbrOut': {}, 'dot1agCfmMepLowPrDef': {}, 'dot1agCfmMepLtmNextSeqNumber': {}, 'dot1agCfmMepMacAddress': {}, 'dot1agCfmMepNextLbmTransId': {}, 'dot1agCfmMepPrimaryVid': {}, 'dot1agCfmMepRowStatus': {}, 'dot1agCfmMepTransmitLbmDataTlv': {}, 'dot1agCfmMepTransmitLbmDestIsMepId': {}, 'dot1agCfmMepTransmitLbmDestMacAddress': {}, 'dot1agCfmMepTransmitLbmDestMepId': {}, 'dot1agCfmMepTransmitLbmMessages': {}, 'dot1agCfmMepTransmitLbmResultOK': {}, 'dot1agCfmMepTransmitLbmSeqNumber': {}, 'dot1agCfmMepTransmitLbmStatus': {}, 'dot1agCfmMepTransmitLbmVlanDropEnable': {}, 'dot1agCfmMepTransmitLbmVlanPriority': {}, 'dot1agCfmMepTransmitLtmEgressIdentifier': {}, 'dot1agCfmMepTransmitLtmFlags': {}, 'dot1agCfmMepTransmitLtmResult': {}, 'dot1agCfmMepTransmitLtmSeqNumber': {}, 'dot1agCfmMepTransmitLtmStatus': {}, 'dot1agCfmMepTransmitLtmTargetIsMepId': {}, 'dot1agCfmMepTransmitLtmTargetMacAddress': {}, 'dot1agCfmMepTransmitLtmTargetMepId': {}, 'dot1agCfmMepTransmitLtmTtl': {}, 'dot1agCfmMepUnexpLtrIn': {}, 'dot1agCfmMepXconCcmLastFailure': {}, 'dot1agCfmStackMaIndex': {}, 'dot1agCfmStackMacAddress': {}, 'dot1agCfmStackMdIndex': {}, 'dot1agCfmStackMepId': {}, 'dot1agCfmVlanPrimaryVid': {}, 'dot1agCfmVlanRowStatus': {}, 'dot1dBase': {'1': {}, '2': {}, '3': {}}, 'dot1dBasePortEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}}, 'dot1dSrPortEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'dot1dStaticEntry': {'1': {}, '2': {}, '3': {}, '4': {}}, 'dot1dStp': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'dot1dStpPortEntry': {'1': {}, '10': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'dot1dTp': {'1': {}, '2': {}}, 'dot1dTpFdbEntry': {'1': {}, '2': {}, '3': {}}, 'dot1dTpPortEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}}, 'dot10.196.1.1': {}, 'dot10.196.1.2': {}, 'dot10.196.1.3': {}, 'dot10.196.1.4': {}, 'dot10.196.1.5': {}, 'dot10.196.1.6': {}, 'dot3CollEntry': {'3': {}}, 'dot3ControlEntry': {'1': {}, '2': {}, '3': {}}, 'dot3PauseEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}}, 'dot3StatsEntry': {'1': {}, '10': {}, '11': {}, '13': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'dot3adAggActorAdminKey': {}, 'dot3adAggActorOperKey': {}, 'dot3adAggActorSystemID': {}, 'dot3adAggActorSystemPriority': {}, 'dot3adAggAggregateOrIndividual': {}, 'dot3adAggCollectorMaxDelay': {}, 'dot3adAggMACAddress': {}, 'dot3adAggPartnerOperKey': {}, 'dot3adAggPartnerSystemID': {}, 'dot3adAggPartnerSystemPriority': {}, 'dot3adAggPortActorAdminKey': {}, 'dot3adAggPortActorAdminState': {}, 'dot3adAggPortActorOperKey': {}, 'dot3adAggPortActorOperState': {}, 'dot3adAggPortActorPort': {}, 'dot3adAggPortActorPortPriority': {}, 'dot3adAggPortActorSystemID': {}, 'dot3adAggPortActorSystemPriority': {}, 'dot3adAggPortAggregateOrIndividual': {}, 'dot3adAggPortAttachedAggID': {}, 'dot3adAggPortDebugActorChangeCount': {}, 'dot3adAggPortDebugActorChurnCount': {}, 'dot3adAggPortDebugActorChurnState': {}, 'dot3adAggPortDebugActorSyncTransitionCount': {}, 'dot3adAggPortDebugLastRxTime': {}, 'dot3adAggPortDebugMuxReason': {}, 'dot3adAggPortDebugMuxState': {}, 'dot3adAggPortDebugPartnerChangeCount': {}, 'dot3adAggPortDebugPartnerChurnCount': {}, 'dot3adAggPortDebugPartnerChurnState': {}, 'dot3adAggPortDebugPartnerSyncTransitionCount': {}, 'dot3adAggPortDebugRxState': {}, 'dot3adAggPortListPorts': {}, 'dot3adAggPortPartnerAdminKey': {}, 'dot3adAggPortPartnerAdminPort': {}, 'dot3adAggPortPartnerAdminPortPriority': {}, 'dot3adAggPortPartnerAdminState': {}, 'dot3adAggPortPartnerAdminSystemID': {}, 'dot3adAggPortPartnerAdminSystemPriority': {}, 'dot3adAggPortPartnerOperKey': {}, 'dot3adAggPortPartnerOperPort': {}, 'dot3adAggPortPartnerOperPortPriority': {}, 'dot3adAggPortPartnerOperState': {}, 'dot3adAggPortPartnerOperSystemID': {}, 'dot3adAggPortPartnerOperSystemPriority': {}, 'dot3adAggPortSelectedAggID': {}, 'dot3adAggPortStatsIllegalRx': {}, 'dot3adAggPortStatsLACPDUsRx': {}, 'dot3adAggPortStatsLACPDUsTx': {}, 'dot3adAggPortStatsMarkerPDUsRx': {}, 'dot3adAggPortStatsMarkerPDUsTx': {}, 'dot3adAggPortStatsMarkerResponsePDUsRx': {}, 'dot3adAggPortStatsMarkerResponsePDUsTx': {}, 'dot3adAggPortStatsUnknownRx': {}, 'dot3adTablesLastChanged': {}, 'dot5Entry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'dot5StatsEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ds10.121.1.1': {}, 'ds10.121.1.10': {}, 'ds10.121.1.11': {}, 'ds10.121.1.12': {}, 'ds10.121.1.13': {}, 'ds10.121.1.2': {}, 'ds10.121.1.3': {}, 'ds10.121.1.4': {}, 'ds10.121.1.5': {}, 'ds10.121.1.6': {}, 'ds10.121.1.7': {}, 'ds10.121.1.8': {}, 'ds10.121.1.9': {}, 'ds10.144.1.1': {}, 'ds10.144.1.10': {}, 'ds10.144.1.11': {}, 'ds10.144.1.12': {}, 'ds10.144.1.2': {}, 'ds10.144.1.3': {}, 'ds10.144.1.4': {}, 'ds10.144.1.5': {}, 'ds10.144.1.6': {}, 'ds10.144.1.7': {}, 'ds10.144.1.8': {}, 'ds10.144.1.9': {}, 'ds10.169.1.1': {}, 'ds10.169.1.10': {}, 'ds10.169.1.2': {}, 'ds10.169.1.3': {}, 'ds10.169.1.4': {}, 'ds10.169.1.5': {}, 'ds10.169.1.6': {}, 'ds10.169.1.7': {}, 'ds10.169.1.8': {}, 'ds10.169.1.9': {}, 'ds10.34.1.1': {}, 'ds10.196.1.7': {}, 'dspuLuAdminEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}}, 'dspuLuOperEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'dspuNode': {'1': {}, '10': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'dspuPoolClassEntry': {'2': {}, '3': {}, '4': {}, '5': {}}, 'dspuPooledLuEntry': {'1': {}, '2': {}}, 'dspuPuAdminEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'dspuPuOperEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'dspuPuStatsEntry': {'1': {}, '10': {}, '11': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'dspuSapEntry': {'2': {}, '6': {}, '7': {}}, 'dsx1ConfigEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'dsx1CurrentEntry': {'1': {}, '10': {}, '11': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'dsx1FracEntry': {'1': {}, '2': {}, '3': {}}, 'dsx1IntervalEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'dsx1TotalEntry': {'1': {}, '10': {}, '11': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'dsx3ConfigEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'dsx3CurrentEntry': {'1': {}, '10': {}, '11': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'dsx3FracEntry': {'1': {}, '2': {}, '3': {}}, 'dsx3IntervalEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'dsx3TotalEntry': {'1': {}, '10': {}, '11': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'entAliasMappingEntry': {'2': {}}, 'entLPMappingEntry': {'1': {}}, 'entLastInconsistencyDetectTime': {}, 'entLogicalEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'entPhySensorOperStatus': {}, 'entPhySensorPrecision': {}, 'entPhySensorScale': {}, 'entPhySensorType': {}, 'entPhySensorUnitsDisplay': {}, 'entPhySensorValue': {}, 'entPhySensorValueTimeStamp': {}, 'entPhySensorValueUpdateRate': {}, 'entPhysicalContainsEntry': {'1': {}}, 'entPhysicalEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'entSensorMeasuredEntity': {}, 'entSensorPrecision': {}, 'entSensorScale': {}, 'entSensorStatus': {}, 'entSensorThresholdEvaluation': {}, 'entSensorThresholdNotificationEnable': {}, 'entSensorThresholdRelation': {}, 'entSensorThresholdSeverity': {}, 'entSensorThresholdValue': {}, 'entSensorType': {}, 'entSensorValue': {}, 'entSensorValueTimeStamp': {}, 'entSensorValueUpdateRate': {}, 'entStateTable.1.1': {}, 'entStateTable.1.2': {}, 'entStateTable.1.3': {}, 'entStateTable.1.4': {}, 'entStateTable.1.5': {}, 'entStateTable.1.6': {}, 'enterprises.310.49.6.10.10.25.1.1': {}, 'enterprises.310.49.6.1.10.4.1.2': {}, 'enterprises.310.49.6.1.10.4.1.3': {}, 'enterprises.310.49.6.1.10.4.1.4': {}, 'enterprises.310.49.6.1.10.4.1.5': {}, 'enterprises.310.49.6.1.10.4.1.6': {}, 'enterprises.310.49.6.1.10.4.1.7': {}, 'enterprises.310.49.6.1.10.4.1.8': {}, 'enterprises.310.49.6.1.10.4.1.9': {}, 'enterprises.310.49.6.1.10.9.1.1': {}, 'enterprises.310.49.6.1.10.9.1.10': {}, 'enterprises.310.49.6.1.10.9.1.11': {}, 'enterprises.310.49.6.1.10.9.1.12': {}, 'enterprises.310.49.6.1.10.9.1.13': {}, 'enterprises.310.49.6.1.10.9.1.14': {}, 'enterprises.310.49.6.1.10.9.1.2': {}, 'enterprises.310.49.6.1.10.9.1.3': {}, 'enterprises.310.49.6.1.10.9.1.4': {}, 'enterprises.310.49.6.1.10.9.1.5': {}, 'enterprises.310.49.6.1.10.9.1.6': {}, 'enterprises.310.49.6.1.10.9.1.7': {}, 'enterprises.310.49.6.1.10.9.1.8': {}, 'enterprises.310.49.6.1.10.9.1.9': {}, 'enterprises.310.49.6.1.10.16.1.10': {}, 'enterprises.310.49.6.1.10.16.1.11': {}, 'enterprises.310.49.6.1.10.16.1.12': {}, 'enterprises.310.49.6.1.10.16.1.13': {}, 'enterprises.310.49.6.1.10.16.1.14': {}, 'enterprises.310.49.6.1.10.16.1.3': {}, 'enterprises.310.49.6.1.10.16.1.4': {}, 'enterprises.310.49.6.1.10.16.1.5': {}, 'enterprises.310.49.6.1.10.16.1.6': {}, 'enterprises.310.49.6.1.10.16.1.7': {}, 'enterprises.310.49.6.1.10.16.1.8': {}, 'enterprises.310.49.6.1.10.16.1.9': {}, 'entityGeneral': {'1': {}}, 'etherWisDeviceRxTestPatternErrors': {}, 'etherWisDeviceRxTestPatternMode': {}, 'etherWisDeviceTxTestPatternMode': {}, 'etherWisFarEndPathCurrentStatus': {}, 'etherWisPathCurrentJ1Received': {}, 'etherWisPathCurrentJ1Transmitted': {}, 'etherWisPathCurrentStatus': {}, 'etherWisSectionCurrentJ0Received': {}, 'etherWisSectionCurrentJ0Transmitted': {}, 'eventEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}}, 'faAdmProhibited': {}, 'faCOAStatus': {}, 'faEncapsulationUnavailable': {}, 'faHAAuthenticationFailure': {}, 'faHAUnreachable': {}, 'faInsufficientResource': {}, 'faMNAuthenticationFailure': {}, 'faPoorlyFormedReplies': {}, 'faPoorlyFormedRequests': {}, 'faReasonUnspecified': {}, 'faRegLifetimeTooLong': {}, 'faRegRepliesRecieved': {}, 'faRegRepliesRelayed': {}, 'faRegRequestsReceived': {}, 'faRegRequestsRelayed': {}, 'faVisitorHomeAddress': {}, 'faVisitorHomeAgentAddress': {}, 'faVisitorIPAddress': {}, 'faVisitorRegFlags': {}, 'faVisitorRegIDHigh': {}, 'faVisitorRegIDLow': {}, 'faVisitorRegIsAccepted': {}, 'faVisitorTimeGranted': {}, 'faVisitorTimeRemaining': {}, 'frCircuitEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'frDlcmiEntry': {'1': {}, '10': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'frTrapState': {}, 'frasBanLlc': {}, 'frasBanSdlc': {}, 'frasBnnLlc': {}, 'frasBnnSdlc': {}, 'haAdmProhibited': {}, 'haDeRegRepliesSent': {}, 'haDeRegRequestsReceived': {}, 'haFAAuthenticationFailure': {}, 'haGratuitiousARPsSent': {}, 'haIDMismatch': {}, 'haInsufficientResource': {}, 'haMNAuthenticationFailure': {}, 'haMobilityBindingCOA': {}, 'haMobilityBindingMN': {}, 'haMobilityBindingRegFlags': {}, 'haMobilityBindingRegIDHigh': {}, 'haMobilityBindingRegIDLow': {}, 'haMobilityBindingSourceAddress': {}, 'haMobilityBindingTimeGranted': {}, 'haMobilityBindingTimeRemaining': {}, 'haMultiBindingUnsupported': {}, 'haOverallServiceTime': {}, 'haPoorlyFormedRequest': {}, 'haProxyARPsSent': {}, 'haReasonUnspecified': {}, 'haRecentServiceAcceptedTime': {}, 'haRecentServiceDeniedCode': {}, 'haRecentServiceDeniedTime': {}, 'haRegRepliesSent': {}, 'haRegRequestsReceived': {}, 'haRegistrationAccepted': {}, 'haServiceRequestsAccepted': {}, 'haServiceRequestsDenied': {}, 'haTooManyBindings': {}, 'haUnknownHA': {}, 'hcAlarmAbsValue': {}, 'hcAlarmCapabilities': {}, 'hcAlarmFallingEventIndex': {}, 'hcAlarmFallingThreshAbsValueHi': {}, 'hcAlarmFallingThreshAbsValueLo': {}, 'hcAlarmFallingThresholdValStatus': {}, 'hcAlarmInterval': {}, 'hcAlarmOwner': {}, 'hcAlarmRisingEventIndex': {}, 'hcAlarmRisingThreshAbsValueHi': {}, 'hcAlarmRisingThreshAbsValueLo': {}, 'hcAlarmRisingThresholdValStatus': {}, 'hcAlarmSampleType': {}, 'hcAlarmStartupAlarm': {}, 'hcAlarmStatus': {}, 'hcAlarmStorageType': {}, 'hcAlarmValueFailedAttempts': {}, 'hcAlarmValueStatus': {}, 'hcAlarmVariable': {}, 'icmp': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '26': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'icmpMsgStatsEntry': {'3': {}, '4': {}}, 'icmpStatsEntry': {'2': {}, '3': {}, '4': {}, '5': {}}, 'ieee8021CfmConfigErrorListErrorType': {}, 'ieee8021CfmDefaultMdIdPermission': {}, 'ieee8021CfmDefaultMdLevel': {}, 'ieee8021CfmDefaultMdMhfCreation': {}, 'ieee8021CfmDefaultMdStatus': {}, 'ieee8021CfmMaCompIdPermission': {}, 'ieee8021CfmMaCompMhfCreation': {}, 'ieee8021CfmMaCompNumberOfVids': {}, 'ieee8021CfmMaCompPrimarySelectorOrNone': {}, 'ieee8021CfmMaCompPrimarySelectorType': {}, 'ieee8021CfmMaCompRowStatus': {}, 'ieee8021CfmStackMaIndex': {}, 'ieee8021CfmStackMacAddress': {}, 'ieee8021CfmStackMdIndex': {}, 'ieee8021CfmStackMepId': {}, 'ieee8021CfmVlanPrimarySelector': {}, 'ieee8021CfmVlanRowStatus': {}, 'ifAdminStatus': {}, 'ifAlias': {}, 'ifConnectorPresent': {}, 'ifCounterDiscontinuityTime': {}, 'ifDescr': {}, 'ifHCInBroadcastPkts': {}, 'ifHCInMulticastPkts': {}, 'ifHCInOctets': {}, 'ifHCInUcastPkts': {}, 'ifHCOutBroadcastPkts': {}, 'ifHCOutMulticastPkts': {}, 'ifHCOutOctets': {}, 'ifHCOutUcastPkts': {}, 'ifHighSpeed': {}, 'ifInBroadcastPkts': {}, 'ifInDiscards': {}, 'ifInErrors': {}, 'ifInMulticastPkts': {}, 'ifInNUcastPkts': {}, 'ifInOctets': {}, 'ifInUcastPkts': {}, 'ifInUnknownProtos': {}, 'ifIndex': {}, 'ifLastChange': {}, 'ifLinkUpDownTrapEnable': {}, 'ifMtu': {}, 'ifName': {}, 'ifNumber': {}, 'ifOperStatus': {}, 'ifOutBroadcastPkts': {}, 'ifOutDiscards': {}, 'ifOutErrors': {}, 'ifOutMulticastPkts': {}, 'ifOutNUcastPkts': {}, 'ifOutOctets': {}, 'ifOutQLen': {}, 'ifOutUcastPkts': {}, 'ifPhysAddress': {}, 'ifPromiscuousMode': {}, 'ifRcvAddressStatus': {}, 'ifRcvAddressType': {}, 'ifSpecific': {}, 'ifSpeed': {}, 'ifStackLastChange': {}, 'ifStackStatus': {}, 'ifTableLastChange': {}, 'ifTestCode': {}, 'ifTestId': {}, 'ifTestOwner': {}, 'ifTestResult': {}, 'ifTestStatus': {}, 'ifTestType': {}, 'ifType': {}, 'igmpCacheEntry': {'3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'igmpInterfaceEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'inetCidrRouteEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '7': {}, '8': {}, '9': {}}, 'intSrvFlowEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'intSrvGenObjects': {'1': {}}, 'intSrvGuaranteedIfEntry': {'1': {}, '2': {}, '3': {}, '4': {}}, 'intSrvIfAttribEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}}, 'ip': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '23': {}, '25': {}, '26': {}, '27': {}, '29': {}, '3': {}, '33': {}, '38': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ipAddrEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}}, 'ipAddressEntry': {'10': {}, '11': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ipAddressPrefixEntry': {'5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ipCidrRouteEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ipDefaultRouterEntry': {'4': {}, '5': {}}, 'ipForward': {'3': {}, '6': {}}, 'ipIfStatsEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '20': {}, '21': {}, '23': {}, '24': {}, '25': {}, '26': {}, '27': {}, '28': {}, '29': {}, '3': {}, '30': {}, '31': {}, '32': {}, '33': {}, '34': {}, '35': {}, '36': {}, '37': {}, '38': {}, '39': {}, '4': {}, '40': {}, '41': {}, '42': {}, '43': {}, '44': {}, '45': {}, '46': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ipMRoute': {'1': {}, '7': {}}, 'ipMRouteBoundaryEntry': {'4': {}}, 'ipMRouteEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ipMRouteInterfaceEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'ipMRouteNextHopEntry': {'10': {}, '11': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ipMRouteScopeNameEntry': {'4': {}, '5': {}, '6': {}}, 'ipNetToMediaEntry': {'1': {}, '2': {}, '3': {}, '4': {}}, 'ipNetToPhysicalEntry': {'4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'ipSystemStatsEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '26': {}, '27': {}, '28': {}, '29': {}, '3': {}, '30': {}, '31': {}, '32': {}, '33': {}, '34': {}, '35': {}, '36': {}, '37': {}, '38': {}, '39': {}, '4': {}, '40': {}, '41': {}, '42': {}, '43': {}, '44': {}, '45': {}, '46': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ipTrafficStats': {'2': {}}, 'ipslaEtherJAggMaxSucFrmLoss': {}, 'ipslaEtherJAggMeasuredAvgJ': {}, 'ipslaEtherJAggMeasuredAvgJDS': {}, 'ipslaEtherJAggMeasuredAvgJSD': {}, 'ipslaEtherJAggMeasuredAvgLossDenominatorDS': {}, 'ipslaEtherJAggMeasuredAvgLossDenominatorSD': {}, 'ipslaEtherJAggMeasuredAvgLossNumeratorDS': {}, 'ipslaEtherJAggMeasuredAvgLossNumeratorSD': {}, 'ipslaEtherJAggMeasuredBusies': {}, 'ipslaEtherJAggMeasuredCmpletions': {}, 'ipslaEtherJAggMeasuredCumulativeAvgLossDenominatorDS': {}, 'ipslaEtherJAggMeasuredCumulativeAvgLossDenominatorSD': {}, 'ipslaEtherJAggMeasuredCumulativeAvgLossNumeratorDS': {}, 'ipslaEtherJAggMeasuredCumulativeAvgLossNumeratorSD': {}, 'ipslaEtherJAggMeasuredCumulativeLossDenominatorDS': {}, 'ipslaEtherJAggMeasuredCumulativeLossDenominatorSD': {}, 'ipslaEtherJAggMeasuredCumulativeLossNumeratorDS': {}, 'ipslaEtherJAggMeasuredCumulativeLossNumeratorSD': {}, 'ipslaEtherJAggMeasuredErrors': {}, 'ipslaEtherJAggMeasuredFrmLateAs': {}, 'ipslaEtherJAggMeasuredFrmLossSDs': {}, 'ipslaEtherJAggMeasuredFrmLssDSes': {}, 'ipslaEtherJAggMeasuredFrmMIAes': {}, 'ipslaEtherJAggMeasuredFrmOutSeqs': {}, 'ipslaEtherJAggMeasuredFrmSkippds': {}, 'ipslaEtherJAggMeasuredFrmUnPrcds': {}, 'ipslaEtherJAggMeasuredIAJIn': {}, 'ipslaEtherJAggMeasuredIAJOut': {}, 'ipslaEtherJAggMeasuredMaxLossDenominatorDS': {}, 'ipslaEtherJAggMeasuredMaxLossDenominatorSD': {}, 'ipslaEtherJAggMeasuredMaxLossNumeratorDS': {}, 'ipslaEtherJAggMeasuredMaxLossNumeratorSD': {}, 'ipslaEtherJAggMeasuredMaxNegDS': {}, 'ipslaEtherJAggMeasuredMaxNegSD': {}, 'ipslaEtherJAggMeasuredMaxNegTW': {}, 'ipslaEtherJAggMeasuredMaxPosDS': {}, 'ipslaEtherJAggMeasuredMaxPosSD': {}, 'ipslaEtherJAggMeasuredMaxPosTW': {}, 'ipslaEtherJAggMeasuredMinLossDenominatorDS': {}, 'ipslaEtherJAggMeasuredMinLossDenominatorSD': {}, 'ipslaEtherJAggMeasuredMinLossNumeratorDS': {}, 'ipslaEtherJAggMeasuredMinLossNumeratorSD': {}, 'ipslaEtherJAggMeasuredMinNegDS': {}, 'ipslaEtherJAggMeasuredMinNegSD': {}, 'ipslaEtherJAggMeasuredMinNegTW': {}, 'ipslaEtherJAggMeasuredMinPosDS': {}, 'ipslaEtherJAggMeasuredMinPosSD': {}, 'ipslaEtherJAggMeasuredMinPosTW': {}, 'ipslaEtherJAggMeasuredNumNegDSes': {}, 'ipslaEtherJAggMeasuredNumNegSDs': {}, 'ipslaEtherJAggMeasuredNumOWs': {}, 'ipslaEtherJAggMeasuredNumOverThresh': {}, 'ipslaEtherJAggMeasuredNumPosDSes': {}, 'ipslaEtherJAggMeasuredNumPosSDs': {}, 'ipslaEtherJAggMeasuredNumRTTs': {}, 'ipslaEtherJAggMeasuredOWMaxDS': {}, 'ipslaEtherJAggMeasuredOWMaxSD': {}, 'ipslaEtherJAggMeasuredOWMinDS': {}, 'ipslaEtherJAggMeasuredOWMinSD': {}, 'ipslaEtherJAggMeasuredOWSum2DSHs': {}, 'ipslaEtherJAggMeasuredOWSum2DSLs': {}, 'ipslaEtherJAggMeasuredOWSum2SDHs': {}, 'ipslaEtherJAggMeasuredOWSum2SDLs': {}, 'ipslaEtherJAggMeasuredOWSumDSes': {}, 'ipslaEtherJAggMeasuredOWSumSDs': {}, 'ipslaEtherJAggMeasuredOvThrshlds': {}, 'ipslaEtherJAggMeasuredRTTMax': {}, 'ipslaEtherJAggMeasuredRTTMin': {}, 'ipslaEtherJAggMeasuredRTTSum2Hs': {}, 'ipslaEtherJAggMeasuredRTTSum2Ls': {}, 'ipslaEtherJAggMeasuredRTTSums': {}, 'ipslaEtherJAggMeasuredRxFrmsDS': {}, 'ipslaEtherJAggMeasuredRxFrmsSD': {}, 'ipslaEtherJAggMeasuredSum2NDSHs': {}, 'ipslaEtherJAggMeasuredSum2NDSLs': {}, 'ipslaEtherJAggMeasuredSum2NSDHs': {}, 'ipslaEtherJAggMeasuredSum2NSDLs': {}, 'ipslaEtherJAggMeasuredSum2PDSHs': {}, 'ipslaEtherJAggMeasuredSum2PDSLs': {}, 'ipslaEtherJAggMeasuredSum2PSDHs': {}, 'ipslaEtherJAggMeasuredSum2PSDLs': {}, 'ipslaEtherJAggMeasuredSumNegDSes': {}, 'ipslaEtherJAggMeasuredSumNegSDs': {}, 'ipslaEtherJAggMeasuredSumPosDSes': {}, 'ipslaEtherJAggMeasuredSumPosSDs': {}, 'ipslaEtherJAggMeasuredTxFrmsDS': {}, 'ipslaEtherJAggMeasuredTxFrmsSD': {}, 'ipslaEtherJAggMinSucFrmLoss': {}, 'ipslaEtherJLatestFrmUnProcessed': {}, 'ipslaEtherJitterLatestAvgDSJ': {}, 'ipslaEtherJitterLatestAvgJitter': {}, 'ipslaEtherJitterLatestAvgSDJ': {}, 'ipslaEtherJitterLatestFrmLateA': {}, 'ipslaEtherJitterLatestFrmLossDS': {}, 'ipslaEtherJitterLatestFrmLossSD': {}, 'ipslaEtherJitterLatestFrmMIA': {}, 'ipslaEtherJitterLatestFrmOutSeq': {}, 'ipslaEtherJitterLatestFrmSkipped': {}, 'ipslaEtherJitterLatestIAJIn': {}, 'ipslaEtherJitterLatestIAJOut': {}, 'ipslaEtherJitterLatestMaxNegDS': {}, 'ipslaEtherJitterLatestMaxNegSD': {}, 'ipslaEtherJitterLatestMaxPosDS': {}, 'ipslaEtherJitterLatestMaxPosSD': {}, 'ipslaEtherJitterLatestMaxSucFrmL': {}, 'ipslaEtherJitterLatestMinNegDS': {}, 'ipslaEtherJitterLatestMinNegSD': {}, 'ipslaEtherJitterLatestMinPosDS': {}, 'ipslaEtherJitterLatestMinPosSD': {}, 'ipslaEtherJitterLatestMinSucFrmL': {}, 'ipslaEtherJitterLatestNumNegDS': {}, 'ipslaEtherJitterLatestNumNegSD': {}, 'ipslaEtherJitterLatestNumOW': {}, 'ipslaEtherJitterLatestNumOverThresh': {}, 'ipslaEtherJitterLatestNumPosDS': {}, 'ipslaEtherJitterLatestNumPosSD': {}, 'ipslaEtherJitterLatestNumRTT': {}, 'ipslaEtherJitterLatestOWAvgDS': {}, 'ipslaEtherJitterLatestOWAvgSD': {}, 'ipslaEtherJitterLatestOWMaxDS': {}, 'ipslaEtherJitterLatestOWMaxSD': {}, 'ipslaEtherJitterLatestOWMinDS': {}, 'ipslaEtherJitterLatestOWMinSD': {}, 'ipslaEtherJitterLatestOWSum2DS': {}, 'ipslaEtherJitterLatestOWSum2SD': {}, 'ipslaEtherJitterLatestOWSumDS': {}, 'ipslaEtherJitterLatestOWSumSD': {}, 'ipslaEtherJitterLatestRTTMax': {}, 'ipslaEtherJitterLatestRTTMin': {}, 'ipslaEtherJitterLatestRTTSum': {}, 'ipslaEtherJitterLatestRTTSum2': {}, 'ipslaEtherJitterLatestSense': {}, 'ipslaEtherJitterLatestSum2NegDS': {}, 'ipslaEtherJitterLatestSum2NegSD': {}, 'ipslaEtherJitterLatestSum2PosDS': {}, 'ipslaEtherJitterLatestSum2PosSD': {}, 'ipslaEtherJitterLatestSumNegDS': {}, 'ipslaEtherJitterLatestSumNegSD': {}, 'ipslaEtherJitterLatestSumPosDS': {}, 'ipslaEtherJitterLatestSumPosSD': {}, 'ipslaEthernetGrpCtrlCOS': {}, 'ipslaEthernetGrpCtrlDomainName': {}, 'ipslaEthernetGrpCtrlDomainNameType': {}, 'ipslaEthernetGrpCtrlEntry': {'21': {}, '22': {}}, 'ipslaEthernetGrpCtrlInterval': {}, 'ipslaEthernetGrpCtrlMPIDExLst': {}, 'ipslaEthernetGrpCtrlNumFrames': {}, 'ipslaEthernetGrpCtrlOwner': {}, 'ipslaEthernetGrpCtrlProbeList': {}, 'ipslaEthernetGrpCtrlReqDataSize': {}, 'ipslaEthernetGrpCtrlRttType': {}, 'ipslaEthernetGrpCtrlStatus': {}, 'ipslaEthernetGrpCtrlStorageType': {}, 'ipslaEthernetGrpCtrlTag': {}, 'ipslaEthernetGrpCtrlThreshold': {}, 'ipslaEthernetGrpCtrlTimeout': {}, 'ipslaEthernetGrpCtrlVLAN': {}, 'ipslaEthernetGrpReactActionType': {}, 'ipslaEthernetGrpReactStatus': {}, 'ipslaEthernetGrpReactStorageType': {}, 'ipslaEthernetGrpReactThresholdCountX': {}, 'ipslaEthernetGrpReactThresholdCountY': {}, 'ipslaEthernetGrpReactThresholdFalling': {}, 'ipslaEthernetGrpReactThresholdRising': {}, 'ipslaEthernetGrpReactThresholdType': {}, 'ipslaEthernetGrpReactVar': {}, 'ipslaEthernetGrpScheduleFrequency': {}, 'ipslaEthernetGrpSchedulePeriod': {}, 'ipslaEthernetGrpScheduleRttStartTime': {}, 'ipv4InterfaceEntry': {'2': {}, '3': {}, '4': {}}, 'ipv6InterfaceEntry': {'2': {}, '3': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'ipv6RouterAdvertEntry': {'10': {}, '11': {}, '12': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ipv6ScopeZoneIndexEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ipxAdvSysEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ipxBasicSysEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ipxCircEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '26': {}, '27': {}, '28': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ipxDestEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'ipxDestServEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'ipxServEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'ipxStaticRouteEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}}, 'ipxStaticServEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'isdnBasicRateEntry': {'1': {}, '2': {}, '3': {}, '4': {}}, 'isdnBearerEntry': {'1': {}, '10': {}, '11': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'isdnDirectoryEntry': {'2': {}, '3': {}, '4': {}}, 'isdnEndpointEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}}, 'isdnEndpointGetIndex': {}, 'isdnMib.10.16.4.1.1': {}, 'isdnMib.10.16.4.1.2': {}, 'isdnMib.10.16.4.1.3': {}, 'isdnMib.10.16.4.1.4': {}, 'isdnSignalingEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'isdnSignalingGetIndex': {}, 'isdnSignalingStatsEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}}, 'lapbAdmnEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'lapbFlowEntry': {'1': {}, '10': {}, '11': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'lapbOperEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'lapbXidEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}}, 'lifEntry': {'1': {}, '10': {}, '100': {}, '101': {}, '102': {}, '103': {}, '104': {}, '105': {}, '106': {}, '107': {}, '108': {}, '109': {}, '11': {}, '110': {}, '111': {}, '112': {}, '113': {}, '114': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '26': {}, '27': {}, '28': {}, '3': {}, '30': {}, '31': {}, '32': {}, '33': {}, '34': {}, '35': {}, '36': {}, '37': {}, '38': {}, '39': {}, '4': {}, '40': {}, '41': {}, '42': {}, '43': {}, '44': {}, '45': {}, '46': {}, '47': {}, '48': {}, '49': {}, '5': {}, '50': {}, '51': {}, '52': {}, '53': {}, '54': {}, '55': {}, '56': {}, '57': {}, '58': {}, '59': {}, '6': {}, '60': {}, '61': {}, '62': {}, '63': {}, '64': {}, '65': {}, '66': {}, '67': {}, '68': {}, '69': {}, '7': {}, '70': {}, '71': {}, '72': {}, '73': {}, '74': {}, '75': {}, '76': {}, '77': {}, '78': {}, '79': {}, '8': {}, '80': {}, '81': {}, '82': {}, '83': {}, '84': {}, '85': {}, '86': {}, '87': {}, '88': {}, '89': {}, '9': {}, '90': {}, '91': {}, '92': {}, '93': {}, '94': {}, '95': {}, '96': {}, '97': {}, '98': {}, '99': {}}, 'lip': {'10': {}, '11': {}, '12': {}, '4': {}, '5': {}, '6': {}, '8': {}}, 'lipAccountEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}}, 'lipAddrEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}}, 'lipCkAccountEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}}, 'lipRouteEntry': {'1': {}, '2': {}, '3': {}}, 'lipxAccountingEntry': {'1': {}, '2': {}, '3': {}, '4': {}}, 'lipxCkAccountingEntry': {'1': {}, '2': {}, '3': {}, '4': {}}, 'lispConfiguredLocatorRlocLocal': {}, 'lispConfiguredLocatorRlocState': {}, 'lispConfiguredLocatorRlocTimeStamp': {}, 'lispEidRegistrationAuthenticationErrors': {}, 'lispEidRegistrationEtrLastTimeStamp': {}, 'lispEidRegistrationEtrProxyReply': {}, 'lispEidRegistrationEtrTtl': {}, 'lispEidRegistrationEtrWantsMapNotify': {}, 'lispEidRegistrationFirstTimeStamp': {}, 'lispEidRegistrationIsRegistered': {}, 'lispEidRegistrationLastRegisterSender': {}, 'lispEidRegistrationLastRegisterSenderLength': {}, 'lispEidRegistrationLastTimeStamp': {}, 'lispEidRegistrationLocatorIsLocal': {}, 'lispEidRegistrationLocatorMPriority': {}, 'lispEidRegistrationLocatorMWeight': {}, 'lispEidRegistrationLocatorPriority': {}, 'lispEidRegistrationLocatorRlocState': {}, 'lispEidRegistrationLocatorWeight': {}, 'lispEidRegistrationRlocsMismatch': {}, 'lispEidRegistrationSiteDescription': {}, 'lispEidRegistrationSiteName': {}, 'lispFeaturesEtrAcceptMapDataEnabled': {}, 'lispFeaturesEtrAcceptMapDataVerifyEnabled': {}, 'lispFeaturesEtrEnabled': {}, 'lispFeaturesEtrMapCacheTtl': {}, 'lispFeaturesItrEnabled': {}, 'lispFeaturesMapCacheLimit': {}, 'lispFeaturesMapCacheSize': {}, 'lispFeaturesMapResolverEnabled': {}, 'lispFeaturesMapServerEnabled': {}, 'lispFeaturesProxyEtrEnabled': {}, 'lispFeaturesProxyItrEnabled': {}, 'lispFeaturesRlocProbeEnabled': {}, 'lispFeaturesRouterTimeStamp': {}, 'lispGlobalStatsMapRegistersIn': {}, 'lispGlobalStatsMapRegistersOut': {}, 'lispGlobalStatsMapRepliesIn': {}, 'lispGlobalStatsMapRepliesOut': {}, 'lispGlobalStatsMapRequestsIn': {}, 'lispGlobalStatsMapRequestsOut': {}, 'lispIidToVrfName': {}, 'lispMapCacheEidAuthoritative': {}, 'lispMapCacheEidEncapOctets': {}, 'lispMapCacheEidEncapPackets': {}, 'lispMapCacheEidExpiryTime': {}, 'lispMapCacheEidState': {}, 'lispMapCacheEidTimeStamp': {}, 'lispMapCacheLocatorRlocLastMPriorityChange': {}, 'lispMapCacheLocatorRlocLastMWeightChange': {}, 'lispMapCacheLocatorRlocLastPriorityChange': {}, 'lispMapCacheLocatorRlocLastStateChange': {}, 'lispMapCacheLocatorRlocLastWeightChange': {}, 'lispMapCacheLocatorRlocMPriority': {}, 'lispMapCacheLocatorRlocMWeight': {}, 'lispMapCacheLocatorRlocPriority': {}, 'lispMapCacheLocatorRlocRtt': {}, 'lispMapCacheLocatorRlocState': {}, 'lispMapCacheLocatorRlocTimeStamp': {}, 'lispMapCacheLocatorRlocWeight': {}, 'lispMappingDatabaseEidPartitioned': {}, 'lispMappingDatabaseLocatorRlocLocal': {}, 'lispMappingDatabaseLocatorRlocMPriority': {}, 'lispMappingDatabaseLocatorRlocMWeight': {}, 'lispMappingDatabaseLocatorRlocPriority': {}, 'lispMappingDatabaseLocatorRlocState': {}, 'lispMappingDatabaseLocatorRlocTimeStamp': {}, 'lispMappingDatabaseLocatorRlocWeight': {}, 'lispMappingDatabaseLsb': {}, 'lispMappingDatabaseTimeStamp': {}, 'lispUseMapResolverState': {}, 'lispUseMapServerState': {}, 'lispUseProxyEtrMPriority': {}, 'lispUseProxyEtrMWeight': {}, 'lispUseProxyEtrPriority': {}, 'lispUseProxyEtrState': {}, 'lispUseProxyEtrWeight': {}, 'lldpLocManAddrEntry': {'3': {}, '4': {}, '5': {}, '6': {}}, 'lldpLocPortEntry': {'2': {}, '3': {}, '4': {}}, 'lldpLocalSystemData': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}}, 'lldpRemEntry': {'10': {}, '11': {}, '12': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'lldpRemManAddrEntry': {'3': {}, '4': {}, '5': {}}, 'lldpRemOrgDefInfoEntry': {'4': {}}, 'lldpRemUnknownTLVEntry': {'2': {}}, 'logEntry': {'1': {}, '2': {}, '3': {}, '4': {}}, 'lsystem': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '26': {}, '27': {}, '28': {}, '29': {}, '3': {}, '30': {}, '31': {}, '32': {}, '33': {}, '34': {}, '35': {}, '36': {}, '37': {}, '38': {}, '39': {}, '4': {}, '40': {}, '41': {}, '42': {}, '43': {}, '44': {}, '45': {}, '46': {}, '47': {}, '48': {}, '49': {}, '5': {}, '50': {}, '51': {}, '52': {}, '53': {}, '54': {}, '55': {}, '56': {}, '57': {}, '58': {}, '59': {}, '6': {}, '60': {}, '61': {}, '62': {}, '63': {}, '64': {}, '65': {}, '66': {}, '67': {}, '68': {}, '69': {}, '70': {}, '71': {}, '72': {}, '73': {}, '74': {}, '75': {}, '76': {}, '8': {}, '9': {}}, 'ltcpConnEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}}, 'lts': {'1': {}, '10': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ltsLineEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ltsLineSessionEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'maAdvAddress': {}, 'maAdvMaxAdvLifetime': {}, 'maAdvMaxInterval': {}, 'maAdvMaxRegLifetime': {}, 'maAdvMinInterval': {}, 'maAdvPrefixLengthInclusion': {}, 'maAdvResponseSolicitationOnly': {}, 'maAdvStatus': {}, 'maAdvertisementsSent': {}, 'maAdvsSentForSolicitation': {}, 'maSolicitationsReceived': {}, 'mfrBundleActivationClass': {}, 'mfrBundleBandwidth': {}, 'mfrBundleCountMaxRetry': {}, 'mfrBundleFarEndName': {}, 'mfrBundleFragmentation': {}, 'mfrBundleIfIndex': {}, 'mfrBundleIfIndexMappingIndex': {}, 'mfrBundleLinkConfigBundleIndex': {}, 'mfrBundleLinkDelay': {}, 'mfrBundleLinkFarEndBundleName': {}, 'mfrBundleLinkFarEndName': {}, 'mfrBundleLinkFramesControlInvalid': {}, 'mfrBundleLinkFramesControlRx': {}, 'mfrBundleLinkFramesControlTx': {}, 'mfrBundleLinkLoopbackSuspected': {}, 'mfrBundleLinkMismatch': {}, 'mfrBundleLinkNearEndName': {}, 'mfrBundleLinkRowStatus': {}, 'mfrBundleLinkState': {}, 'mfrBundleLinkTimerExpiredCount': {}, 'mfrBundleLinkUnexpectedSequence': {}, 'mfrBundleLinksActive': {}, 'mfrBundleLinksConfigured': {}, 'mfrBundleMaxBundleLinks': {}, 'mfrBundleMaxDiffDelay': {}, 'mfrBundleMaxFragSize': {}, 'mfrBundleMaxNumBundles': {}, 'mfrBundleNearEndName': {}, 'mfrBundleNextIndex': {}, 'mfrBundleResequencingErrors': {}, 'mfrBundleRowStatus': {}, 'mfrBundleSeqNumSize': {}, 'mfrBundleThreshold': {}, 'mfrBundleTimerAck': {}, 'mfrBundleTimerHello': {}, 'mgmdHostCacheLastReporter': {}, 'mgmdHostCacheSourceFilterMode': {}, 'mgmdHostCacheUpTime': {}, 'mgmdHostInterfaceQuerier': {}, 'mgmdHostInterfaceStatus': {}, 'mgmdHostInterfaceVersion': {}, 'mgmdHostInterfaceVersion1QuerierTimer': {}, 'mgmdHostInterfaceVersion2QuerierTimer': {}, 'mgmdHostInterfaceVersion3Robustness': {}, 'mgmdHostSrcListExpire': {}, 'mgmdInverseHostCacheAddress': {}, 'mgmdInverseRouterCacheAddress': {}, 'mgmdRouterCacheExcludeModeExpiryTimer': {}, 'mgmdRouterCacheExpiryTime': {}, 'mgmdRouterCacheLastReporter': {}, 'mgmdRouterCacheSourceFilterMode': {}, 'mgmdRouterCacheUpTime': {}, 'mgmdRouterCacheVersion1HostTimer': {}, 'mgmdRouterCacheVersion2HostTimer': {}, 'mgmdRouterInterfaceGroups': {}, 'mgmdRouterInterfaceJoins': {}, 'mgmdRouterInterfaceLastMemberQueryCount': {}, 'mgmdRouterInterfaceLastMemberQueryInterval': {}, 'mgmdRouterInterfaceProxyIfIndex': {}, 'mgmdRouterInterfaceQuerier': {}, 'mgmdRouterInterfaceQuerierExpiryTime': {}, 'mgmdRouterInterfaceQuerierUpTime': {}, 'mgmdRouterInterfaceQueryInterval': {}, 'mgmdRouterInterfaceQueryMaxResponseTime': {}, 'mgmdRouterInterfaceRobustness': {}, 'mgmdRouterInterfaceStartupQueryCount': {}, 'mgmdRouterInterfaceStartupQueryInterval': {}, 'mgmdRouterInterfaceStatus': {}, 'mgmdRouterInterfaceVersion': {}, 'mgmdRouterInterfaceWrongVersionQueries': {}, 'mgmdRouterSrcListExpire': {}, 'mib-10.49.1.1.1': {}, 'mib-10.49.1.1.2': {}, 'mib-10.49.1.1.3': {}, 'mib-10.49.1.1.4': {}, 'mib-10.49.1.1.5': {}, 'mib-10.49.1.2.1.1.3': {}, 'mib-10.49.1.2.1.1.4': {}, 'mib-10.49.1.2.1.1.5': {}, 'mib-10.49.1.2.1.1.6': {}, 'mib-10.49.1.2.1.1.7': {}, 'mib-10.49.1.2.1.1.8': {}, 'mib-10.49.1.2.1.1.9': {}, 'mib-10.49.1.2.2.1.1': {}, 'mib-10.49.1.2.2.1.2': {}, 'mib-10.49.1.2.2.1.3': {}, 'mib-10.49.1.2.2.1.4': {}, 'mib-10.49.1.2.3.1.10': {}, 'mib-10.49.1.2.3.1.2': {}, 'mib-10.49.1.2.3.1.3': {}, 'mib-10.49.1.2.3.1.4': {}, 'mib-10.49.1.2.3.1.5': {}, 'mib-10.49.1.2.3.1.6': {}, 'mib-10.49.1.2.3.1.7': {}, 'mib-10.49.1.2.3.1.8': {}, 'mib-10.49.1.2.3.1.9': {}, 'mib-10.49.1.3.1.1.2': {}, 'mib-10.49.1.3.1.1.3': {}, 'mib-10.49.1.3.1.1.4': {}, 'mib-10.49.1.3.1.1.5': {}, 'mib-10.49.1.3.1.1.6': {}, 'mib-10.49.1.3.1.1.7': {}, 'mib-10.49.1.3.1.1.8': {}, 'mib-10.49.1.3.1.1.9': {}, 'mipEnable': {}, 'mipEncapsulationSupported': {}, 'mipEntities': {}, 'mipSecAlgorithmMode': {}, 'mipSecAlgorithmType': {}, 'mipSecKey': {}, 'mipSecRecentViolationIDHigh': {}, 'mipSecRecentViolationIDLow': {}, 'mipSecRecentViolationReason': {}, 'mipSecRecentViolationSPI': {}, 'mipSecRecentViolationTime': {}, 'mipSecReplayMethod': {}, 'mipSecTotalViolations': {}, 'mipSecViolationCounter': {}, 'mipSecViolatorAddress': {}, 'mnAdvFlags': {}, 'mnAdvMaxAdvLifetime': {}, 'mnAdvMaxRegLifetime': {}, 'mnAdvSequence': {}, 'mnAdvSourceAddress': {}, 'mnAdvTimeReceived': {}, 'mnAdvertisementsReceived': {}, 'mnAdvsDroppedInvalidExtension': {}, 'mnAdvsIgnoredUnknownExtension': {}, 'mnAgentRebootsDectected': {}, 'mnCOA': {}, 'mnCOAIsLocal': {}, 'mnCurrentHA': {}, 'mnDeRegRepliesRecieved': {}, 'mnDeRegRequestsSent': {}, 'mnFAAddress': {}, 'mnGratuitousARPsSend': {}, 'mnHAStatus': {}, 'mnHomeAddress': {}, 'mnMoveFromFAToFA': {}, 'mnMoveFromFAToHA': {}, 'mnMoveFromHAToFA': {}, 'mnRegAgentAddress': {}, 'mnRegCOA': {}, 'mnRegFlags': {}, 'mnRegIDHigh': {}, 'mnRegIDLow': {}, 'mnRegIsAccepted': {}, 'mnRegRepliesRecieved': {}, 'mnRegRequestsAccepted': {}, 'mnRegRequestsDeniedByFA': {}, 'mnRegRequestsDeniedByHA': {}, 'mnRegRequestsDeniedByHADueToID': {}, 'mnRegRequestsSent': {}, 'mnRegTimeRemaining': {}, 'mnRegTimeRequested': {}, 'mnRegTimeSent': {}, 'mnRepliesDroppedInvalidExtension': {}, 'mnRepliesFAAuthenticationFailure': {}, 'mnRepliesHAAuthenticationFailure': {}, 'mnRepliesIgnoredUnknownExtension': {}, 'mnRepliesInvalidHomeAddress': {}, 'mnRepliesInvalidID': {}, 'mnRepliesUnknownFA': {}, 'mnRepliesUnknownHA': {}, 'mnSolicitationsSent': {}, 'mnState': {}, 'mplsFecAddr': {}, 'mplsFecAddrPrefixLength': {}, 'mplsFecAddrType': {}, 'mplsFecIndexNext': {}, 'mplsFecLastChange': {}, 'mplsFecRowStatus': {}, 'mplsFecStorageType': {}, 'mplsFecType': {}, 'mplsInSegmentAddrFamily': {}, 'mplsInSegmentIndexNext': {}, 'mplsInSegmentInterface': {}, 'mplsInSegmentLabel': {}, 'mplsInSegmentLabelPtr': {}, 'mplsInSegmentLdpLspLabelType': {}, 'mplsInSegmentLdpLspType': {}, 'mplsInSegmentMapIndex': {}, 'mplsInSegmentNPop': {}, 'mplsInSegmentOwner': {}, 'mplsInSegmentPerfDiscards': {}, 'mplsInSegmentPerfDiscontinuityTime': {}, 'mplsInSegmentPerfErrors': {}, 'mplsInSegmentPerfHCOctets': {}, 'mplsInSegmentPerfOctets': {}, 'mplsInSegmentPerfPackets': {}, 'mplsInSegmentRowStatus': {}, 'mplsInSegmentStorageType': {}, 'mplsInSegmentTrafficParamPtr': {}, 'mplsInSegmentXCIndex': {}, 'mplsInterfaceAvailableBandwidth': {}, 'mplsInterfaceLabelMaxIn': {}, 'mplsInterfaceLabelMaxOut': {}, 'mplsInterfaceLabelMinIn': {}, 'mplsInterfaceLabelMinOut': {}, 'mplsInterfaceLabelParticipationType': {}, 'mplsInterfacePerfInLabelLookupFailures': {}, 'mplsInterfacePerfInLabelsInUse': {}, 'mplsInterfacePerfOutFragmentedPkts': {}, 'mplsInterfacePerfOutLabelsInUse': {}, 'mplsInterfaceTotalBandwidth': {}, 'mplsL3VpnIfConfEntry': {'2': {}, '3': {}, '4': {}}, 'mplsL3VpnIfConfRowStatus': {}, 'mplsL3VpnMIB.1.1.1': {}, 'mplsL3VpnMIB.1.1.2': {}, 'mplsL3VpnMIB.1.1.3': {}, 'mplsL3VpnMIB.1.1.4': {}, 'mplsL3VpnMIB.1.1.5': {}, 'mplsL3VpnMIB.1.1.6': {}, 'mplsL3VpnMIB.1.1.7': {}, 'mplsL3VpnVrfConfHighRteThresh': {}, 'mplsL3VpnVrfConfMidRteThresh': {}, 'mplsL3VpnVrfEntry': {'11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '2': {}, '3': {}, '4': {}, '5': {}, '7': {}, '8': {}}, 'mplsL3VpnVrfOperStatus': {}, 'mplsL3VpnVrfPerfCurrNumRoutes': {}, 'mplsL3VpnVrfPerfEntry': {'1': {}, '2': {}, '4': {}, '5': {}}, 'mplsL3VpnVrfRTEntry': {'4': {}, '5': {}, '6': {}, '7': {}}, 'mplsL3VpnVrfRteEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '7': {}, '8': {}, '9': {}}, 'mplsL3VpnVrfSecEntry': {'2': {}}, 'mplsL3VpnVrfSecIllegalLblVltns': {}, 'mplsLabelStackIndexNext': {}, 'mplsLabelStackLabel': {}, 'mplsLabelStackLabelPtr': {}, 'mplsLabelStackRowStatus': {}, 'mplsLabelStackStorageType': {}, 'mplsLdpEntityAdminStatus': {}, 'mplsLdpEntityAtmDefaultControlVci': {}, 'mplsLdpEntityAtmDefaultControlVpi': {}, 'mplsLdpEntityAtmIfIndexOrZero': {}, 'mplsLdpEntityAtmLRComponents': {}, 'mplsLdpEntityAtmLRMaxVci': {}, 'mplsLdpEntityAtmLRMaxVpi': {}, 'mplsLdpEntityAtmLRRowStatus': {}, 'mplsLdpEntityAtmLRStorageType': {}, 'mplsLdpEntityAtmLsrConnectivity': {}, 'mplsLdpEntityAtmMergeCap': {}, 'mplsLdpEntityAtmRowStatus': {}, 'mplsLdpEntityAtmStorageType': {}, 'mplsLdpEntityAtmUnlabTrafVci': {}, 'mplsLdpEntityAtmUnlabTrafVpi': {}, 'mplsLdpEntityAtmVcDirectionality': {}, 'mplsLdpEntityDiscontinuityTime': {}, 'mplsLdpEntityGenericIfIndexOrZero': {}, 'mplsLdpEntityGenericLRRowStatus': {}, 'mplsLdpEntityGenericLRStorageType': {}, 'mplsLdpEntityGenericLabelSpace': {}, 'mplsLdpEntityHelloHoldTimer': {}, 'mplsLdpEntityHopCountLimit': {}, 'mplsLdpEntityIndexNext': {}, 'mplsLdpEntityInitSessionThreshold': {}, 'mplsLdpEntityKeepAliveHoldTimer': {}, 'mplsLdpEntityLabelDistMethod': {}, 'mplsLdpEntityLabelRetentionMode': {}, 'mplsLdpEntityLabelType': {}, 'mplsLdpEntityLastChange': {}, 'mplsLdpEntityMaxPduLength': {}, 'mplsLdpEntityOperStatus': {}, 'mplsLdpEntityPathVectorLimit': {}, 'mplsLdpEntityProtocolVersion': {}, 'mplsLdpEntityRowStatus': {}, 'mplsLdpEntityStatsBadLdpIdentifierErrors': {}, 'mplsLdpEntityStatsBadMessageLengthErrors': {}, 'mplsLdpEntityStatsBadPduLengthErrors': {}, 'mplsLdpEntityStatsBadTlvLengthErrors': {}, 'mplsLdpEntityStatsKeepAliveTimerExpErrors': {}, 'mplsLdpEntityStatsMalformedTlvValueErrors': {}, 'mplsLdpEntityStatsSessionAttempts': {}, 'mplsLdpEntityStatsSessionRejectedAdErrors': {}, 'mplsLdpEntityStatsSessionRejectedLRErrors': {}, 'mplsLdpEntityStatsSessionRejectedMaxPduErrors': {}, 'mplsLdpEntityStatsSessionRejectedNoHelloErrors': {}, 'mplsLdpEntityStatsShutdownReceivedNotifications': {}, 'mplsLdpEntityStatsShutdownSentNotifications': {}, 'mplsLdpEntityStorageType': {}, 'mplsLdpEntityTargetPeer': {}, 'mplsLdpEntityTargetPeerAddr': {}, 'mplsLdpEntityTargetPeerAddrType': {}, 'mplsLdpEntityTcpPort': {}, 'mplsLdpEntityTransportAddrKind': {}, 'mplsLdpEntityUdpDscPort': {}, 'mplsLdpHelloAdjacencyHoldTime': {}, 'mplsLdpHelloAdjacencyHoldTimeRem': {}, 'mplsLdpHelloAdjacencyType': {}, 'mplsLdpLspFecLastChange': {}, 'mplsLdpLspFecRowStatus': {}, 'mplsLdpLspFecStorageType': {}, 'mplsLdpLsrId': {}, 'mplsLdpLsrLoopDetectionCapable': {}, 'mplsLdpPeerLabelDistMethod': {}, 'mplsLdpPeerLastChange': {}, 'mplsLdpPeerPathVectorLimit': {}, 'mplsLdpPeerTransportAddr': {}, 'mplsLdpPeerTransportAddrType': {}, 'mplsLdpSessionAtmLRUpperBoundVci': {}, 'mplsLdpSessionAtmLRUpperBoundVpi': {}, 'mplsLdpSessionDiscontinuityTime': {}, 'mplsLdpSessionKeepAliveHoldTimeRem': {}, 'mplsLdpSessionKeepAliveTime': {}, 'mplsLdpSessionMaxPduLength': {}, 'mplsLdpSessionPeerNextHopAddr': {}, 'mplsLdpSessionPeerNextHopAddrType': {}, 'mplsLdpSessionProtocolVersion': {}, 'mplsLdpSessionRole': {}, 'mplsLdpSessionState': {}, 'mplsLdpSessionStateLastChange': {}, 'mplsLdpSessionStatsUnknownMesTypeErrors': {}, 'mplsLdpSessionStatsUnknownTlvErrors': {}, 'mplsLsrMIB.1.10': {}, 'mplsLsrMIB.1.11': {}, 'mplsLsrMIB.1.13': {}, 'mplsLsrMIB.1.15': {}, 'mplsLsrMIB.1.16': {}, 'mplsLsrMIB.1.17': {}, 'mplsLsrMIB.1.5': {}, 'mplsLsrMIB.1.8': {}, 'mplsMaxLabelStackDepth': {}, 'mplsOutSegmentIndexNext': {}, 'mplsOutSegmentInterface': {}, 'mplsOutSegmentLdpLspLabelType': {}, 'mplsOutSegmentLdpLspType': {}, 'mplsOutSegmentNextHopAddr': {}, 'mplsOutSegmentNextHopAddrType': {}, 'mplsOutSegmentOwner': {}, 'mplsOutSegmentPerfDiscards': {}, 'mplsOutSegmentPerfDiscontinuityTime': {}, 'mplsOutSegmentPerfErrors': {}, 'mplsOutSegmentPerfHCOctets': {}, 'mplsOutSegmentPerfOctets': {}, 'mplsOutSegmentPerfPackets': {}, 'mplsOutSegmentPushTopLabel': {}, 'mplsOutSegmentRowStatus': {}, 'mplsOutSegmentStorageType': {}, 'mplsOutSegmentTopLabel': {}, 'mplsOutSegmentTopLabelPtr': {}, 'mplsOutSegmentTrafficParamPtr': {}, 'mplsOutSegmentXCIndex': {}, 'mplsTeMIB.1.1': {}, 'mplsTeMIB.1.2': {}, 'mplsTeMIB.1.3': {}, 'mplsTeMIB.1.4': {}, 'mplsTeMIB.2.1': {}, 'mplsTeMIB.2.10': {}, 'mplsTeMIB.2.3': {}, 'mplsTeMIB.10.36.1.10': {}, 'mplsTeMIB.10.36.1.11': {}, 'mplsTeMIB.10.36.1.12': {}, 'mplsTeMIB.10.36.1.13': {}, 'mplsTeMIB.10.36.1.4': {}, 'mplsTeMIB.10.36.1.5': {}, 'mplsTeMIB.10.36.1.6': {}, 'mplsTeMIB.10.36.1.7': {}, 'mplsTeMIB.10.36.1.8': {}, 'mplsTeMIB.10.36.1.9': {}, 'mplsTeMIB.2.5': {}, 'mplsTeObjects.10.1.1': {}, 'mplsTeObjects.10.1.2': {}, 'mplsTeObjects.10.1.3': {}, 'mplsTeObjects.10.1.4': {}, 'mplsTeObjects.10.1.5': {}, 'mplsTeObjects.10.1.6': {}, 'mplsTeObjects.10.1.7': {}, 'mplsTunnelARHopEntry': {'3': {}, '4': {}, '5': {}, '6': {}}, 'mplsTunnelActive': {}, 'mplsTunnelAdminStatus': {}, 'mplsTunnelCHopEntry': {'3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'mplsTunnelConfigured': {}, 'mplsTunnelEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '26': {}, '27': {}, '28': {}, '29': {}, '30': {}, '31': {}, '32': {}, '33': {}, '36': {}, '37': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'mplsTunnelHopEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'mplsTunnelHopListIndexNext': {}, 'mplsTunnelIndexNext': {}, 'mplsTunnelMaxHops': {}, 'mplsTunnelNotificationEnable': {}, 'mplsTunnelNotificationMaxRate': {}, 'mplsTunnelOperStatus': {}, 'mplsTunnelPerfEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}}, 'mplsTunnelResourceEntry': {'10': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'mplsTunnelResourceIndexNext': {}, 'mplsTunnelResourceMaxRate': {}, 'mplsTunnelTEDistProto': {}, 'mplsVpnInterfaceConfEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}}, 'mplsVpnMIB.1.1.1': {}, 'mplsVpnMIB.1.1.2': {}, 'mplsVpnMIB.1.1.3': {}, 'mplsVpnMIB.1.1.4': {}, 'mplsVpnMIB.1.1.5': {}, 'mplsVpnVrfBgpNbrAddrEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}}, 'mplsVpnVrfBgpNbrPrefixEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'mplsVpnVrfConfHighRouteThreshold': {}, 'mplsVpnVrfEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'mplsVpnVrfPerfCurrNumRoutes': {}, 'mplsVpnVrfPerfEntry': {'1': {}, '2': {}}, 'mplsVpnVrfRouteEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'mplsVpnVrfRouteTargetEntry': {'4': {}, '5': {}, '6': {}}, 'mplsVpnVrfSecEntry': {'2': {}}, 'mplsVpnVrfSecIllegalLabelViolations': {}, 'mplsXCAdminStatus': {}, 'mplsXCIndexNext': {}, 'mplsXCLabelStackIndex': {}, 'mplsXCLspId': {}, 'mplsXCNotificationsEnable': {}, 'mplsXCOperStatus': {}, 'mplsXCOwner': {}, 'mplsXCRowStatus': {}, 'mplsXCStorageType': {}, 'msdp': {'1': {}, '2': {}, '3': {}, '9': {}}, 'msdpPeerEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '26': {}, '27': {}, '3': {}, '30': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'msdpSACacheEntry': {'10': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'mteEventActions': {}, 'mteEventComment': {}, 'mteEventEnabled': {}, 'mteEventEntryStatus': {}, 'mteEventFailures': {}, 'mteEventNotification': {}, 'mteEventNotificationObjects': {}, 'mteEventNotificationObjectsOwner': {}, 'mteEventSetContextName': {}, 'mteEventSetContextNameWildcard': {}, 'mteEventSetObject': {}, 'mteEventSetObjectWildcard': {}, 'mteEventSetTargetTag': {}, 'mteEventSetValue': {}, 'mteFailedReason': {}, 'mteHotContextName': {}, 'mteHotOID': {}, 'mteHotTargetName': {}, 'mteHotTrigger': {}, 'mteHotValue': {}, 'mteObjectsEntryStatus': {}, 'mteObjectsID': {}, 'mteObjectsIDWildcard': {}, 'mteResourceSampleInstanceLacks': {}, 'mteResourceSampleInstanceMaximum': {}, 'mteResourceSampleInstances': {}, 'mteResourceSampleInstancesHigh': {}, 'mteResourceSampleMinimum': {}, 'mteTriggerBooleanComparison': {}, 'mteTriggerBooleanEvent': {}, 'mteTriggerBooleanEventOwner': {}, 'mteTriggerBooleanObjects': {}, 'mteTriggerBooleanObjectsOwner': {}, 'mteTriggerBooleanStartup': {}, 'mteTriggerBooleanValue': {}, 'mteTriggerComment': {}, 'mteTriggerContextName': {}, 'mteTriggerContextNameWildcard': {}, 'mteTriggerDeltaDiscontinuityID': {}, 'mteTriggerDeltaDiscontinuityIDType': {}, 'mteTriggerDeltaDiscontinuityIDWildcard': {}, 'mteTriggerEnabled': {}, 'mteTriggerEntryStatus': {}, 'mteTriggerExistenceEvent': {}, 'mteTriggerExistenceEventOwner': {}, 'mteTriggerExistenceObjects': {}, 'mteTriggerExistenceObjectsOwner': {}, 'mteTriggerExistenceStartup': {}, 'mteTriggerExistenceTest': {}, 'mteTriggerFailures': {}, 'mteTriggerFrequency': {}, 'mteTriggerObjects': {}, 'mteTriggerObjectsOwner': {}, 'mteTriggerSampleType': {}, 'mteTriggerTargetTag': {}, 'mteTriggerTest': {}, 'mteTriggerThresholdDeltaFalling': {}, 'mteTriggerThresholdDeltaFallingEvent': {}, 'mteTriggerThresholdDeltaFallingEventOwner': {}, 'mteTriggerThresholdDeltaRising': {}, 'mteTriggerThresholdDeltaRisingEvent': {}, 'mteTriggerThresholdDeltaRisingEventOwner': {}, 'mteTriggerThresholdFalling': {}, 'mteTriggerThresholdFallingEvent': {}, 'mteTriggerThresholdFallingEventOwner': {}, 'mteTriggerThresholdObjects': {}, 'mteTriggerThresholdObjectsOwner': {}, 'mteTriggerThresholdRising': {}, 'mteTriggerThresholdRisingEvent': {}, 'mteTriggerThresholdRisingEventOwner': {}, 'mteTriggerThresholdStartup': {}, 'mteTriggerValueID': {}, 'mteTriggerValueIDWildcard': {}, 'natAddrBindCurrentIdleTime': {}, 'natAddrBindGlobalAddr': {}, 'natAddrBindGlobalAddrType': {}, 'natAddrBindId': {}, 'natAddrBindInTranslates': {}, 'natAddrBindMapIndex': {}, 'natAddrBindMaxIdleTime': {}, 'natAddrBindNumberOfEntries': {}, 'natAddrBindOutTranslates': {}, 'natAddrBindSessions': {}, 'natAddrBindTranslationEntity': {}, 'natAddrBindType': {}, 'natAddrPortBindNumberOfEntries': {}, 'natBindDefIdleTimeout': {}, 'natIcmpDefIdleTimeout': {}, 'natInterfaceDiscards': {}, 'natInterfaceInTranslates': {}, 'natInterfaceOutTranslates': {}, 'natInterfaceRealm': {}, 'natInterfaceRowStatus': {}, 'natInterfaceServiceType': {}, 'natInterfaceStorageType': {}, 'natMIBObjects.10.169.1.1': {}, 'natMIBObjects.10.169.1.2': {}, 'natMIBObjects.10.169.1.3': {}, 'natMIBObjects.10.169.1.4': {}, 'natMIBObjects.10.169.1.5': {}, 'natMIBObjects.10.169.1.6': {}, 'natMIBObjects.10.169.1.7': {}, 'natMIBObjects.10.169.1.8': {}, 'natMIBObjects.10.196.1.2': {}, 'natMIBObjects.10.196.1.3': {}, 'natMIBObjects.10.196.1.4': {}, 'natMIBObjects.10.196.1.5': {}, 'natMIBObjects.10.196.1.6': {}, 'natMIBObjects.10.196.1.7': {}, 'natOtherDefIdleTimeout': {}, 'natPoolPortMax': {}, 'natPoolPortMin': {}, 'natPoolRangeAllocations': {}, 'natPoolRangeBegin': {}, 'natPoolRangeDeallocations': {}, 'natPoolRangeEnd': {}, 'natPoolRangeType': {}, 'natPoolRealm': {}, 'natPoolWatermarkHigh': {}, 'natPoolWatermarkLow': {}, 'natTcpDefIdleTimeout': {}, 'natTcpDefNegTimeout': {}, 'natUdpDefIdleTimeout': {}, 'nbpEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}}, 'nhrpCacheHoldingTime': {}, 'nhrpCacheHoldingTimeValid': {}, 'nhrpCacheNbmaAddr': {}, 'nhrpCacheNbmaAddrType': {}, 'nhrpCacheNbmaSubaddr': {}, 'nhrpCacheNegotiatedMtu': {}, 'nhrpCacheNextHopInternetworkAddr': {}, 'nhrpCachePreference': {}, 'nhrpCachePrefixLength': {}, 'nhrpCacheRowStatus': {}, 'nhrpCacheState': {}, 'nhrpCacheStorageType': {}, 'nhrpCacheType': {}, 'nhrpClientDefaultMtu': {}, 'nhrpClientHoldTime': {}, 'nhrpClientInitialRequestTimeout': {}, 'nhrpClientInternetworkAddr': {}, 'nhrpClientInternetworkAddrType': {}, 'nhrpClientNbmaAddr': {}, 'nhrpClientNbmaAddrType': {}, 'nhrpClientNbmaSubaddr': {}, 'nhrpClientNhsInUse': {}, 'nhrpClientNhsInternetworkAddr': {}, 'nhrpClientNhsInternetworkAddrType': {}, 'nhrpClientNhsNbmaAddr': {}, 'nhrpClientNhsNbmaAddrType': {}, 'nhrpClientNhsNbmaSubaddr': {}, 'nhrpClientNhsRowStatus': {}, 'nhrpClientPurgeRequestRetries': {}, 'nhrpClientRegRowStatus': {}, 'nhrpClientRegState': {}, 'nhrpClientRegUniqueness': {}, 'nhrpClientRegistrationRequestRetries': {}, 'nhrpClientRequestID': {}, 'nhrpClientResolutionRequestRetries': {}, 'nhrpClientRowStatus': {}, 'nhrpClientStatDiscontinuityTime': {}, 'nhrpClientStatRxErrAuthenticationFailure': {}, 'nhrpClientStatRxErrHopCountExceeded': {}, 'nhrpClientStatRxErrInvalidExtension': {}, 'nhrpClientStatRxErrLoopDetected': {}, 'nhrpClientStatRxErrProtoAddrUnreachable': {}, 'nhrpClientStatRxErrProtoError': {}, 'nhrpClientStatRxErrSduSizeExceeded': {}, 'nhrpClientStatRxErrUnrecognizedExtension': {}, 'nhrpClientStatRxPurgeReply': {}, 'nhrpClientStatRxPurgeReq': {}, 'nhrpClientStatRxRegisterAck': {}, 'nhrpClientStatRxRegisterNakAlreadyReg': {}, 'nhrpClientStatRxRegisterNakInsufResources': {}, 'nhrpClientStatRxRegisterNakProhibited': {}, 'nhrpClientStatRxResolveReplyAck': {}, 'nhrpClientStatRxResolveReplyNakInsufResources': {}, 'nhrpClientStatRxResolveReplyNakNoBinding': {}, 'nhrpClientStatRxResolveReplyNakNotUnique': {}, 'nhrpClientStatRxResolveReplyNakProhibited': {}, 'nhrpClientStatTxErrorIndication': {}, 'nhrpClientStatTxPurgeReply': {}, 'nhrpClientStatTxPurgeReq': {}, 'nhrpClientStatTxRegisterReq': {}, 'nhrpClientStatTxResolveReq': {}, 'nhrpClientStorageType': {}, 'nhrpNextIndex': {}, 'nhrpPurgeCacheIdentifier': {}, 'nhrpPurgePrefixLength': {}, 'nhrpPurgeReplyExpected': {}, 'nhrpPurgeRequestID': {}, 'nhrpPurgeRowStatus': {}, 'nhrpServerCacheAuthoritative': {}, 'nhrpServerCacheUniqueness': {}, 'nhrpServerInternetworkAddr': {}, 'nhrpServerInternetworkAddrType': {}, 'nhrpServerNbmaAddr': {}, 'nhrpServerNbmaAddrType': {}, 'nhrpServerNbmaSubaddr': {}, 'nhrpServerNhcInUse': {}, 'nhrpServerNhcInternetworkAddr': {}, 'nhrpServerNhcInternetworkAddrType': {}, 'nhrpServerNhcNbmaAddr': {}, 'nhrpServerNhcNbmaAddrType': {}, 'nhrpServerNhcNbmaSubaddr': {}, 'nhrpServerNhcPrefixLength': {}, 'nhrpServerNhcRowStatus': {}, 'nhrpServerRowStatus': {}, 'nhrpServerStatDiscontinuityTime': {}, 'nhrpServerStatFwErrorIndication': {}, 'nhrpServerStatFwPurgeReply': {}, 'nhrpServerStatFwPurgeReq': {}, 'nhrpServerStatFwRegisterReply': {}, 'nhrpServerStatFwRegisterReq': {}, 'nhrpServerStatFwResolveReply': {}, 'nhrpServerStatFwResolveReq': {}, 'nhrpServerStatRxErrAuthenticationFailure': {}, 'nhrpServerStatRxErrHopCountExceeded': {}, 'nhrpServerStatRxErrInvalidExtension': {}, 'nhrpServerStatRxErrInvalidResReplyReceived': {}, 'nhrpServerStatRxErrLoopDetected': {}, 'nhrpServerStatRxErrProtoAddrUnreachable': {}, 'nhrpServerStatRxErrProtoError': {}, 'nhrpServerStatRxErrSduSizeExceeded': {}, 'nhrpServerStatRxErrUnrecognizedExtension': {}, 'nhrpServerStatRxPurgeReply': {}, 'nhrpServerStatRxPurgeReq': {}, 'nhrpServerStatRxRegisterReq': {}, 'nhrpServerStatRxResolveReq': {}, 'nhrpServerStatTxErrAuthenticationFailure': {}, 'nhrpServerStatTxErrHopCountExceeded': {}, 'nhrpServerStatTxErrInvalidExtension': {}, 'nhrpServerStatTxErrLoopDetected': {}, 'nhrpServerStatTxErrProtoAddrUnreachable': {}, 'nhrpServerStatTxErrProtoError': {}, 'nhrpServerStatTxErrSduSizeExceeded': {}, 'nhrpServerStatTxErrUnrecognizedExtension': {}, 'nhrpServerStatTxPurgeReply': {}, 'nhrpServerStatTxPurgeReq': {}, 'nhrpServerStatTxRegisterAck': {}, 'nhrpServerStatTxRegisterNakAlreadyReg': {}, 'nhrpServerStatTxRegisterNakInsufResources': {}, 'nhrpServerStatTxRegisterNakProhibited': {}, 'nhrpServerStatTxResolveReplyAck': {}, 'nhrpServerStatTxResolveReplyNakInsufResources': {}, 'nhrpServerStatTxResolveReplyNakNoBinding': {}, 'nhrpServerStatTxResolveReplyNakNotUnique': {}, 'nhrpServerStatTxResolveReplyNakProhibited': {}, 'nhrpServerStorageType': {}, 'nlmConfig': {'1': {}, '2': {}}, 'nlmConfigLogEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}}, 'nlmLogEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'nlmLogVariableEntry': {'10': {}, '11': {}, '12': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'nlmStats': {'1': {}, '2': {}}, 'nlmStatsLogEntry': {'1': {}, '2': {}}, 'ntpAssocAddress': {}, 'ntpAssocAddressType': {}, 'ntpAssocName': {}, 'ntpAssocOffset': {}, 'ntpAssocRefId': {}, 'ntpAssocStatInPkts': {}, 'ntpAssocStatOutPkts': {}, 'ntpAssocStatProtocolError': {}, 'ntpAssocStatusDelay': {}, 'ntpAssocStatusDispersion': {}, 'ntpAssocStatusJitter': {}, 'ntpAssocStratum': {}, 'ntpEntInfo': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}}, 'ntpEntStatus': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ntpEntStatus.17.1.2': {}, 'ntpEntStatus.17.1.3': {}, 'ntpSnmpMIBObjects.4.1': {}, 'ntpSnmpMIBObjects.4.2': {}, 'optIfOChCurrentStatus': {}, 'optIfOChDirectionality': {}, 'optIfOChSinkCurDayHighInputPower': {}, 'optIfOChSinkCurDayLowInputPower': {}, 'optIfOChSinkCurDaySuspectedFlag': {}, 'optIfOChSinkCurrentHighInputPower': {}, 'optIfOChSinkCurrentInputPower': {}, 'optIfOChSinkCurrentLowInputPower': {}, 'optIfOChSinkCurrentLowerInputPowerThreshold': {}, 'optIfOChSinkCurrentSuspectedFlag': {}, 'optIfOChSinkCurrentUpperInputPowerThreshold': {}, 'optIfOChSinkIntervalHighInputPower': {}, 'optIfOChSinkIntervalLastInputPower': {}, 'optIfOChSinkIntervalLowInputPower': {}, 'optIfOChSinkIntervalSuspectedFlag': {}, 'optIfOChSinkPrevDayHighInputPower': {}, 'optIfOChSinkPrevDayLastInputPower': {}, 'optIfOChSinkPrevDayLowInputPower': {}, 'optIfOChSinkPrevDaySuspectedFlag': {}, 'optIfOChSrcCurDayHighOutputPower': {}, 'optIfOChSrcCurDayLowOutputPower': {}, 'optIfOChSrcCurDaySuspectedFlag': {}, 'optIfOChSrcCurrentHighOutputPower': {}, 'optIfOChSrcCurrentLowOutputPower': {}, 'optIfOChSrcCurrentLowerOutputPowerThreshold': {}, 'optIfOChSrcCurrentOutputPower': {}, 'optIfOChSrcCurrentSuspectedFlag': {}, 'optIfOChSrcCurrentUpperOutputPowerThreshold': {}, 'optIfOChSrcIntervalHighOutputPower': {}, 'optIfOChSrcIntervalLastOutputPower': {}, 'optIfOChSrcIntervalLowOutputPower': {}, 'optIfOChSrcIntervalSuspectedFlag': {}, 'optIfOChSrcPrevDayHighOutputPower': {}, 'optIfOChSrcPrevDayLastOutputPower': {}, 'optIfOChSrcPrevDayLowOutputPower': {}, 'optIfOChSrcPrevDaySuspectedFlag': {}, 'optIfODUkTtpCurrentStatus': {}, 'optIfODUkTtpDAPIExpected': {}, 'optIfODUkTtpDEGM': {}, 'optIfODUkTtpDEGThr': {}, 'optIfODUkTtpSAPIExpected': {}, 'optIfODUkTtpTIMActEnabled': {}, 'optIfODUkTtpTIMDetMode': {}, 'optIfODUkTtpTraceIdentifierAccepted': {}, 'optIfODUkTtpTraceIdentifierTransmitted': {}, 'optIfOTUk.2.1.2': {}, 'optIfOTUk.2.1.3': {}, 'optIfOTUkBitRateK': {}, 'optIfOTUkCurrentStatus': {}, 'optIfOTUkDAPIExpected': {}, 'optIfOTUkDEGM': {}, 'optIfOTUkDEGThr': {}, 'optIfOTUkDirectionality': {}, 'optIfOTUkSAPIExpected': {}, 'optIfOTUkSinkAdaptActive': {}, 'optIfOTUkSinkFECEnabled': {}, 'optIfOTUkSourceAdaptActive': {}, 'optIfOTUkTIMActEnabled': {}, 'optIfOTUkTIMDetMode': {}, 'optIfOTUkTraceIdentifierAccepted': {}, 'optIfOTUkTraceIdentifierTransmitted': {}, 'optIfObjects.10.4.1.1': {}, 'optIfObjects.10.4.1.2': {}, 'optIfObjects.10.4.1.3': {}, 'optIfObjects.10.4.1.4': {}, 'optIfObjects.10.4.1.5': {}, 'optIfObjects.10.4.1.6': {}, 'optIfObjects.10.9.1.1': {}, 'optIfObjects.10.9.1.2': {}, 'optIfObjects.10.9.1.3': {}, 'optIfObjects.10.9.1.4': {}, 'optIfObjects.10.16.1.1': {}, 'optIfObjects.10.16.1.10': {}, 'optIfObjects.10.16.1.2': {}, 'optIfObjects.10.16.1.3': {}, 'optIfObjects.10.16.1.4': {}, 'optIfObjects.10.16.1.5': {}, 'optIfObjects.10.16.1.6': {}, 'optIfObjects.10.16.1.7': {}, 'optIfObjects.10.16.1.8': {}, 'optIfObjects.10.16.1.9': {}, 'optIfObjects.10.25.1.1': {}, 'optIfObjects.10.25.1.10': {}, 'optIfObjects.10.25.1.11': {}, 'optIfObjects.10.25.1.2': {}, 'optIfObjects.10.25.1.3': {}, 'optIfObjects.10.25.1.4': {}, 'optIfObjects.10.25.1.5': {}, 'optIfObjects.10.25.1.6': {}, 'optIfObjects.10.25.1.7': {}, 'optIfObjects.10.25.1.8': {}, 'optIfObjects.10.25.1.9': {}, 'optIfObjects.10.36.1.2': {}, 'optIfObjects.10.36.1.3': {}, 'optIfObjects.10.36.1.4': {}, 'optIfObjects.10.36.1.5': {}, 'optIfObjects.10.36.1.6': {}, 'optIfObjects.10.36.1.7': {}, 'optIfObjects.10.36.1.8': {}, 'optIfObjects.10.49.1.1': {}, 'optIfObjects.10.49.1.2': {}, 'optIfObjects.10.49.1.3': {}, 'optIfObjects.10.49.1.4': {}, 'optIfObjects.10.49.1.5': {}, 'optIfObjects.10.64.1.1': {}, 'optIfObjects.10.64.1.2': {}, 'optIfObjects.10.64.1.3': {}, 'optIfObjects.10.64.1.4': {}, 'optIfObjects.10.64.1.5': {}, 'optIfObjects.10.64.1.6': {}, 'optIfObjects.10.64.1.7': {}, 'optIfObjects.10.81.1.1': {}, 'optIfObjects.10.81.1.10': {}, 'optIfObjects.10.81.1.11': {}, 'optIfObjects.10.81.1.2': {}, 'optIfObjects.10.81.1.3': {}, 'optIfObjects.10.81.1.4': {}, 'optIfObjects.10.81.1.5': {}, 'optIfObjects.10.81.1.6': {}, 'optIfObjects.10.81.1.7': {}, 'optIfObjects.10.81.1.8': {}, 'optIfObjects.10.81.1.9': {}, 'optIfObjects.10.100.1.2': {}, 'optIfObjects.10.100.1.3': {}, 'optIfObjects.10.100.1.4': {}, 'optIfObjects.10.100.1.5': {}, 'optIfObjects.10.100.1.6': {}, 'optIfObjects.10.100.1.7': {}, 'optIfObjects.10.100.1.8': {}, 'optIfObjects.10.121.1.1': {}, 'optIfObjects.10.121.1.2': {}, 'optIfObjects.10.121.1.3': {}, 'optIfObjects.10.121.1.4': {}, 'optIfObjects.10.121.1.5': {}, 'optIfObjects.10.144.1.1': {}, 'optIfObjects.10.144.1.2': {}, 'optIfObjects.10.144.1.3': {}, 'optIfObjects.10.144.1.4': {}, 'optIfObjects.10.144.1.5': {}, 'optIfObjects.10.144.1.6': {}, 'optIfObjects.10.144.1.7': {}, 'optIfObjects.10.36.1.1': {}, 'optIfObjects.10.36.1.10': {}, 'optIfObjects.10.36.1.11': {}, 'optIfObjects.10.36.1.9': {}, 'optIfObjects.10.49.1.6': {}, 'optIfObjects.10.49.1.7': {}, 'optIfObjects.10.49.1.8': {}, 'optIfObjects.10.100.1.1': {}, 'optIfObjects.10.100.1.10': {}, 'optIfObjects.10.100.1.11': {}, 'optIfObjects.10.100.1.9': {}, 'optIfObjects.10.121.1.6': {}, 'optIfObjects.10.121.1.7': {}, 'optIfObjects.10.121.1.8': {}, 'optIfObjects.10.169.1.1': {}, 'optIfObjects.10.169.1.2': {}, 'optIfObjects.10.169.1.3': {}, 'optIfObjects.10.169.1.4': {}, 'optIfObjects.10.169.1.5': {}, 'optIfObjects.10.169.1.6': {}, 'optIfObjects.10.169.1.7': {}, 'optIfObjects.10.49.1.10': {}, 'optIfObjects.10.49.1.11': {}, 'optIfObjects.10.49.1.9': {}, 'optIfObjects.10.64.1.8': {}, 'optIfObjects.10.121.1.10': {}, 'optIfObjects.10.121.1.11': {}, 'optIfObjects.10.121.1.9': {}, 'optIfObjects.10.144.1.8': {}, 'optIfObjects.10.196.1.1': {}, 'optIfObjects.10.196.1.2': {}, 'optIfObjects.10.196.1.3': {}, 'optIfObjects.10.196.1.4': {}, 'optIfObjects.10.196.1.5': {}, 'optIfObjects.10.196.1.6': {}, 'optIfObjects.10.196.1.7': {}, 'optIfObjects.10.144.1.10': {}, 'optIfObjects.10.144.1.9': {}, 'optIfObjects.10.100.1.12': {}, 'optIfObjects.10.100.1.13': {}, 'optIfObjects.10.100.1.14': {}, 'optIfObjects.10.100.1.15': {}, 'ospfAreaAggregateEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}}, 'ospfAreaEntry': {'1': {}, '10': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ospfAreaRangeEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}}, 'ospfExtLsdbEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}}, 'ospfGeneralGroup': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ospfHostEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}}, 'ospfIfEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ospfIfMetricEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}}, 'ospfLsdbEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'ospfNbrEntry': {'1': {}, '10': {}, '11': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ospfStubAreaEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}}, 'ospfTrap.1.1': {}, 'ospfTrap.1.2': {}, 'ospfTrap.1.3': {}, 'ospfTrap.1.4': {}, 'ospfVirtIfEntry': {'1': {}, '10': {}, '11': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ospfVirtNbrEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'ospfv3AreaAggregateEntry': {'6': {}, '7': {}, '8': {}}, 'ospfv3AreaEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ospfv3AreaLsdbEntry': {'5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ospfv3AsLsdbEntry': {'4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'ospfv3CfgNbrEntry': {'5': {}, '6': {}}, 'ospfv3GeneralGroup': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ospfv3HostEntry': {'3': {}, '4': {}, '5': {}}, 'ospfv3IfEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ospfv3LinkLsdbEntry': {'10': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ospfv3NbrEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ospfv3VirtIfEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ospfv3VirtLinkLsdbEntry': {'10': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ospfv3VirtNbrEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'pim': {'1': {}}, 'pimAnycastRPSetLocalRouter': {}, 'pimAnycastRPSetRowStatus': {}, 'pimBidirDFElectionState': {}, 'pimBidirDFElectionStateTimer': {}, 'pimBidirDFElectionWinnerAddress': {}, 'pimBidirDFElectionWinnerAddressType': {}, 'pimBidirDFElectionWinnerMetric': {}, 'pimBidirDFElectionWinnerMetricPref': {}, 'pimBidirDFElectionWinnerUpTime': {}, 'pimCandidateRPEntry': {'3': {}, '4': {}}, 'pimComponentEntry': {'2': {}, '3': {}, '4': {}, '5': {}}, 'pimGroupMappingPimMode': {}, 'pimGroupMappingPrecedence': {}, 'pimInAsserts': {}, 'pimInterfaceAddress': {}, 'pimInterfaceAddressType': {}, 'pimInterfaceBidirCapable': {}, 'pimInterfaceDFElectionRobustness': {}, 'pimInterfaceDR': {}, 'pimInterfaceDRPriority': {}, 'pimInterfaceDRPriorityEnabled': {}, 'pimInterfaceDomainBorder': {}, 'pimInterfaceEffectOverrideIvl': {}, 'pimInterfaceEffectPropagDelay': {}, 'pimInterfaceElectionNotificationPeriod': {}, 'pimInterfaceElectionWinCount': {}, 'pimInterfaceEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'pimInterfaceGenerationIDValue': {}, 'pimInterfaceGraftRetryInterval': {}, 'pimInterfaceHelloHoldtime': {}, 'pimInterfaceHelloInterval': {}, 'pimInterfaceJoinPruneHoldtime': {}, 'pimInterfaceJoinPruneInterval': {}, 'pimInterfaceLanDelayEnabled': {}, 'pimInterfaceOverrideInterval': {}, 'pimInterfacePropagationDelay': {}, 'pimInterfacePruneLimitInterval': {}, 'pimInterfaceSRPriorityEnabled': {}, 'pimInterfaceStatus': {}, 'pimInterfaceStubInterface': {}, 'pimInterfaceSuppressionEnabled': {}, 'pimInterfaceTrigHelloInterval': {}, 'pimInvalidJoinPruneAddressType': {}, 'pimInvalidJoinPruneGroup': {}, 'pimInvalidJoinPruneMsgsRcvd': {}, 'pimInvalidJoinPruneNotificationPeriod': {}, 'pimInvalidJoinPruneOrigin': {}, 'pimInvalidJoinPruneRp': {}, 'pimInvalidRegisterAddressType': {}, 'pimInvalidRegisterGroup': {}, 'pimInvalidRegisterMsgsRcvd': {}, 'pimInvalidRegisterNotificationPeriod': {}, 'pimInvalidRegisterOrigin': {}, 'pimInvalidRegisterRp': {}, 'pimIpMRouteEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}}, 'pimIpMRouteNextHopEntry': {'2': {}}, 'pimKeepalivePeriod': {}, 'pimLastAssertGroupAddress': {}, 'pimLastAssertGroupAddressType': {}, 'pimLastAssertInterface': {}, 'pimLastAssertSourceAddress': {}, 'pimLastAssertSourceAddressType': {}, 'pimNbrSecAddress': {}, 'pimNeighborBidirCapable': {}, 'pimNeighborDRPriority': {}, 'pimNeighborDRPriorityPresent': {}, 'pimNeighborEntry': {'2': {}, '3': {}, '4': {}, '5': {}}, 'pimNeighborExpiryTime': {}, 'pimNeighborGenerationIDPresent': {}, 'pimNeighborGenerationIDValue': {}, 'pimNeighborLanPruneDelayPresent': {}, 'pimNeighborLossCount': {}, 'pimNeighborLossNotificationPeriod': {}, 'pimNeighborOverrideInterval': {}, 'pimNeighborPropagationDelay': {}, 'pimNeighborSRCapable': {}, 'pimNeighborTBit': {}, 'pimNeighborUpTime': {}, 'pimOutAsserts': {}, 'pimRPEntry': {'3': {}, '4': {}, '5': {}, '6': {}}, 'pimRPMappingChangeCount': {}, 'pimRPMappingNotificationPeriod': {}, 'pimRPSetEntry': {'4': {}, '5': {}}, 'pimRegisterSuppressionTime': {}, 'pimSGDRRegisterState': {}, 'pimSGDRRegisterStopTimer': {}, 'pimSGEntries': {}, 'pimSGIAssertState': {}, 'pimSGIAssertTimer': {}, 'pimSGIAssertWinnerAddress': {}, 'pimSGIAssertWinnerAddressType': {}, 'pimSGIAssertWinnerMetric': {}, 'pimSGIAssertWinnerMetricPref': {}, 'pimSGIEntries': {}, 'pimSGIJoinExpiryTimer': {}, 'pimSGIJoinPruneState': {}, 'pimSGILocalMembership': {}, 'pimSGIPrunePendingTimer': {}, 'pimSGIUpTime': {}, 'pimSGKeepaliveTimer': {}, 'pimSGOriginatorState': {}, 'pimSGPimMode': {}, 'pimSGRPFIfIndex': {}, 'pimSGRPFNextHop': {}, 'pimSGRPFNextHopType': {}, 'pimSGRPFRouteAddress': {}, 'pimSGRPFRouteMetric': {}, 'pimSGRPFRouteMetricPref': {}, 'pimSGRPFRoutePrefixLength': {}, 'pimSGRPFRouteProtocol': {}, 'pimSGRPRegisterPMBRAddress': {}, 'pimSGRPRegisterPMBRAddressType': {}, 'pimSGRptEntries': {}, 'pimSGRptIEntries': {}, 'pimSGRptIJoinPruneState': {}, 'pimSGRptILocalMembership': {}, 'pimSGRptIPruneExpiryTimer': {}, 'pimSGRptIPrunePendingTimer': {}, 'pimSGRptIUpTime': {}, 'pimSGRptUpTime': {}, 'pimSGRptUpstreamOverrideTimer': {}, 'pimSGRptUpstreamPruneState': {}, 'pimSGSPTBit': {}, 'pimSGSourceActiveTimer': {}, 'pimSGStateRefreshTimer': {}, 'pimSGUpTime': {}, 'pimSGUpstreamJoinState': {}, 'pimSGUpstreamJoinTimer': {}, 'pimSGUpstreamNeighbor': {}, 'pimSGUpstreamPruneLimitTimer': {}, 'pimSGUpstreamPruneState': {}, 'pimStarGEntries': {}, 'pimStarGIAssertState': {}, 'pimStarGIAssertTimer': {}, 'pimStarGIAssertWinnerAddress': {}, 'pimStarGIAssertWinnerAddressType': {}, 'pimStarGIAssertWinnerMetric': {}, 'pimStarGIAssertWinnerMetricPref': {}, 'pimStarGIEntries': {}, 'pimStarGIJoinExpiryTimer': {}, 'pimStarGIJoinPruneState': {}, 'pimStarGILocalMembership': {}, 'pimStarGIPrunePendingTimer': {}, 'pimStarGIUpTime': {}, 'pimStarGPimMode': {}, 'pimStarGPimModeOrigin': {}, 'pimStarGRPAddress': {}, 'pimStarGRPAddressType': {}, 'pimStarGRPFIfIndex': {}, 'pimStarGRPFNextHop': {}, 'pimStarGRPFNextHopType': {}, 'pimStarGRPFRouteAddress': {}, 'pimStarGRPFRouteMetric': {}, 'pimStarGRPFRouteMetricPref': {}, 'pimStarGRPFRoutePrefixLength': {}, 'pimStarGRPFRouteProtocol': {}, 'pimStarGRPIsLocal': {}, 'pimStarGUpTime': {}, 'pimStarGUpstreamJoinState': {}, 'pimStarGUpstreamJoinTimer': {}, 'pimStarGUpstreamNeighbor': {}, 'pimStarGUpstreamNeighborType': {}, 'pimStaticRPOverrideDynamic': {}, 'pimStaticRPPimMode': {}, 'pimStaticRPPrecedence': {}, 'pimStaticRPRPAddress': {}, 'pimStaticRPRowStatus': {}, 'qllcLSAdminEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}}, 'qllcLSOperEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'qllcLSStatsEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ripCircEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'ripSysEntry': {'1': {}, '2': {}, '3': {}}, 'rmon.10.106.1.2': {}, 'rmon.10.106.1.3': {}, 'rmon.10.106.1.4': {}, 'rmon.10.106.1.5': {}, 'rmon.10.106.1.6': {}, 'rmon.10.106.1.7': {}, 'rmon.10.145.1.2': {}, 'rmon.10.145.1.3': {}, 'rmon.10.186.1.2': {}, 'rmon.10.186.1.3': {}, 'rmon.10.186.1.4': {}, 'rmon.10.186.1.5': {}, 'rmon.10.229.1.1': {}, 'rmon.10.229.1.2': {}, 'rmon.19.1': {}, 'rmon.10.76.1.1': {}, 'rmon.10.76.1.2': {}, 'rmon.10.76.1.3': {}, 'rmon.10.76.1.4': {}, 'rmon.10.76.1.5': {}, 'rmon.10.76.1.6': {}, 'rmon.10.76.1.7': {}, 'rmon.10.76.1.8': {}, 'rmon.10.76.1.9': {}, 'rmon.10.135.1.1': {}, 'rmon.10.135.1.2': {}, 'rmon.10.135.1.3': {}, 'rmon.19.12': {}, 'rmon.10.4.1.2': {}, 'rmon.10.4.1.3': {}, 'rmon.10.4.1.4': {}, 'rmon.10.4.1.5': {}, 'rmon.10.4.1.6': {}, 'rmon.10.69.1.2': {}, 'rmon.10.69.1.3': {}, 'rmon.10.69.1.4': {}, 'rmon.10.69.1.5': {}, 'rmon.10.69.1.6': {}, 'rmon.10.69.1.7': {}, 'rmon.10.69.1.8': {}, 'rmon.10.69.1.9': {}, 'rmon.19.15': {}, 'rmon.19.16': {}, 'rmon.19.2': {}, 'rmon.19.3': {}, 'rmon.19.4': {}, 'rmon.19.5': {}, 'rmon.19.6': {}, 'rmon.19.7': {}, 'rmon.19.8': {}, 'rmon.19.9': {}, 'rs232': {'1': {}}, 'rs232AsyncPortEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'rs232InSigEntry': {'1': {}, '2': {}, '3': {}}, 'rs232OutSigEntry': {'1': {}, '2': {}, '3': {}}, 'rs232PortEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'rs232SyncPortEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'rsrbRemotePeerEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'rsrbRingEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'rsrbVirtRingEntry': {'2': {}, '3': {}}, 'rsvp.2.1': {}, 'rsvp.2.2': {}, 'rsvp.2.3': {}, 'rsvp.2.4': {}, 'rsvp.2.5': {}, 'rsvpIfEntry': {'1': {}, '10': {}, '11': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'rsvpNbrEntry': {'2': {}, '3': {}}, 'rsvpResvEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '26': {}, '27': {}, '28': {}, '29': {}, '3': {}, '30': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'rsvpResvFwdEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '26': {}, '27': {}, '28': {}, '29': {}, '3': {}, '30': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'rsvpSenderEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '26': {}, '27': {}, '28': {}, '29': {}, '3': {}, '30': {}, '31': {}, '32': {}, '33': {}, '34': {}, '35': {}, '36': {}, '37': {}, '38': {}, '39': {}, '4': {}, '40': {}, '41': {}, '42': {}, '43': {}, '44': {}, '45': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'rsvpSenderOutInterfaceStatus': {}, 'rsvpSessionEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'rtmpEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}}, 'rttMonApplAuthKeyChain': {}, 'rttMonApplAuthKeyString1': {}, 'rttMonApplAuthKeyString2': {}, 'rttMonApplAuthKeyString3': {}, 'rttMonApplAuthKeyString4': {}, 'rttMonApplAuthKeyString5': {}, 'rttMonApplAuthStatus': {}, 'rttMonApplFreeMemLowWaterMark': {}, 'rttMonApplLatestSetError': {}, 'rttMonApplLpdGrpStatsReset': {}, 'rttMonApplMaxPacketDataSize': {}, 'rttMonApplNumCtrlAdminEntry': {}, 'rttMonApplPreConfigedReset': {}, 'rttMonApplPreConfigedValid': {}, 'rttMonApplProbeCapacity': {}, 'rttMonApplReset': {}, 'rttMonApplResponder': {}, 'rttMonApplSupportedProtocolsValid': {}, 'rttMonApplSupportedRttTypesValid': {}, 'rttMonApplTimeOfLastSet': {}, 'rttMonApplVersion': {}, 'rttMonControlEnableErrors': {}, 'rttMonCtrlAdminFrequency': {}, 'rttMonCtrlAdminGroupName': {}, 'rttMonCtrlAdminLongTag': {}, 'rttMonCtrlAdminNvgen': {}, 'rttMonCtrlAdminOwner': {}, 'rttMonCtrlAdminRttType': {}, 'rttMonCtrlAdminStatus': {}, 'rttMonCtrlAdminTag': {}, 'rttMonCtrlAdminThreshold': {}, 'rttMonCtrlAdminTimeout': {}, 'rttMonCtrlAdminVerifyData': {}, 'rttMonCtrlOperConnectionLostOccurred': {}, 'rttMonCtrlOperDiagText': {}, 'rttMonCtrlOperModificationTime': {}, 'rttMonCtrlOperNumRtts': {}, 'rttMonCtrlOperOctetsInUse': {}, 'rttMonCtrlOperOverThresholdOccurred': {}, 'rttMonCtrlOperResetTime': {}, 'rttMonCtrlOperRttLife': {}, 'rttMonCtrlOperState': {}, 'rttMonCtrlOperTimeoutOccurred': {}, 'rttMonCtrlOperVerifyErrorOccurred': {}, 'rttMonEchoAdminAggBurstCycles': {}, 'rttMonEchoAdminAvailNumFrames': {}, 'rttMonEchoAdminCache': {}, 'rttMonEchoAdminCallDuration': {}, 'rttMonEchoAdminCalledNumber': {}, 'rttMonEchoAdminCodecInterval': {}, 'rttMonEchoAdminCodecNumPackets': {}, 'rttMonEchoAdminCodecPayload': {}, 'rttMonEchoAdminCodecType': {}, 'rttMonEchoAdminControlEnable': {}, 'rttMonEchoAdminControlRetry': {}, 'rttMonEchoAdminControlTimeout': {}, 'rttMonEchoAdminDetectPoint': {}, 'rttMonEchoAdminDscp': {}, 'rttMonEchoAdminEmulateSourceAddress': {}, 'rttMonEchoAdminEmulateSourcePort': {}, 'rttMonEchoAdminEmulateTargetAddress': {}, 'rttMonEchoAdminEmulateTargetPort': {}, 'rttMonEchoAdminEnableBurst': {}, 'rttMonEchoAdminEndPointListName': {}, 'rttMonEchoAdminEntry': {'77': {}, '78': {}, '79': {}}, 'rttMonEchoAdminEthernetCOS': {}, 'rttMonEchoAdminGKRegistration': {}, 'rttMonEchoAdminHTTPVersion': {}, 'rttMonEchoAdminICPIFAdvFactor': {}, 'rttMonEchoAdminIgmpTreeInit': {}, 'rttMonEchoAdminInputInterface': {}, 'rttMonEchoAdminInterval': {}, 'rttMonEchoAdminLSPExp': {}, 'rttMonEchoAdminLSPFECType': {}, 'rttMonEchoAdminLSPNullShim': {}, 'rttMonEchoAdminLSPReplyDscp': {}, 'rttMonEchoAdminLSPReplyMode': {}, 'rttMonEchoAdminLSPSelector': {}, 'rttMonEchoAdminLSPTTL': {}, 'rttMonEchoAdminLSPVccvID': {}, 'rttMonEchoAdminLSREnable': {}, 'rttMonEchoAdminLossRatioNumFrames': {}, 'rttMonEchoAdminMode': {}, 'rttMonEchoAdminNameServer': {}, 'rttMonEchoAdminNumPackets': {}, 'rttMonEchoAdminOWNTPSyncTolAbs': {}, 'rttMonEchoAdminOWNTPSyncTolPct': {}, 'rttMonEchoAdminOWNTPSyncTolType': {}, 'rttMonEchoAdminOperation': {}, 'rttMonEchoAdminPktDataRequestSize': {}, 'rttMonEchoAdminPktDataResponseSize': {}, 'rttMonEchoAdminPrecision': {}, 'rttMonEchoAdminProbePakPriority': {}, 'rttMonEchoAdminProtocol': {}, 'rttMonEchoAdminProxy': {}, 'rttMonEchoAdminReserveDsp': {}, 'rttMonEchoAdminSSM': {}, 'rttMonEchoAdminSourceAddress': {}, 'rttMonEchoAdminSourceMPID': {}, 'rttMonEchoAdminSourceMacAddress': {}, 'rttMonEchoAdminSourcePort': {}, 'rttMonEchoAdminSourceVoicePort': {}, 'rttMonEchoAdminString1': {}, 'rttMonEchoAdminString2': {}, 'rttMonEchoAdminString3': {}, 'rttMonEchoAdminString4': {}, 'rttMonEchoAdminString5': {}, 'rttMonEchoAdminTOS': {}, 'rttMonEchoAdminTargetAddress': {}, 'rttMonEchoAdminTargetAddressString': {}, 'rttMonEchoAdminTargetDomainName': {}, 'rttMonEchoAdminTargetEVC': {}, 'rttMonEchoAdminTargetMEPPort': {}, 'rttMonEchoAdminTargetMPID': {}, 'rttMonEchoAdminTargetMacAddress': {}, 'rttMonEchoAdminTargetPort': {}, 'rttMonEchoAdminTargetVLAN': {}, 'rttMonEchoAdminTstampOptimization': {}, 'rttMonEchoAdminURL': {}, 'rttMonEchoAdminVideoTrafficProfile': {}, 'rttMonEchoAdminVrfName': {}, 'rttMonEchoPathAdminHopAddress': {}, 'rttMonFileIOAdminAction': {}, 'rttMonFileIOAdminFilePath': {}, 'rttMonFileIOAdminSize': {}, 'rttMonGeneratedOperCtrlAdminIndex': {}, 'rttMonGrpScheduleAdminAdd': {}, 'rttMonGrpScheduleAdminAgeout': {}, 'rttMonGrpScheduleAdminDelete': {}, 'rttMonGrpScheduleAdminFreqMax': {}, 'rttMonGrpScheduleAdminFreqMin': {}, 'rttMonGrpScheduleAdminFrequency': {}, 'rttMonGrpScheduleAdminLife': {}, 'rttMonGrpScheduleAdminPeriod': {}, 'rttMonGrpScheduleAdminProbes': {}, 'rttMonGrpScheduleAdminReset': {}, 'rttMonGrpScheduleAdminStartDelay': {}, 'rttMonGrpScheduleAdminStartTime': {}, 'rttMonGrpScheduleAdminStartType': {}, 'rttMonGrpScheduleAdminStatus': {}, 'rttMonHTTPStatsBusies': {}, 'rttMonHTTPStatsCompletions': {}, 'rttMonHTTPStatsDNSQueryError': {}, 'rttMonHTTPStatsDNSRTTSum': {}, 'rttMonHTTPStatsDNSServerTimeout': {}, 'rttMonHTTPStatsError': {}, 'rttMonHTTPStatsHTTPError': {}, 'rttMonHTTPStatsMessageBodyOctetsSum': {}, 'rttMonHTTPStatsOverThresholds': {}, 'rttMonHTTPStatsRTTMax': {}, 'rttMonHTTPStatsRTTMin': {}, 'rttMonHTTPStatsRTTSum': {}, 'rttMonHTTPStatsRTTSum2High': {}, 'rttMonHTTPStatsRTTSum2Low': {}, 'rttMonHTTPStatsTCPConnectRTTSum': {}, 'rttMonHTTPStatsTCPConnectTimeout': {}, 'rttMonHTTPStatsTransactionRTTSum': {}, 'rttMonHTTPStatsTransactionTimeout': {}, 'rttMonHistoryAdminFilter': {}, 'rttMonHistoryAdminNumBuckets': {}, 'rttMonHistoryAdminNumLives': {}, 'rttMonHistoryAdminNumSamples': {}, 'rttMonHistoryCollectionAddress': {}, 'rttMonHistoryCollectionApplSpecificSense': {}, 'rttMonHistoryCollectionCompletionTime': {}, 'rttMonHistoryCollectionSampleTime': {}, 'rttMonHistoryCollectionSense': {}, 'rttMonHistoryCollectionSenseDescription': {}, 'rttMonIcmpJStatsOWSum2DSHighs': {}, 'rttMonIcmpJStatsOWSum2DSLows': {}, 'rttMonIcmpJStatsOWSum2SDHighs': {}, 'rttMonIcmpJStatsOWSum2SDLows': {}, 'rttMonIcmpJStatsOverThresholds': {}, 'rttMonIcmpJStatsPktOutSeqBoth': {}, 'rttMonIcmpJStatsPktOutSeqDSes': {}, 'rttMonIcmpJStatsPktOutSeqSDs': {}, 'rttMonIcmpJStatsRTTSum2Highs': {}, 'rttMonIcmpJStatsRTTSum2Lows': {}, 'rttMonIcmpJStatsSum2NegDSHighs': {}, 'rttMonIcmpJStatsSum2NegDSLows': {}, 'rttMonIcmpJStatsSum2NegSDHighs': {}, 'rttMonIcmpJStatsSum2NegSDLows': {}, 'rttMonIcmpJStatsSum2PosDSHighs': {}, 'rttMonIcmpJStatsSum2PosDSLows': {}, 'rttMonIcmpJStatsSum2PosSDHighs': {}, 'rttMonIcmpJStatsSum2PosSDLows': {}, 'rttMonIcmpJitterMaxSucPktLoss': {}, 'rttMonIcmpJitterMinSucPktLoss': {}, 'rttMonIcmpJitterStatsAvgJ': {}, 'rttMonIcmpJitterStatsAvgJDS': {}, 'rttMonIcmpJitterStatsAvgJSD': {}, 'rttMonIcmpJitterStatsBusies': {}, 'rttMonIcmpJitterStatsCompletions': {}, 'rttMonIcmpJitterStatsErrors': {}, 'rttMonIcmpJitterStatsIAJIn': {}, 'rttMonIcmpJitterStatsIAJOut': {}, 'rttMonIcmpJitterStatsMaxNegDS': {}, 'rttMonIcmpJitterStatsMaxNegSD': {}, 'rttMonIcmpJitterStatsMaxPosDS': {}, 'rttMonIcmpJitterStatsMaxPosSD': {}, 'rttMonIcmpJitterStatsMinNegDS': {}, 'rttMonIcmpJitterStatsMinNegSD': {}, 'rttMonIcmpJitterStatsMinPosDS': {}, 'rttMonIcmpJitterStatsMinPosSD': {}, 'rttMonIcmpJitterStatsNumNegDSes': {}, 'rttMonIcmpJitterStatsNumNegSDs': {}, 'rttMonIcmpJitterStatsNumOWs': {}, 'rttMonIcmpJitterStatsNumOverThresh': {}, 'rttMonIcmpJitterStatsNumPosDSes': {}, 'rttMonIcmpJitterStatsNumPosSDs': {}, 'rttMonIcmpJitterStatsNumRTTs': {}, 'rttMonIcmpJitterStatsOWMaxDS': {}, 'rttMonIcmpJitterStatsOWMaxSD': {}, 'rttMonIcmpJitterStatsOWMinDS': {}, 'rttMonIcmpJitterStatsOWMinSD': {}, 'rttMonIcmpJitterStatsOWSumDSes': {}, 'rttMonIcmpJitterStatsOWSumSDs': {}, 'rttMonIcmpJitterStatsPktLateAs': {}, 'rttMonIcmpJitterStatsPktLosses': {}, 'rttMonIcmpJitterStatsPktSkippeds': {}, 'rttMonIcmpJitterStatsRTTMax': {}, 'rttMonIcmpJitterStatsRTTMin': {}, 'rttMonIcmpJitterStatsRTTSums': {}, 'rttMonIcmpJitterStatsSumNegDSes': {}, 'rttMonIcmpJitterStatsSumNegSDs': {}, 'rttMonIcmpJitterStatsSumPosDSes': {}, 'rttMonIcmpJitterStatsSumPosSDs': {}, 'rttMonJitterStatsAvgJitter': {}, 'rttMonJitterStatsAvgJitterDS': {}, 'rttMonJitterStatsAvgJitterSD': {}, 'rttMonJitterStatsBusies': {}, 'rttMonJitterStatsCompletions': {}, 'rttMonJitterStatsError': {}, 'rttMonJitterStatsIAJIn': {}, 'rttMonJitterStatsIAJOut': {}, 'rttMonJitterStatsMaxOfICPIF': {}, 'rttMonJitterStatsMaxOfMOS': {}, 'rttMonJitterStatsMaxOfNegativesDS': {}, 'rttMonJitterStatsMaxOfNegativesSD': {}, 'rttMonJitterStatsMaxOfPositivesDS': {}, 'rttMonJitterStatsMaxOfPositivesSD': {}, 'rttMonJitterStatsMinOfICPIF': {}, 'rttMonJitterStatsMinOfMOS': {}, 'rttMonJitterStatsMinOfNegativesDS': {}, 'rttMonJitterStatsMinOfNegativesSD': {}, 'rttMonJitterStatsMinOfPositivesDS': {}, 'rttMonJitterStatsMinOfPositivesSD': {}, 'rttMonJitterStatsNumOfNegativesDS': {}, 'rttMonJitterStatsNumOfNegativesSD': {}, 'rttMonJitterStatsNumOfOW': {}, 'rttMonJitterStatsNumOfPositivesDS': {}, 'rttMonJitterStatsNumOfPositivesSD': {}, 'rttMonJitterStatsNumOfRTT': {}, 'rttMonJitterStatsNumOverThresh': {}, 'rttMonJitterStatsOWMaxDS': {}, 'rttMonJitterStatsOWMaxDSNew': {}, 'rttMonJitterStatsOWMaxSD': {}, 'rttMonJitterStatsOWMaxSDNew': {}, 'rttMonJitterStatsOWMinDS': {}, 'rttMonJitterStatsOWMinDSNew': {}, 'rttMonJitterStatsOWMinSD': {}, 'rttMonJitterStatsOWMinSDNew': {}, 'rttMonJitterStatsOWSum2DSHigh': {}, 'rttMonJitterStatsOWSum2DSLow': {}, 'rttMonJitterStatsOWSum2SDHigh': {}, 'rttMonJitterStatsOWSum2SDLow': {}, 'rttMonJitterStatsOWSumDS': {}, 'rttMonJitterStatsOWSumDSHigh': {}, 'rttMonJitterStatsOWSumSD': {}, 'rttMonJitterStatsOWSumSDHigh': {}, 'rttMonJitterStatsOverThresholds': {}, 'rttMonJitterStatsPacketLateArrival': {}, 'rttMonJitterStatsPacketLossDS': {}, 'rttMonJitterStatsPacketLossSD': {}, 'rttMonJitterStatsPacketMIA': {}, 'rttMonJitterStatsPacketOutOfSequence': {}, 'rttMonJitterStatsRTTMax': {}, 'rttMonJitterStatsRTTMin': {}, 'rttMonJitterStatsRTTSum': {}, 'rttMonJitterStatsRTTSum2High': {}, 'rttMonJitterStatsRTTSum2Low': {}, 'rttMonJitterStatsRTTSumHigh': {}, 'rttMonJitterStatsSum2NegativesDSHigh': {}, 'rttMonJitterStatsSum2NegativesDSLow': {}, 'rttMonJitterStatsSum2NegativesSDHigh': {}, 'rttMonJitterStatsSum2NegativesSDLow': {}, 'rttMonJitterStatsSum2PositivesDSHigh': {}, 'rttMonJitterStatsSum2PositivesDSLow': {}, 'rttMonJitterStatsSum2PositivesSDHigh': {}, 'rttMonJitterStatsSum2PositivesSDLow': {}, 'rttMonJitterStatsSumOfNegativesDS': {}, 'rttMonJitterStatsSumOfNegativesSD': {}, 'rttMonJitterStatsSumOfPositivesDS': {}, 'rttMonJitterStatsSumOfPositivesSD': {}, 'rttMonJitterStatsUnSyncRTs': {}, 'rttMonLatestHTTPErrorSenseDescription': {}, 'rttMonLatestHTTPOperDNSRTT': {}, 'rttMonLatestHTTPOperMessageBodyOctets': {}, 'rttMonLatestHTTPOperRTT': {}, 'rttMonLatestHTTPOperSense': {}, 'rttMonLatestHTTPOperTCPConnectRTT': {}, 'rttMonLatestHTTPOperTransactionRTT': {}, 'rttMonLatestIcmpJPktOutSeqBoth': {}, 'rttMonLatestIcmpJPktOutSeqDS': {}, 'rttMonLatestIcmpJPktOutSeqSD': {}, 'rttMonLatestIcmpJitterAvgDSJ': {}, 'rttMonLatestIcmpJitterAvgJitter': {}, 'rttMonLatestIcmpJitterAvgSDJ': {}, 'rttMonLatestIcmpJitterIAJIn': {}, 'rttMonLatestIcmpJitterIAJOut': {}, 'rttMonLatestIcmpJitterMaxNegDS': {}, 'rttMonLatestIcmpJitterMaxNegSD': {}, 'rttMonLatestIcmpJitterMaxPosDS': {}, 'rttMonLatestIcmpJitterMaxPosSD': {}, 'rttMonLatestIcmpJitterMaxSucPktL': {}, 'rttMonLatestIcmpJitterMinNegDS': {}, 'rttMonLatestIcmpJitterMinNegSD': {}, 'rttMonLatestIcmpJitterMinPosDS': {}, 'rttMonLatestIcmpJitterMinPosSD': {}, 'rttMonLatestIcmpJitterMinSucPktL': {}, 'rttMonLatestIcmpJitterNumNegDS': {}, 'rttMonLatestIcmpJitterNumNegSD': {}, 'rttMonLatestIcmpJitterNumOW': {}, 'rttMonLatestIcmpJitterNumOverThresh': {}, 'rttMonLatestIcmpJitterNumPosDS': {}, 'rttMonLatestIcmpJitterNumPosSD': {}, 'rttMonLatestIcmpJitterNumRTT': {}, 'rttMonLatestIcmpJitterOWAvgDS': {}, 'rttMonLatestIcmpJitterOWAvgSD': {}, 'rttMonLatestIcmpJitterOWMaxDS': {}, 'rttMonLatestIcmpJitterOWMaxSD': {}, 'rttMonLatestIcmpJitterOWMinDS': {}, 'rttMonLatestIcmpJitterOWMinSD': {}, 'rttMonLatestIcmpJitterOWSum2DS': {}, 'rttMonLatestIcmpJitterOWSum2SD': {}, 'rttMonLatestIcmpJitterOWSumDS': {}, 'rttMonLatestIcmpJitterOWSumSD': {}, 'rttMonLatestIcmpJitterPktLateA': {}, 'rttMonLatestIcmpJitterPktLoss': {}, 'rttMonLatestIcmpJitterPktSkipped': {}, 'rttMonLatestIcmpJitterRTTMax': {}, 'rttMonLatestIcmpJitterRTTMin': {}, 'rttMonLatestIcmpJitterRTTSum': {}, 'rttMonLatestIcmpJitterRTTSum2': {}, 'rttMonLatestIcmpJitterSense': {}, 'rttMonLatestIcmpJitterSum2NegDS': {}, 'rttMonLatestIcmpJitterSum2NegSD': {}, 'rttMonLatestIcmpJitterSum2PosDS': {}, 'rttMonLatestIcmpJitterSum2PosSD': {}, 'rttMonLatestIcmpJitterSumNegDS': {}, 'rttMonLatestIcmpJitterSumNegSD': {}, 'rttMonLatestIcmpJitterSumPosDS': {}, 'rttMonLatestIcmpJitterSumPosSD': {}, 'rttMonLatestJitterErrorSenseDescription': {}, 'rttMonLatestJitterOperAvgDSJ': {}, 'rttMonLatestJitterOperAvgJitter': {}, 'rttMonLatestJitterOperAvgSDJ': {}, 'rttMonLatestJitterOperIAJIn': {}, 'rttMonLatestJitterOperIAJOut': {}, 'rttMonLatestJitterOperICPIF': {}, 'rttMonLatestJitterOperMOS': {}, 'rttMonLatestJitterOperMaxOfNegativesDS': {}, 'rttMonLatestJitterOperMaxOfNegativesSD': {}, 'rttMonLatestJitterOperMaxOfPositivesDS': {}, 'rttMonLatestJitterOperMaxOfPositivesSD': {}, 'rttMonLatestJitterOperMinOfNegativesDS': {}, 'rttMonLatestJitterOperMinOfNegativesSD': {}, 'rttMonLatestJitterOperMinOfPositivesDS': {}, 'rttMonLatestJitterOperMinOfPositivesSD': {}, 'rttMonLatestJitterOperNTPState': {}, 'rttMonLatestJitterOperNumOfNegativesDS': {}, 'rttMonLatestJitterOperNumOfNegativesSD': {}, 'rttMonLatestJitterOperNumOfOW': {}, 'rttMonLatestJitterOperNumOfPositivesDS': {}, 'rttMonLatestJitterOperNumOfPositivesSD': {}, 'rttMonLatestJitterOperNumOfRTT': {}, 'rttMonLatestJitterOperNumOverThresh': {}, 'rttMonLatestJitterOperOWAvgDS': {}, 'rttMonLatestJitterOperOWAvgSD': {}, 'rttMonLatestJitterOperOWMaxDS': {}, 'rttMonLatestJitterOperOWMaxSD': {}, 'rttMonLatestJitterOperOWMinDS': {}, 'rttMonLatestJitterOperOWMinSD': {}, 'rttMonLatestJitterOperOWSum2DS': {}, 'rttMonLatestJitterOperOWSum2DSHigh': {}, 'rttMonLatestJitterOperOWSum2SD': {}, 'rttMonLatestJitterOperOWSum2SDHigh': {}, 'rttMonLatestJitterOperOWSumDS': {}, 'rttMonLatestJitterOperOWSumDSHigh': {}, 'rttMonLatestJitterOperOWSumSD': {}, 'rttMonLatestJitterOperOWSumSDHigh': {}, 'rttMonLatestJitterOperPacketLateArrival': {}, 'rttMonLatestJitterOperPacketLossDS': {}, 'rttMonLatestJitterOperPacketLossSD': {}, 'rttMonLatestJitterOperPacketMIA': {}, 'rttMonLatestJitterOperPacketOutOfSequence': {}, 'rttMonLatestJitterOperRTTMax': {}, 'rttMonLatestJitterOperRTTMin': {}, 'rttMonLatestJitterOperRTTSum': {}, 'rttMonLatestJitterOperRTTSum2': {}, 'rttMonLatestJitterOperRTTSum2High': {}, 'rttMonLatestJitterOperRTTSumHigh': {}, 'rttMonLatestJitterOperSense': {}, 'rttMonLatestJitterOperSum2NegativesDS': {}, 'rttMonLatestJitterOperSum2NegativesSD': {}, 'rttMonLatestJitterOperSum2PositivesDS': {}, 'rttMonLatestJitterOperSum2PositivesSD': {}, 'rttMonLatestJitterOperSumOfNegativesDS': {}, 'rttMonLatestJitterOperSumOfNegativesSD': {}, 'rttMonLatestJitterOperSumOfPositivesDS': {}, 'rttMonLatestJitterOperSumOfPositivesSD': {}, 'rttMonLatestJitterOperUnSyncRTs': {}, 'rttMonLatestRtpErrorSenseDescription': {}, 'rttMonLatestRtpOperAvgOWDS': {}, 'rttMonLatestRtpOperAvgOWSD': {}, 'rttMonLatestRtpOperFrameLossDS': {}, 'rttMonLatestRtpOperIAJitterDS': {}, 'rttMonLatestRtpOperIAJitterSD': {}, 'rttMonLatestRtpOperMOSCQDS': {}, 'rttMonLatestRtpOperMOSCQSD': {}, 'rttMonLatestRtpOperMOSLQDS': {}, 'rttMonLatestRtpOperMaxOWDS': {}, 'rttMonLatestRtpOperMaxOWSD': {}, 'rttMonLatestRtpOperMinOWDS': {}, 'rttMonLatestRtpOperMinOWSD': {}, 'rttMonLatestRtpOperPacketEarlyDS': {}, 'rttMonLatestRtpOperPacketLateDS': {}, 'rttMonLatestRtpOperPacketLossDS': {}, 'rttMonLatestRtpOperPacketLossSD': {}, 'rttMonLatestRtpOperPacketOOSDS': {}, 'rttMonLatestRtpOperPacketsMIA': {}, 'rttMonLatestRtpOperRFactorDS': {}, 'rttMonLatestRtpOperRFactorSD': {}, 'rttMonLatestRtpOperRTT': {}, 'rttMonLatestRtpOperSense': {}, 'rttMonLatestRtpOperTotalPaksDS': {}, 'rttMonLatestRtpOperTotalPaksSD': {}, 'rttMonLatestRttOperAddress': {}, 'rttMonLatestRttOperApplSpecificSense': {}, 'rttMonLatestRttOperCompletionTime': {}, 'rttMonLatestRttOperSense': {}, 'rttMonLatestRttOperSenseDescription': {}, 'rttMonLatestRttOperTime': {}, 'rttMonLpdGrpStatsAvgRTT': {}, 'rttMonLpdGrpStatsGroupProbeIndex': {}, 'rttMonLpdGrpStatsGroupStatus': {}, 'rttMonLpdGrpStatsLPDCompTime': {}, 'rttMonLpdGrpStatsLPDFailCause': {}, 'rttMonLpdGrpStatsLPDFailOccurred': {}, 'rttMonLpdGrpStatsLPDStartTime': {}, 'rttMonLpdGrpStatsMaxNumPaths': {}, 'rttMonLpdGrpStatsMaxRTT': {}, 'rttMonLpdGrpStatsMinNumPaths': {}, 'rttMonLpdGrpStatsMinRTT': {}, 'rttMonLpdGrpStatsNumOfFail': {}, 'rttMonLpdGrpStatsNumOfPass': {}, 'rttMonLpdGrpStatsNumOfTimeout': {}, 'rttMonLpdGrpStatsPathIds': {}, 'rttMonLpdGrpStatsProbeStatus': {}, 'rttMonLpdGrpStatsResetTime': {}, 'rttMonLpdGrpStatsTargetPE': {}, 'rttMonReactActionType': {}, 'rttMonReactAdminActionType': {}, 'rttMonReactAdminConnectionEnable': {}, 'rttMonReactAdminThresholdCount': {}, 'rttMonReactAdminThresholdCount2': {}, 'rttMonReactAdminThresholdFalling': {}, 'rttMonReactAdminThresholdType': {}, 'rttMonReactAdminTimeoutEnable': {}, 'rttMonReactAdminVerifyErrorEnable': {}, 'rttMonReactOccurred': {}, 'rttMonReactStatus': {}, 'rttMonReactThresholdCountX': {}, 'rttMonReactThresholdCountY': {}, 'rttMonReactThresholdFalling': {}, 'rttMonReactThresholdRising': {}, 'rttMonReactThresholdType': {}, 'rttMonReactTriggerAdminStatus': {}, 'rttMonReactTriggerOperState': {}, 'rttMonReactValue': {}, 'rttMonReactVar': {}, 'rttMonRtpStatsFrameLossDSAvg': {}, 'rttMonRtpStatsFrameLossDSMax': {}, 'rttMonRtpStatsFrameLossDSMin': {}, 'rttMonRtpStatsIAJitterDSAvg': {}, 'rttMonRtpStatsIAJitterDSMax': {}, 'rttMonRtpStatsIAJitterDSMin': {}, 'rttMonRtpStatsIAJitterSDAvg': {}, 'rttMonRtpStatsIAJitterSDMax': {}, 'rttMonRtpStatsIAJitterSDMin': {}, 'rttMonRtpStatsMOSCQDSAvg': {}, 'rttMonRtpStatsMOSCQDSMax': {}, 'rttMonRtpStatsMOSCQDSMin': {}, 'rttMonRtpStatsMOSCQSDAvg': {}, 'rttMonRtpStatsMOSCQSDMax': {}, 'rttMonRtpStatsMOSCQSDMin': {}, 'rttMonRtpStatsMOSLQDSAvg': {}, 'rttMonRtpStatsMOSLQDSMax': {}, 'rttMonRtpStatsMOSLQDSMin': {}, 'rttMonRtpStatsOperAvgOWDS': {}, 'rttMonRtpStatsOperAvgOWSD': {}, 'rttMonRtpStatsOperMaxOWDS': {}, 'rttMonRtpStatsOperMaxOWSD': {}, 'rttMonRtpStatsOperMinOWDS': {}, 'rttMonRtpStatsOperMinOWSD': {}, 'rttMonRtpStatsPacketEarlyDSAvg': {}, 'rttMonRtpStatsPacketLateDSAvg': {}, 'rttMonRtpStatsPacketLossDSAvg': {}, 'rttMonRtpStatsPacketLossDSMax': {}, 'rttMonRtpStatsPacketLossDSMin': {}, 'rttMonRtpStatsPacketLossSDAvg': {}, 'rttMonRtpStatsPacketLossSDMax': {}, 'rttMonRtpStatsPacketLossSDMin': {}, 'rttMonRtpStatsPacketOOSDSAvg': {}, 'rttMonRtpStatsPacketsMIAAvg': {}, 'rttMonRtpStatsRFactorDSAvg': {}, 'rttMonRtpStatsRFactorDSMax': {}, 'rttMonRtpStatsRFactorDSMin': {}, 'rttMonRtpStatsRFactorSDAvg': {}, 'rttMonRtpStatsRFactorSDMax': {}, 'rttMonRtpStatsRFactorSDMin': {}, 'rttMonRtpStatsRTTAvg': {}, 'rttMonRtpStatsRTTMax': {}, 'rttMonRtpStatsRTTMin': {}, 'rttMonRtpStatsTotalPacketsDSAvg': {}, 'rttMonRtpStatsTotalPacketsDSMax': {}, 'rttMonRtpStatsTotalPacketsDSMin': {}, 'rttMonRtpStatsTotalPacketsSDAvg': {}, 'rttMonRtpStatsTotalPacketsSDMax': {}, 'rttMonRtpStatsTotalPacketsSDMin': {}, 'rttMonScheduleAdminConceptRowAgeout': {}, 'rttMonScheduleAdminConceptRowAgeoutV2': {}, 'rttMonScheduleAdminRttLife': {}, 'rttMonScheduleAdminRttRecurring': {}, 'rttMonScheduleAdminRttStartTime': {}, 'rttMonScheduleAdminStartDelay': {}, 'rttMonScheduleAdminStartType': {}, 'rttMonScriptAdminCmdLineParams': {}, 'rttMonScriptAdminName': {}, 'rttMonStatisticsAdminDistInterval': {}, 'rttMonStatisticsAdminNumDistBuckets': {}, 'rttMonStatisticsAdminNumHops': {}, 'rttMonStatisticsAdminNumHourGroups': {}, 'rttMonStatisticsAdminNumPaths': {}, 'rttMonStatsCaptureCompletionTimeMax': {}, 'rttMonStatsCaptureCompletionTimeMin': {}, 'rttMonStatsCaptureCompletions': {}, 'rttMonStatsCaptureOverThresholds': {}, 'rttMonStatsCaptureSumCompletionTime': {}, 'rttMonStatsCaptureSumCompletionTime2High': {}, 'rttMonStatsCaptureSumCompletionTime2Low': {}, 'rttMonStatsCollectAddress': {}, 'rttMonStatsCollectBusies': {}, 'rttMonStatsCollectCtrlEnErrors': {}, 'rttMonStatsCollectDrops': {}, 'rttMonStatsCollectNoConnections': {}, 'rttMonStatsCollectNumDisconnects': {}, 'rttMonStatsCollectRetrieveErrors': {}, 'rttMonStatsCollectSequenceErrors': {}, 'rttMonStatsCollectTimeouts': {}, 'rttMonStatsCollectVerifyErrors': {}, 'rttMonStatsRetrieveErrors': {}, 'rttMonStatsTotalsElapsedTime': {}, 'rttMonStatsTotalsInitiations': {}, 'rttMplsVpnMonCtrlDelScanFactor': {}, 'rttMplsVpnMonCtrlEXP': {}, 'rttMplsVpnMonCtrlLpd': {}, 'rttMplsVpnMonCtrlLpdCompTime': {}, 'rttMplsVpnMonCtrlLpdGrpList': {}, 'rttMplsVpnMonCtrlProbeList': {}, 'rttMplsVpnMonCtrlRequestSize': {}, 'rttMplsVpnMonCtrlRttType': {}, 'rttMplsVpnMonCtrlScanInterval': {}, 'rttMplsVpnMonCtrlStatus': {}, 'rttMplsVpnMonCtrlStorageType': {}, 'rttMplsVpnMonCtrlTag': {}, 'rttMplsVpnMonCtrlThreshold': {}, 'rttMplsVpnMonCtrlTimeout': {}, 'rttMplsVpnMonCtrlVerifyData': {}, 'rttMplsVpnMonCtrlVrfName': {}, 'rttMplsVpnMonReactActionType': {}, 'rttMplsVpnMonReactConnectionEnable': {}, 'rttMplsVpnMonReactLpdNotifyType': {}, 'rttMplsVpnMonReactLpdRetryCount': {}, 'rttMplsVpnMonReactThresholdCount': {}, 'rttMplsVpnMonReactThresholdType': {}, 'rttMplsVpnMonReactTimeoutEnable': {}, 'rttMplsVpnMonScheduleFrequency': {}, 'rttMplsVpnMonSchedulePeriod': {}, 'rttMplsVpnMonScheduleRttStartTime': {}, 'rttMplsVpnMonTypeDestPort': {}, 'rttMplsVpnMonTypeInterval': {}, 'rttMplsVpnMonTypeLSPReplyDscp': {}, 'rttMplsVpnMonTypeLSPReplyMode': {}, 'rttMplsVpnMonTypeLSPTTL': {}, 'rttMplsVpnMonTypeLpdEchoInterval': {}, 'rttMplsVpnMonTypeLpdEchoNullShim': {}, 'rttMplsVpnMonTypeLpdEchoTimeout': {}, 'rttMplsVpnMonTypeLpdMaxSessions': {}, 'rttMplsVpnMonTypeLpdScanPeriod': {}, 'rttMplsVpnMonTypeLpdSessTimeout': {}, 'rttMplsVpnMonTypeLpdStatHours': {}, 'rttMplsVpnMonTypeLspSelector': {}, 'rttMplsVpnMonTypeNumPackets': {}, 'rttMplsVpnMonTypeSecFreqType': {}, 'rttMplsVpnMonTypeSecFreqValue': {}, 'sapCircEntry': {'1': {}, '10': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'sapSysEntry': {'1': {}, '2': {}, '3': {}}, 'sdlcLSAdminEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'sdlcLSOperEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'sdlcLSStatsEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '26': {}, '27': {}, '28': {}, '29': {}, '3': {}, '30': {}, '31': {}, '32': {}, '33': {}, '34': {}, '35': {}, '36': {}, '37': {}, '38': {}, '39': {}, '4': {}, '40': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'sdlcPortAdminEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'sdlcPortOperEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'sdlcPortStatsEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'snmp': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '24': {}, '25': {}, '26': {}, '27': {}, '28': {}, '29': {}, '3': {}, '30': {}, '31': {}, '32': {}, '4': {}, '5': {}, '6': {}, '8': {}, '9': {}}, 'snmpCommunityMIB.10.4.1.2': {}, 'snmpCommunityMIB.10.4.1.3': {}, 'snmpCommunityMIB.10.4.1.4': {}, 'snmpCommunityMIB.10.4.1.5': {}, 'snmpCommunityMIB.10.4.1.6': {}, 'snmpCommunityMIB.10.4.1.7': {}, 'snmpCommunityMIB.10.4.1.8': {}, 'snmpCommunityMIB.10.9.1.1': {}, 'snmpCommunityMIB.10.9.1.2': {}, 'snmpFrameworkMIB.2.1.1': {}, 'snmpFrameworkMIB.2.1.2': {}, 'snmpFrameworkMIB.2.1.3': {}, 'snmpFrameworkMIB.2.1.4': {}, 'snmpMIB.1.6.1': {}, 'snmpMPDMIB.2.1.1': {}, 'snmpMPDMIB.2.1.2': {}, 'snmpMPDMIB.2.1.3': {}, 'snmpNotificationMIB.10.4.1.2': {}, 'snmpNotificationMIB.10.4.1.3': {}, 'snmpNotificationMIB.10.4.1.4': {}, 'snmpNotificationMIB.10.4.1.5': {}, 'snmpNotificationMIB.10.9.1.1': {}, 'snmpNotificationMIB.10.9.1.2': {}, 'snmpNotificationMIB.10.9.1.3': {}, 'snmpNotificationMIB.10.16.1.2': {}, 'snmpNotificationMIB.10.16.1.3': {}, 'snmpNotificationMIB.10.16.1.4': {}, 'snmpNotificationMIB.10.16.1.5': {}, 'snmpProxyMIB.10.9.1.2': {}, 'snmpProxyMIB.10.9.1.3': {}, 'snmpProxyMIB.10.9.1.4': {}, 'snmpProxyMIB.10.9.1.5': {}, 'snmpProxyMIB.10.9.1.6': {}, 'snmpProxyMIB.10.9.1.7': {}, 'snmpProxyMIB.10.9.1.8': {}, 'snmpProxyMIB.10.9.1.9': {}, 'snmpTargetMIB.1.1': {}, 'snmpTargetMIB.10.9.1.2': {}, 'snmpTargetMIB.10.9.1.3': {}, 'snmpTargetMIB.10.9.1.4': {}, 'snmpTargetMIB.10.9.1.5': {}, 'snmpTargetMIB.10.9.1.6': {}, 'snmpTargetMIB.10.9.1.7': {}, 'snmpTargetMIB.10.9.1.8': {}, 'snmpTargetMIB.10.9.1.9': {}, 'snmpTargetMIB.10.16.1.2': {}, 'snmpTargetMIB.10.16.1.3': {}, 'snmpTargetMIB.10.16.1.4': {}, 'snmpTargetMIB.10.16.1.5': {}, 'snmpTargetMIB.10.16.1.6': {}, 'snmpTargetMIB.10.16.1.7': {}, 'snmpTargetMIB.1.4': {}, 'snmpTargetMIB.1.5': {}, 'snmpUsmMIB.1.1.1': {}, 'snmpUsmMIB.1.1.2': {}, 'snmpUsmMIB.1.1.3': {}, 'snmpUsmMIB.1.1.4': {}, 'snmpUsmMIB.1.1.5': {}, 'snmpUsmMIB.1.1.6': {}, 'snmpUsmMIB.1.2.1': {}, 'snmpUsmMIB.10.9.2.1.10': {}, 'snmpUsmMIB.10.9.2.1.11': {}, 'snmpUsmMIB.10.9.2.1.12': {}, 'snmpUsmMIB.10.9.2.1.13': {}, 'snmpUsmMIB.10.9.2.1.3': {}, 'snmpUsmMIB.10.9.2.1.4': {}, 'snmpUsmMIB.10.9.2.1.5': {}, 'snmpUsmMIB.10.9.2.1.6': {}, 'snmpUsmMIB.10.9.2.1.7': {}, 'snmpUsmMIB.10.9.2.1.8': {}, 'snmpUsmMIB.10.9.2.1.9': {}, 'snmpVacmMIB.10.4.1.1': {}, 'snmpVacmMIB.10.9.1.3': {}, 'snmpVacmMIB.10.9.1.4': {}, 'snmpVacmMIB.10.9.1.5': {}, 'snmpVacmMIB.10.25.1.4': {}, 'snmpVacmMIB.10.25.1.5': {}, 'snmpVacmMIB.10.25.1.6': {}, 'snmpVacmMIB.10.25.1.7': {}, 'snmpVacmMIB.10.25.1.8': {}, 'snmpVacmMIB.10.25.1.9': {}, 'snmpVacmMIB.1.5.1': {}, 'snmpVacmMIB.10.36.2.1.3': {}, 'snmpVacmMIB.10.36.2.1.4': {}, 'snmpVacmMIB.10.36.2.1.5': {}, 'snmpVacmMIB.10.36.2.1.6': {}, 'sonetFarEndLineCurrentEntry': {'1': {}, '2': {}, '3': {}, '4': {}}, 'sonetFarEndLineIntervalEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}}, 'sonetFarEndPathCurrentEntry': {'1': {}, '2': {}, '3': {}, '4': {}}, 'sonetFarEndPathIntervalEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}}, 'sonetFarEndVTCurrentEntry': {'1': {}, '2': {}, '3': {}, '4': {}}, 'sonetFarEndVTIntervalEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}}, 'sonetLineCurrentEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}}, 'sonetLineIntervalEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}}, 'sonetMedium': {'2': {}}, 'sonetMediumEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'sonetPathCurrentEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}}, 'sonetPathIntervalEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}}, 'sonetSectionCurrentEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}}, 'sonetSectionIntervalEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}}, 'sonetVTCurrentEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}}, 'sonetVTIntervalEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}}, 'srpErrCntCurrEntry': {'2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'srpErrCntIntEntry': {'10': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'srpErrorsCountersCurrentEntry': {'10': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'srpErrorsCountersIntervalEntry': {'10': {}, '11': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'srpHostCountersCurrentEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'srpHostCountersIntervalEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'srpIfEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'srpMACCountersEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'srpMACSideEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'srpRingCountersCurrentEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'srpRingCountersIntervalEntry': {'10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'srpRingTopologyMapEntry': {'2': {}, '3': {}, '4': {}}, 'stunGlobal': {'1': {}}, 'stunGroupEntry': {'2': {}}, 'stunPortEntry': {'1': {}, '2': {}, '3': {}, '4': {}}, 'stunRouteEntry': {'10': {}, '11': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'sysOREntry': {'2': {}, '3': {}, '4': {}}, 'sysUpTime': {}, 'system': {'1': {}, '2': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}}, 'tcp': {'1': {}, '10': {}, '11': {}, '12': {}, '14': {}, '15': {}, '17': {}, '18': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'tcp.19.1.7': {}, 'tcp.19.1.8': {}, 'tcp.20.1.4': {}, 'tcpConnEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}}, 'tmpappletalk': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '26': {}, '27': {}, '28': {}, '29': {}, '3': {}, '30': {}, '31': {}, '4': {}, '5': {}, '7': {}, '8': {}, '9': {}}, 'tmpdecnet': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'tmpnovell': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '22': {}, '24': {}, '25': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'tmpvines': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '26': {}, '27': {}, '28': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'tmpxns': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'tunnelConfigIfIndex': {}, 'tunnelConfigStatus': {}, 'tunnelIfAddressType': {}, 'tunnelIfEncapsLimit': {}, 'tunnelIfEncapsMethod': {}, 'tunnelIfFlowLabel': {}, 'tunnelIfHopLimit': {}, 'tunnelIfLocalAddress': {}, 'tunnelIfLocalInetAddress': {}, 'tunnelIfRemoteAddress': {}, 'tunnelIfRemoteInetAddress': {}, 'tunnelIfSecurity': {}, 'tunnelIfTOS': {}, 'tunnelInetConfigIfIndex': {}, 'tunnelInetConfigStatus': {}, 'tunnelInetConfigStorageType': {}, 'udp': {'1': {}, '2': {}, '3': {}, '4': {}, '8': {}, '9': {}}, 'udp.7.1.8': {}, 'udpEntry': {'1': {}, '2': {}}, 'vinesIfTableEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '26': {}, '27': {}, '28': {}, '29': {}, '3': {}, '30': {}, '31': {}, '32': {}, '33': {}, '34': {}, '35': {}, '36': {}, '37': {}, '38': {}, '39': {}, '4': {}, '40': {}, '41': {}, '42': {}, '43': {}, '44': {}, '45': {}, '46': {}, '47': {}, '48': {}, '49': {}, '5': {}, '50': {}, '51': {}, '52': {}, '53': {}, '54': {}, '55': {}, '56': {}, '57': {}, '58': {}, '59': {}, '6': {}, '60': {}, '61': {}, '62': {}, '63': {}, '64': {}, '65': {}, '66': {}, '67': {}, '68': {}, '69': {}, '70': {}, '71': {}, '72': {}, '73': {}, '74': {}, '75': {}, '76': {}, '77': {}, '78': {}, '79': {}, '8': {}, '80': {}, '81': {}, '82': {}, '83': {}, '9': {}}, 'vrrpAssoIpAddrRowStatus': {}, 'vrrpNodeVersion': {}, 'vrrpNotificationCntl': {}, 'vrrpOperAdminState': {}, 'vrrpOperAdvertisementInterval': {}, 'vrrpOperAuthKey': {}, 'vrrpOperAuthType': {}, 'vrrpOperIpAddrCount': {}, 'vrrpOperMasterIpAddr': {}, 'vrrpOperPreemptMode': {}, 'vrrpOperPrimaryIpAddr': {}, 'vrrpOperPriority': {}, 'vrrpOperProtocol': {}, 'vrrpOperRowStatus': {}, 'vrrpOperState': {}, 'vrrpOperVirtualMacAddr': {}, 'vrrpOperVirtualRouterUpTime': {}, 'vrrpRouterChecksumErrors': {}, 'vrrpRouterVersionErrors': {}, 'vrrpRouterVrIdErrors': {}, 'vrrpStatsAddressListErrors': {}, 'vrrpStatsAdvertiseIntervalErrors': {}, 'vrrpStatsAdvertiseRcvd': {}, 'vrrpStatsAuthFailures': {}, 'vrrpStatsAuthTypeMismatch': {}, 'vrrpStatsBecomeMaster': {}, 'vrrpStatsInvalidAuthType': {}, 'vrrpStatsInvalidTypePktsRcvd': {}, 'vrrpStatsIpTtlErrors': {}, 'vrrpStatsPacketLengthErrors': {}, 'vrrpStatsPriorityZeroPktsRcvd': {}, 'vrrpStatsPriorityZeroPktsSent': {}, 'vrrpTrapAuthErrorType': {}, 'vrrpTrapPacketSrc': {}, 'x25': {'6': {}, '7': {}}, 'x25AdmnEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'x25CallParmEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '26': {}, '27': {}, '28': {}, '29': {}, '3': {}, '30': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'x25ChannelEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}}, 'x25CircuitEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'x25ClearedCircuitEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '2': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'x25OperEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'x25StatEntry': {'1': {}, '10': {}, '11': {}, '12': {}, '13': {}, '14': {}, '15': {}, '16': {}, '17': {}, '18': {}, '19': {}, '2': {}, '20': {}, '21': {}, '22': {}, '23': {}, '24': {}, '25': {}, '3': {}, '4': {}, '5': {}, '6': {}, '7': {}, '8': {}, '9': {}}, 'xdsl2ChAlarmConfProfileRowStatus': {}, 'xdsl2ChAlarmConfProfileXtucThresh15MinCodingViolations': {}, 'xdsl2ChAlarmConfProfileXtucThresh15MinCorrected': {}, 'xdsl2ChAlarmConfProfileXturThresh15MinCodingViolations': {}, 'xdsl2ChAlarmConfProfileXturThresh15MinCorrected': {}, 'xdsl2ChConfProfDsDataRateDs': {}, 'xdsl2ChConfProfDsDataRateUs': {}, 'xdsl2ChConfProfImaEnabled': {}, 'xdsl2ChConfProfInitPolicy': {}, 'xdsl2ChConfProfMaxBerDs': {}, 'xdsl2ChConfProfMaxBerUs': {}, 'xdsl2ChConfProfMaxDataRateDs': {}, 'xdsl2ChConfProfMaxDataRateUs': {}, 'xdsl2ChConfProfMaxDelayDs': {}, 'xdsl2ChConfProfMaxDelayUs': {}, 'xdsl2ChConfProfMaxDelayVar': {}, 'xdsl2ChConfProfMinDataRateDs': {}, 'xdsl2ChConfProfMinDataRateLowPwrDs': {}, 'xdsl2ChConfProfMinDataRateLowPwrUs': {}, 'xdsl2ChConfProfMinDataRateUs': {}, 'xdsl2ChConfProfMinProtection8Ds': {}, 'xdsl2ChConfProfMinProtection8Us': {}, 'xdsl2ChConfProfMinProtectionDs': {}, 'xdsl2ChConfProfMinProtectionUs': {}, 'xdsl2ChConfProfMinResDataRateDs': {}, 'xdsl2ChConfProfMinResDataRateUs': {}, 'xdsl2ChConfProfRowStatus': {}, 'xdsl2ChConfProfUsDataRateDs': {}, 'xdsl2ChConfProfUsDataRateUs': {}, 'xdsl2ChStatusActDataRate': {}, 'xdsl2ChStatusActDelay': {}, 'xdsl2ChStatusActInp': {}, 'xdsl2ChStatusAtmStatus': {}, 'xdsl2ChStatusInpReport': {}, 'xdsl2ChStatusIntlvBlock': {}, 'xdsl2ChStatusIntlvDepth': {}, 'xdsl2ChStatusLPath': {}, 'xdsl2ChStatusLSymb': {}, 'xdsl2ChStatusNFec': {}, 'xdsl2ChStatusPrevDataRate': {}, 'xdsl2ChStatusPtmStatus': {}, 'xdsl2ChStatusRFec': {}, 'xdsl2LAlarmConfTempChan1ConfProfile': {}, 'xdsl2LAlarmConfTempChan2ConfProfile': {}, 'xdsl2LAlarmConfTempChan3ConfProfile': {}, 'xdsl2LAlarmConfTempChan4ConfProfile': {}, 'xdsl2LAlarmConfTempLineProfile': {}, 'xdsl2LAlarmConfTempRowStatus': {}, 'xdsl2LConfProfCeFlag': {}, 'xdsl2LConfProfClassMask': {}, 'xdsl2LConfProfDpboEPsd': {}, 'xdsl2LConfProfDpboEsCableModelA': {}, 'xdsl2LConfProfDpboEsCableModelB': {}, 'xdsl2LConfProfDpboEsCableModelC': {}, 'xdsl2LConfProfDpboEsEL': {}, 'xdsl2LConfProfDpboFMax': {}, 'xdsl2LConfProfDpboFMin': {}, 'xdsl2LConfProfDpboMus': {}, 'xdsl2LConfProfForceInp': {}, 'xdsl2LConfProfL0Time': {}, 'xdsl2LConfProfL2Atpr': {}, 'xdsl2LConfProfL2Atprt': {}, 'xdsl2LConfProfL2Time': {}, 'xdsl2LConfProfLimitMask': {}, 'xdsl2LConfProfMaxAggRxPwrUs': {}, 'xdsl2LConfProfMaxNomAtpDs': {}, 'xdsl2LConfProfMaxNomAtpUs': {}, 'xdsl2LConfProfMaxNomPsdDs': {}, 'xdsl2LConfProfMaxNomPsdUs': {}, 'xdsl2LConfProfMaxSnrmDs': {}, 'xdsl2LConfProfMaxSnrmUs': {}, 'xdsl2LConfProfMinSnrmDs': {}, 'xdsl2LConfProfMinSnrmUs': {}, 'xdsl2LConfProfModeSpecBandUsRowStatus': {}, 'xdsl2LConfProfModeSpecRowStatus': {}, 'xdsl2LConfProfMsgMinDs': {}, 'xdsl2LConfProfMsgMinUs': {}, 'xdsl2LConfProfPmMode': {}, 'xdsl2LConfProfProfiles': {}, 'xdsl2LConfProfPsdMaskDs': {}, 'xdsl2LConfProfPsdMaskSelectUs': {}, 'xdsl2LConfProfPsdMaskUs': {}, 'xdsl2LConfProfRaDsNrmDs': {}, 'xdsl2LConfProfRaDsNrmUs': {}, 'xdsl2LConfProfRaDsTimeDs': {}, 'xdsl2LConfProfRaDsTimeUs': {}, 'xdsl2LConfProfRaModeDs': {}, 'xdsl2LConfProfRaModeUs': {}, 'xdsl2LConfProfRaUsNrmDs': {}, 'xdsl2LConfProfRaUsNrmUs': {}, 'xdsl2LConfProfRaUsTimeDs': {}, 'xdsl2LConfProfRaUsTimeUs': {}, 'xdsl2LConfProfRfiBands': {}, 'xdsl2LConfProfRowStatus': {}, 'xdsl2LConfProfScMaskDs': {}, 'xdsl2LConfProfScMaskUs': {}, 'xdsl2LConfProfSnrModeDs': {}, 'xdsl2LConfProfSnrModeUs': {}, 'xdsl2LConfProfTargetSnrmDs': {}, 'xdsl2LConfProfTargetSnrmUs': {}, 'xdsl2LConfProfTxRefVnDs': {}, 'xdsl2LConfProfTxRefVnUs': {}, 'xdsl2LConfProfUpboKL': {}, 'xdsl2LConfProfUpboKLF': {}, 'xdsl2LConfProfUpboPsdA': {}, 'xdsl2LConfProfUpboPsdB': {}, 'xdsl2LConfProfUs0Disable': {}, 'xdsl2LConfProfUs0Mask': {}, 'xdsl2LConfProfVdsl2CarMask': {}, 'xdsl2LConfProfXtuTransSysEna': {}, 'xdsl2LConfTempChan1ConfProfile': {}, 'xdsl2LConfTempChan1RaRatioDs': {}, 'xdsl2LConfTempChan1RaRatioUs': {}, 'xdsl2LConfTempChan2ConfProfile': {}, 'xdsl2LConfTempChan2RaRatioDs': {}, 'xdsl2LConfTempChan2RaRatioUs': {}, 'xdsl2LConfTempChan3ConfProfile': {}, 'xdsl2LConfTempChan3RaRatioDs': {}, 'xdsl2LConfTempChan3RaRatioUs': {}, 'xdsl2LConfTempChan4ConfProfile': {}, 'xdsl2LConfTempChan4RaRatioDs': {}, 'xdsl2LConfTempChan4RaRatioUs': {}, 'xdsl2LConfTempLineProfile': {}, 'xdsl2LConfTempRowStatus': {}, 'xdsl2LInvG994VendorId': {}, 'xdsl2LInvSelfTestResult': {}, 'xdsl2LInvSerialNumber': {}, 'xdsl2LInvSystemVendorId': {}, 'xdsl2LInvTransmissionCapabilities': {}, 'xdsl2LInvVersionNumber': {}, 'xdsl2LineAlarmConfProfileRowStatus': {}, 'xdsl2LineAlarmConfProfileThresh15MinFailedFullInt': {}, 'xdsl2LineAlarmConfProfileThresh15MinFailedShrtInt': {}, 'xdsl2LineAlarmConfProfileXtucThresh15MinEs': {}, 'xdsl2LineAlarmConfProfileXtucThresh15MinFecs': {}, 'xdsl2LineAlarmConfProfileXtucThresh15MinLoss': {}, 'xdsl2LineAlarmConfProfileXtucThresh15MinSes': {}, 'xdsl2LineAlarmConfProfileXtucThresh15MinUas': {}, 'xdsl2LineAlarmConfProfileXturThresh15MinEs': {}, 'xdsl2LineAlarmConfProfileXturThresh15MinFecs': {}, 'xdsl2LineAlarmConfProfileXturThresh15MinLoss': {}, 'xdsl2LineAlarmConfProfileXturThresh15MinSes': {}, 'xdsl2LineAlarmConfProfileXturThresh15MinUas': {}, 'xdsl2LineAlarmConfTemplate': {}, 'xdsl2LineBandStatusLnAtten': {}, 'xdsl2LineBandStatusSigAtten': {}, 'xdsl2LineBandStatusSnrMargin': {}, 'xdsl2LineCmndAutomodeColdStart': {}, 'xdsl2LineCmndConfBpsc': {}, 'xdsl2LineCmndConfBpscFailReason': {}, 'xdsl2LineCmndConfBpscRequests': {}, 'xdsl2LineCmndConfLdsf': {}, 'xdsl2LineCmndConfLdsfFailReason': {}, 'xdsl2LineCmndConfPmsf': {}, 'xdsl2LineCmndConfReset': {}, 'xdsl2LineConfFallbackTemplate': {}, 'xdsl2LineConfTemplate': {}, 'xdsl2LineSegmentBitsAlloc': {}, 'xdsl2LineSegmentRowStatus': {}, 'xdsl2LineStatusActAtpDs': {}, 'xdsl2LineStatusActAtpUs': {}, 'xdsl2LineStatusActLimitMask': {}, 'xdsl2LineStatusActProfile': {}, 'xdsl2LineStatusActPsdDs': {}, 'xdsl2LineStatusActPsdUs': {}, 'xdsl2LineStatusActSnrModeDs': {}, 'xdsl2LineStatusActSnrModeUs': {}, 'xdsl2LineStatusActTemplate': {}, 'xdsl2LineStatusActUs0Mask': {}, 'xdsl2LineStatusActualCe': {}, 'xdsl2LineStatusAttainableRateDs': {}, 'xdsl2LineStatusAttainableRateUs': {}, 'xdsl2LineStatusElectricalLength': {}, 'xdsl2LineStatusInitResult': {}, 'xdsl2LineStatusLastStateDs': {}, 'xdsl2LineStatusLastStateUs': {}, 'xdsl2LineStatusMrefPsdDs': {}, 'xdsl2LineStatusMrefPsdUs': {}, 'xdsl2LineStatusPwrMngState': {}, 'xdsl2LineStatusTrellisDs': {}, 'xdsl2LineStatusTrellisUs': {}, 'xdsl2LineStatusTssiDs': {}, 'xdsl2LineStatusTssiUs': {}, 'xdsl2LineStatusXtuTransSys': {}, 'xdsl2LineStatusXtuc': {}, 'xdsl2LineStatusXtur': {}, 'xdsl2PMChCurr15MCodingViolations': {}, 'xdsl2PMChCurr15MCorrectedBlocks': {}, 'xdsl2PMChCurr15MInvalidIntervals': {}, 'xdsl2PMChCurr15MTimeElapsed': {}, 'xdsl2PMChCurr15MValidIntervals': {}, 'xdsl2PMChCurr1DayCodingViolations': {}, 'xdsl2PMChCurr1DayCorrectedBlocks': {}, 'xdsl2PMChCurr1DayInvalidIntervals': {}, 'xdsl2PMChCurr1DayTimeElapsed': {}, 'xdsl2PMChCurr1DayValidIntervals': {}, 'xdsl2PMChHist15MCodingViolations': {}, 'xdsl2PMChHist15MCorrectedBlocks': {}, 'xdsl2PMChHist15MMonitoredTime': {}, 'xdsl2PMChHist15MValidInterval': {}, 'xdsl2PMChHist1DCodingViolations': {}, 'xdsl2PMChHist1DCorrectedBlocks': {}, 'xdsl2PMChHist1DMonitoredTime': {}, 'xdsl2PMChHist1DValidInterval': {}, 'xdsl2PMLCurr15MEs': {}, 'xdsl2PMLCurr15MFecs': {}, 'xdsl2PMLCurr15MInvalidIntervals': {}, 'xdsl2PMLCurr15MLoss': {}, 'xdsl2PMLCurr15MSes': {}, 'xdsl2PMLCurr15MTimeElapsed': {}, 'xdsl2PMLCurr15MUas': {}, 'xdsl2PMLCurr15MValidIntervals': {}, 'xdsl2PMLCurr1DayEs': {}, 'xdsl2PMLCurr1DayFecs': {}, 'xdsl2PMLCurr1DayInvalidIntervals': {}, 'xdsl2PMLCurr1DayLoss': {}, 'xdsl2PMLCurr1DaySes': {}, 'xdsl2PMLCurr1DayTimeElapsed': {}, 'xdsl2PMLCurr1DayUas': {}, 'xdsl2PMLCurr1DayValidIntervals': {}, 'xdsl2PMLHist15MEs': {}, 'xdsl2PMLHist15MFecs': {}, 'xdsl2PMLHist15MLoss': {}, 'xdsl2PMLHist15MMonitoredTime': {}, 'xdsl2PMLHist15MSes': {}, 'xdsl2PMLHist15MUas': {}, 'xdsl2PMLHist15MValidInterval': {}, 'xdsl2PMLHist1DEs': {}, 'xdsl2PMLHist1DFecs': {}, 'xdsl2PMLHist1DLoss': {}, 'xdsl2PMLHist1DMonitoredTime': {}, 'xdsl2PMLHist1DSes': {}, 'xdsl2PMLHist1DUas': {}, 'xdsl2PMLHist1DValidInterval': {}, 'xdsl2PMLInitCurr15MFailedFullInits': {}, 'xdsl2PMLInitCurr15MFailedShortInits': {}, 'xdsl2PMLInitCurr15MFullInits': {}, 'xdsl2PMLInitCurr15MInvalidIntervals': {}, 'xdsl2PMLInitCurr15MShortInits': {}, 'xdsl2PMLInitCurr15MTimeElapsed': {}, 'xdsl2PMLInitCurr15MValidIntervals': {}, 'xdsl2PMLInitCurr1DayFailedFullInits': {}, 'xdsl2PMLInitCurr1DayFailedShortInits': {}, 'xdsl2PMLInitCurr1DayFullInits': {}, 'xdsl2PMLInitCurr1DayInvalidIntervals': {}, 'xdsl2PMLInitCurr1DayShortInits': {}, 'xdsl2PMLInitCurr1DayTimeElapsed': {}, 'xdsl2PMLInitCurr1DayValidIntervals': {}, 'xdsl2PMLInitHist15MFailedFullInits': {}, 'xdsl2PMLInitHist15MFailedShortInits': {}, 'xdsl2PMLInitHist15MFullInits': {}, 'xdsl2PMLInitHist15MMonitoredTime': {}, 'xdsl2PMLInitHist15MShortInits': {}, 'xdsl2PMLInitHist15MValidInterval': {}, 'xdsl2PMLInitHist1DFailedFullInits': {}, 'xdsl2PMLInitHist1DFailedShortInits': {}, 'xdsl2PMLInitHist1DFullInits': {}, 'xdsl2PMLInitHist1DMonitoredTime': {}, 'xdsl2PMLInitHist1DShortInits': {}, 'xdsl2PMLInitHist1DValidInterval': {}, 'xdsl2SCStatusAttainableRate': {}, 'xdsl2SCStatusBandLnAtten': {}, 'xdsl2SCStatusBandSigAtten': {}, 'xdsl2SCStatusLinScGroupSize': {}, 'xdsl2SCStatusLinScale': {}, 'xdsl2SCStatusLogMt': {}, 'xdsl2SCStatusLogScGroupSize': {}, 'xdsl2SCStatusQlnMt': {}, 'xdsl2SCStatusQlnScGroupSize': {}, 'xdsl2SCStatusRowStatus': {}, 'xdsl2SCStatusSegmentBitsAlloc': {}, 'xdsl2SCStatusSegmentGainAlloc': {}, 'xdsl2SCStatusSegmentLinImg': {}, 'xdsl2SCStatusSegmentLinReal': {}, 'xdsl2SCStatusSegmentLog': {}, 'xdsl2SCStatusSegmentQln': {}, 'xdsl2SCStatusSegmentSnr': {}, 'xdsl2SCStatusSnrMtime': {}, 'xdsl2SCStatusSnrScGroupSize': {}, 'xdsl2ScalarSCAvailInterfaces': {}, 'xdsl2ScalarSCMaxInterfaces': {}, 'zipEntry': {'1': {}, '2': {}, '3': {}, '4': {}, '5': {}}}
def int_input(msg): inp = raw_input(msg) try: inp = int(inp) if inp <= 0: print("Please enter a non-negative number") return int_input(msg) else: return inp except: print("Please enter a valid non-decimal number") return int_input(msg) def run(): global starting_hand global num_copies global deck_size global draw_chance global not_draw starting_hand = int_input("Starting hand size: ") num_copies = int_input("Number of copies: ") deck_size = 0 while num_copies > deck_size: deck_size = int_input("Deck size: ") draw_chance = 0.0 not_draw = 1.0; test() cont = raw_input("Do you wish to continue? y/n") if cont == "y": run() def draw(): global draw_chance global not_draw global deck_size not_draw *= float((deck_size - num_copies)) / deck_size draw_chance = 1.0 - not_draw if draw_chance >= 1.0: draw_chance = 1.0 deck_size -= 1 def draw_start(): drawn = 0 while drawn < starting_hand: draw() drawn += 1 def test(): print(" ") print("The chance of drawing a card from a deck of " + str(int(deck_size)) + " cards") print("given " + str(int(num_copies)) + " copies") print("in a starting hand of " + str(starting_hand) + " cards is:") draw_start() print(str(int(draw_chance * 100)) + "%") print(" ") run()
def int_input(msg): inp = raw_input(msg) try: inp = int(inp) if inp <= 0: print('Please enter a non-negative number') return int_input(msg) else: return inp except: print('Please enter a valid non-decimal number') return int_input(msg) def run(): global starting_hand global num_copies global deck_size global draw_chance global not_draw starting_hand = int_input('Starting hand size: ') num_copies = int_input('Number of copies: ') deck_size = 0 while num_copies > deck_size: deck_size = int_input('Deck size: ') draw_chance = 0.0 not_draw = 1.0 test() cont = raw_input('Do you wish to continue? y/n') if cont == 'y': run() def draw(): global draw_chance global not_draw global deck_size not_draw *= float(deck_size - num_copies) / deck_size draw_chance = 1.0 - not_draw if draw_chance >= 1.0: draw_chance = 1.0 deck_size -= 1 def draw_start(): drawn = 0 while drawn < starting_hand: draw() drawn += 1 def test(): print(' ') print('The chance of drawing a card from a deck of ' + str(int(deck_size)) + ' cards') print('given ' + str(int(num_copies)) + ' copies') print('in a starting hand of ' + str(starting_hand) + ' cards is:') draw_start() print(str(int(draw_chance * 100)) + '%') print(' ') run()
class Solution: # @param triangle, a list of lists of integers # @return an integer def minimumTotal(self, triangle): n = len(triangle) dp = triangle[-1] for i in xrange(n-2, -1, -1): for j in xrange(i+1): dp[j] = triangle[i][j] + min(dp[j], dp[j+1]) return dp[0]
class Solution: def minimum_total(self, triangle): n = len(triangle) dp = triangle[-1] for i in xrange(n - 2, -1, -1): for j in xrange(i + 1): dp[j] = triangle[i][j] + min(dp[j], dp[j + 1]) return dp[0]
class Node: def __init__(self, value): self.value = value self.left = None self.right = None def insert(root, node): if root is None: root = node return root if node.value < root.value: root.left = insert(root.left, node) else: root.right = insert(root.right, node) return root def preorder(rootnode): if rootnode: print(rootnode.value) preorder(rootnode.left) preorder(rootnode.right) def inorder(rootnode): if rootnode: inorder(rootnode.left) print(rootnode.value) inorder(rootnode.right) def postorder(rootnode): if rootnode: postorder(rootnode.left) postorder(rootnode.right) print(rootnode.value) def get_minimum(root) -> int: if root: while root.left is not None: root = root.left print(root.value) return root.value def delete_node(root: 'Node', value: int) -> 'Node': if root is None: return root if value < root.value: root.left = delete_node(root.left, value) elif value > root.value: root.right = delete_node(root.right, value) else: if root.left is not None: return root.right elif root.right is not None: return root.left else: temp = get_minimum(root.right) root.value = temp delete_node(root.right, temp) return root root_node = Node(10) insert(root_node, Node(9)) insert(root_node, Node(11)) insert(root_node, Node(4)) insert(root_node, Node(14)) insert(root_node, Node(10)) # preorder(root) # inorder(root) # postorder(root_node) get_minimum(root_node) node = delete_node(root_node, 9) postorder(root_node)
class Node: def __init__(self, value): self.value = value self.left = None self.right = None def insert(root, node): if root is None: root = node return root if node.value < root.value: root.left = insert(root.left, node) else: root.right = insert(root.right, node) return root def preorder(rootnode): if rootnode: print(rootnode.value) preorder(rootnode.left) preorder(rootnode.right) def inorder(rootnode): if rootnode: inorder(rootnode.left) print(rootnode.value) inorder(rootnode.right) def postorder(rootnode): if rootnode: postorder(rootnode.left) postorder(rootnode.right) print(rootnode.value) def get_minimum(root) -> int: if root: while root.left is not None: root = root.left print(root.value) return root.value def delete_node(root: 'Node', value: int) -> 'Node': if root is None: return root if value < root.value: root.left = delete_node(root.left, value) elif value > root.value: root.right = delete_node(root.right, value) elif root.left is not None: return root.right elif root.right is not None: return root.left else: temp = get_minimum(root.right) root.value = temp delete_node(root.right, temp) return root root_node = node(10) insert(root_node, node(9)) insert(root_node, node(11)) insert(root_node, node(4)) insert(root_node, node(14)) insert(root_node, node(10)) get_minimum(root_node) node = delete_node(root_node, 9) postorder(root_node)
class Solution: # @return an integer def reverse(self, x): int_max = 2147483647 limit = int_max/10 if x > 0: sig = 1 elif x < 0: sig = -1 x = -x else: return x y = 0 while x: if y > limit: return 0 y = y*10 + (x % 10) x /= 10 return y*sig
class Solution: def reverse(self, x): int_max = 2147483647 limit = int_max / 10 if x > 0: sig = 1 elif x < 0: sig = -1 x = -x else: return x y = 0 while x: if y > limit: return 0 y = y * 10 + x % 10 x /= 10 return y * sig
def print_headers(): headers = [ "V_energyF_Electricity_001,", "V_Costs_Transport_USGC-NEA_NaturalGas_001,", "V_Costs_MediumPressureSteam_001,", "V_Costs_CoolingWater_001,", "V_massF_BiodieselOutput_001,", "V_Costs_Transport_SG-SC_Methanol_001,", "V_Price_Storage_NaturalGas_001,", "V_Price_CoolingWater_001,", "V_Price_Storage_Biodiesel_001,", "V_Price_Storage_CrudePalmOil_001,", "V_Costs_Storage_CrudePalmOil_001,", "V_Earnings_MethanolOutput_001,", "V_Price_Storage_Methanol_001,", "V_massF_HighPressureSteam_001,", "V_Costs_NaturalGasInput_001,", "V_Price_Transport_Malaysia-SG_CrudePalmOil_001,", "V_Price_Electricity_001,", "V_Costs_CrudePalmOilInput_001,", "V_massF_LowPressureSteam_001,", "V_Costs_Storage_Biodiesel_001,", "V_massF_MethanolOutput_001,", "V_Price_Transport_SG-SC_Methanol_001,", "V_moleF_FuelGas_001,", "V_massF_NaturalGasInput_001,", "V_Costs_HighPressureSteam_001,", "V_USD_to_SGD,", "V_Costs_Transport_Malaysia-SG_CrudePalmOil_001,", "V_Price_ProcessWater_001,", "V_Price_Transport_USGC-NEA_NaturalGas_001,", "V_Costs_Storage_Methanol_001,", "V_massF_MediumPressureSteam_001,", "V_Price_HighPressureSteam_001,", "V_Earnings_BiodieselOutput_001,", "V_massF_CoolingWater_001,", "V_USD_to_CNY,", "V_Costs_LowPressureSteam_001,", "V_Costs_FuelGas_001,", "V_massF_CrudePalmOilInput_001,", "V_Price_MediumPressureSteam_001,", "V_Costs_Storage_NaturalGas_001,", "V_Price_LowPressureSteam_001,", "V_Price_Transport_SEA-SC_Biodiesel_001,", "V_massF_ProcessWater_001,", "V_Price_FuelGas_001,", "V_Costs_Electricity_001,", "V_Costs_Transport_SEA-SC_Biodiesel_001,", "V_Costs_ProcessWater_001" ] string ="" for element in headers: string = string + element print(string) if __name__ == "__main__": print_headers()
def print_headers(): headers = ['V_energyF_Electricity_001,', 'V_Costs_Transport_USGC-NEA_NaturalGas_001,', 'V_Costs_MediumPressureSteam_001,', 'V_Costs_CoolingWater_001,', 'V_massF_BiodieselOutput_001,', 'V_Costs_Transport_SG-SC_Methanol_001,', 'V_Price_Storage_NaturalGas_001,', 'V_Price_CoolingWater_001,', 'V_Price_Storage_Biodiesel_001,', 'V_Price_Storage_CrudePalmOil_001,', 'V_Costs_Storage_CrudePalmOil_001,', 'V_Earnings_MethanolOutput_001,', 'V_Price_Storage_Methanol_001,', 'V_massF_HighPressureSteam_001,', 'V_Costs_NaturalGasInput_001,', 'V_Price_Transport_Malaysia-SG_CrudePalmOil_001,', 'V_Price_Electricity_001,', 'V_Costs_CrudePalmOilInput_001,', 'V_massF_LowPressureSteam_001,', 'V_Costs_Storage_Biodiesel_001,', 'V_massF_MethanolOutput_001,', 'V_Price_Transport_SG-SC_Methanol_001,', 'V_moleF_FuelGas_001,', 'V_massF_NaturalGasInput_001,', 'V_Costs_HighPressureSteam_001,', 'V_USD_to_SGD,', 'V_Costs_Transport_Malaysia-SG_CrudePalmOil_001,', 'V_Price_ProcessWater_001,', 'V_Price_Transport_USGC-NEA_NaturalGas_001,', 'V_Costs_Storage_Methanol_001,', 'V_massF_MediumPressureSteam_001,', 'V_Price_HighPressureSteam_001,', 'V_Earnings_BiodieselOutput_001,', 'V_massF_CoolingWater_001,', 'V_USD_to_CNY,', 'V_Costs_LowPressureSteam_001,', 'V_Costs_FuelGas_001,', 'V_massF_CrudePalmOilInput_001,', 'V_Price_MediumPressureSteam_001,', 'V_Costs_Storage_NaturalGas_001,', 'V_Price_LowPressureSteam_001,', 'V_Price_Transport_SEA-SC_Biodiesel_001,', 'V_massF_ProcessWater_001,', 'V_Price_FuelGas_001,', 'V_Costs_Electricity_001,', 'V_Costs_Transport_SEA-SC_Biodiesel_001,', 'V_Costs_ProcessWater_001'] string = '' for element in headers: string = string + element print(string) if __name__ == '__main__': print_headers()
first_day = 500 #accounts deleted pair_user = 50 #hrn odd_user = 40 #hrn profit = 500 #hrn pair_users = 250 * pair_user #hrn odd_users = 250 * odd_user #hrn total_loss_of_deleted_users = pair_users + odd_users total_loss = profit - total_loss_of_deleted_users print("total loss:" ,total_loss)
first_day = 500 pair_user = 50 odd_user = 40 profit = 500 pair_users = 250 * pair_user odd_users = 250 * odd_user total_loss_of_deleted_users = pair_users + odd_users total_loss = profit - total_loss_of_deleted_users print('total loss:', total_loss)
i = 3 shit_indicator = 0 simple_nums = [2] while len(simple_nums) < 10001: for k in range(2, i): if i % k == 0: shit_indicator = 1 break if shit_indicator == 1: pass else: simple_nums.append(i) i += 1 shit_indicator = 0 print(simple_nums[-1])
i = 3 shit_indicator = 0 simple_nums = [2] while len(simple_nums) < 10001: for k in range(2, i): if i % k == 0: shit_indicator = 1 break if shit_indicator == 1: pass else: simple_nums.append(i) i += 1 shit_indicator = 0 print(simple_nums[-1])
OPTIONS = { 'start': '2018-01' # start of the planning horizon , 'num_period': 90 # size of the planning horizon # simulation params: , 'simulation': { 'num_resources': 15 # this depends on the number of tasks actually , 'num_parallel_tasks': 1 # number of parallel missions , 'maint_duration': 6 # maintenance duration , 'max_used_time': 1000 # maintenance flight hours cycle , 'max_elapsed_time': 60 # max time without maintenance , 'elapsed_time_size': 15 # size of window to do next maintenance , 'min_usage_period': 0 # minimum consumption per period , 'perc_capacity': 0.15 # maintenance capacity as a percentage of the size of the fleet , 'min_avail_percent': 0.1 # min percentage of available aircraft per type , 'min_avail_value': 1 # min num of available aircraft per type , 'min_hours_perc': 0.5 # min percentage of maximum possible hours of fleet type , 'seed': 8002 # seed for random data generation (see below) # The following are fixed options, not arguments for the scenario: , 't_min_assign': [2, 3, 6] # minimum assignment time for tasks , 'initial_unbalance': (-3, 3) # imbalance between rut and ret at the initial status , 't_required_hours': (10, 50, 100) # triangular distribution params for flight hours of each mission , 't_num_resource': (1, 6) # range on the number of resources for each task , 't_duration': (6, 12) # range on the duration of a task , 'perc_in_maint': 0.07 # percentage of resources in maintenance at the start of the horizon , 'perc_add_capacity': 0.1 # probability of having an added capacity to mission } }
options = {'start': '2018-01', 'num_period': 90, 'simulation': {'num_resources': 15, 'num_parallel_tasks': 1, 'maint_duration': 6, 'max_used_time': 1000, 'max_elapsed_time': 60, 'elapsed_time_size': 15, 'min_usage_period': 0, 'perc_capacity': 0.15, 'min_avail_percent': 0.1, 'min_avail_value': 1, 'min_hours_perc': 0.5, 'seed': 8002, 't_min_assign': [2, 3, 6], 'initial_unbalance': (-3, 3), 't_required_hours': (10, 50, 100), 't_num_resource': (1, 6), 't_duration': (6, 12), 'perc_in_maint': 0.07, 'perc_add_capacity': 0.1}}
class Solution: def XXX(self, digits: List[int]) -> List[int]: ans = collections.deque() c = 1 for n in reversed(digits): c, t = divmod(n + c, 10) ans.appendleft(t) if c > 0: ans.appendleft(c) return list(ans)
class Solution: def xxx(self, digits: List[int]) -> List[int]: ans = collections.deque() c = 1 for n in reversed(digits): (c, t) = divmod(n + c, 10) ans.appendleft(t) if c > 0: ans.appendleft(c) return list(ans)
n = int(input()) values = [int(input()) for _ in range(n)] for value in values: msg = 'ODD ' if value % 2 == 0: msg = 'EVEN ' if value < 0: msg = msg + 'NEGATIVE' elif value > 0: msg = msg + 'POSITIVE' else: msg = 'NULL' print(msg)
n = int(input()) values = [int(input()) for _ in range(n)] for value in values: msg = 'ODD ' if value % 2 == 0: msg = 'EVEN ' if value < 0: msg = msg + 'NEGATIVE' elif value > 0: msg = msg + 'POSITIVE' else: msg = 'NULL' print(msg)
# # PySNMP MIB module DOCS-SUBMGT3-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/DOCS-SUBMGT3-MIB # Produced by pysmi-0.3.4 at Wed May 1 11:45:55 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # ObjectIdentifier, Integer, OctetString = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "Integer", "OctetString") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ValueSizeConstraint, ValueRangeConstraint, ConstraintsUnion, ConstraintsIntersection, SingleValueConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueSizeConstraint", "ValueRangeConstraint", "ConstraintsUnion", "ConstraintsIntersection", "SingleValueConstraint") DocsL2vpnIfList, clabProjDocsis = mibBuilder.importSymbols("CLAB-DEF-MIB", "DocsL2vpnIfList", "clabProjDocsis") docsIf3CmtsCmRegStatusId, docsIf3CmtsCmRegStatusEntry = mibBuilder.importSymbols("DOCS-IF3-MIB", "docsIf3CmtsCmRegStatusId", "docsIf3CmtsCmRegStatusEntry") InetPortNumber, InetAddressPrefixLength, InetAddressType, InetAddress = mibBuilder.importSymbols("INET-ADDRESS-MIB", "InetPortNumber", "InetAddressPrefixLength", "InetAddressType", "InetAddress") SnmpTagList, = mibBuilder.importSymbols("SNMP-TARGET-MIB", "SnmpTagList") ObjectGroup, NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "ObjectGroup", "NotificationGroup", "ModuleCompliance") Counter32, ObjectIdentity, Gauge32, NotificationType, Counter64, Bits, MibScalar, MibTable, MibTableRow, MibTableColumn, ModuleIdentity, MibIdentifier, TimeTicks, Unsigned32, iso, Integer32, IpAddress = mibBuilder.importSymbols("SNMPv2-SMI", "Counter32", "ObjectIdentity", "Gauge32", "NotificationType", "Counter64", "Bits", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "ModuleIdentity", "MibIdentifier", "TimeTicks", "Unsigned32", "iso", "Integer32", "IpAddress") MacAddress, TimeStamp, TextualConvention, DisplayString, TruthValue, RowStatus = mibBuilder.importSymbols("SNMPv2-TC", "MacAddress", "TimeStamp", "TextualConvention", "DisplayString", "TruthValue", "RowStatus") docsSubmgt3Mib = ModuleIdentity((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10)) docsSubmgt3Mib.setRevisions(('2015-06-03 00:00', '2014-04-03 00:00', '2011-06-23 00:00', '2010-06-11 00:00', '2009-01-21 00:00', '2007-05-18 00:00', '2006-12-07 17:00',)) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): if mibBuilder.loadTexts: docsSubmgt3Mib.setRevisionsDescriptions(('Revised Version includes ECN OSSIv3.0-N-15.1311-2', 'Revised Version includes ECNs OSSIv3.0-N-13.1125-2 and published as I23', 'Revised Version includes ECNs OSSIv3.0-N-11.0996-1 and published as I15', 'Revised Version includes ECNs OSSIv3.0-N-10.0906-2 OSSIv3.0-N-10.0921-4 and published as I12', 'Revised Version includes ECNs OSSIv3.0-N-08.0651-3 OSSIv3.0-N-08.0700-4 and published as I08', 'Revised Version includes ECNs OSSIv3.0-N-07.0445-3 OSSIv3.0-N-07.0444-3 OSSIv3.0-N-07.0441-4 and published as I03', 'Initial version, published as part of the CableLabs OSSIv3.0 specification CM-SP-OSSIv3.0-I01-061207 Copyright 1999-2009 Cable Television Laboratories, Inc. All rights reserved.',)) if mibBuilder.loadTexts: docsSubmgt3Mib.setLastUpdated('201506030000Z') if mibBuilder.loadTexts: docsSubmgt3Mib.setOrganization('Cable Television Laboratories, Inc.') if mibBuilder.loadTexts: docsSubmgt3Mib.setContactInfo(' Postal: Cable Television Laboratories, Inc. 858 Coal Creek Circle Louisville, Colorado 80027-9750 U.S.A. Phone: +1 303-661-9100 Fax: +1 303-661-9199 E-mail: [email protected]') if mibBuilder.loadTexts: docsSubmgt3Mib.setDescription('This MIB module contains the management objects for the CMTS control of the IP4 and IPv6 traffic with origin and destination to CMs and/or CPEs behind the CM.') docsSubmgt3MibObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1)) docsSubmgt3Base = MibIdentifier((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 1)) docsSubmgt3BaseCpeMaxIpv4Def = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1023)).clone(16)).setMaxAccess("readwrite") if mibBuilder.loadTexts: docsSubmgt3BaseCpeMaxIpv4Def.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3BaseCpeMaxIpv4Def.setDescription("This attribute represents the maximum number of IPv4 Addresses allowed for the CM's CPEs if not signaled in the registration process.") docsSubmgt3BaseCpeMaxIpv6AddressesDef = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1023)).clone(16)).setMaxAccess("readwrite") if mibBuilder.loadTexts: docsSubmgt3BaseCpeMaxIpv6AddressesDef.setStatus('deprecated') if mibBuilder.loadTexts: docsSubmgt3BaseCpeMaxIpv6AddressesDef.setDescription("This attribute represents the maximum number of IPv6 prefixes or addresses allowed for the CM's CPEs if not signaled in the registration process. All IPv6 addresses, including Link-Local and any address with a scope greater than 1 are counted against the docsSubmgt3BaseCpeMaxIpv6AddressesDef.") docsSubmgt3BaseCpeMaxIpv6PrefixesDef = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 1, 15), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1023)).clone(3)).setMaxAccess("readwrite") if mibBuilder.loadTexts: docsSubmgt3BaseCpeMaxIpv6PrefixesDef.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3BaseCpeMaxIpv6PrefixesDef.setDescription("This attribute represents the maximum number of IPv6 IA_PDs (delegated prefixes) allowed for the CM's CPEs if not signaled during the registration process. IPv6 IA_PDs are counted against the CpeMaxIpv6PrefixesDef. This contrasts with the CpeMaxIPv4AddressesDef addresses, rather than IPv4 subnets, allowed by default per CM. Because this attribute only counts IA_PDs against the default, IA_NA addresses and Link-Local addresses are not counted against this default limit.") docsSubmgt3BaseCpeActiveDef = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 1, 3), TruthValue().clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: docsSubmgt3BaseCpeActiveDef.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3BaseCpeActiveDef.setDescription('This attribute represents the default value for enabling Subscriber Management filters and controls in the CM if the parameter is not signaled in the DOCSIS Registration process.') docsSubmgt3BaseCpeLearnableDef = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 1, 4), TruthValue().clone('true')).setMaxAccess("readwrite") if mibBuilder.loadTexts: docsSubmgt3BaseCpeLearnableDef.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3BaseCpeLearnableDef.setDescription('This attribute represents the default value for enabling the CPE learning process for the CM if the parameter is not signaled in the DOCSIS Registration process.') docsSubmgt3BaseSubFilterDownDef = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1024))).setMaxAccess("readwrite") if mibBuilder.loadTexts: docsSubmgt3BaseSubFilterDownDef.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3BaseSubFilterDownDef.setDescription('This attribute represents the default value for the subscriber (CPE) downstream filter group for the CM if the parameter is not signaled in the DOCSIS Registration process.') docsSubmgt3BaseSubFilterUpDef = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 1, 6), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1024))).setMaxAccess("readwrite") if mibBuilder.loadTexts: docsSubmgt3BaseSubFilterUpDef.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3BaseSubFilterUpDef.setDescription('This attribute represents the default value for the subscriber (CPE) upstream filter group for the CM if the parameter is not signaled in the DOCSIS Registration process.') docsSubmgt3BaseCmFilterDownDef = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 1, 7), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1024))).setMaxAccess("readwrite") if mibBuilder.loadTexts: docsSubmgt3BaseCmFilterDownDef.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3BaseCmFilterDownDef.setDescription('This attribute represents the default value for the CM stack downstream filter group applying to the CM if the parameter is not signaled in the DOCSIS Registration process.') docsSubmgt3BaseCmFilterUpDef = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 1, 8), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1024))).setMaxAccess("readwrite") if mibBuilder.loadTexts: docsSubmgt3BaseCmFilterUpDef.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3BaseCmFilterUpDef.setDescription('This attribute represents the default value for the CM stack upstream filter group applying to the CM if the parameter is not signaled in the DOCSIS Registration process.') docsSubmgt3BasePsFilterDownDef = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 1, 9), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1024))).setMaxAccess("readwrite") if mibBuilder.loadTexts: docsSubmgt3BasePsFilterDownDef.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3BasePsFilterDownDef.setDescription('This attribute represents the default value for the PS or eRouter downstream filter group for the CM if the parameter is not signaled in the DOCSIS Registration process.') docsSubmgt3BasePsFilterUpDef = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 1, 10), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1024))).setMaxAccess("readwrite") if mibBuilder.loadTexts: docsSubmgt3BasePsFilterUpDef.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3BasePsFilterUpDef.setDescription('This attribute represents the default value for the PS or eRouter upstream filter group for the CM if the parameter is not signaled in the DOCSIS Registration process.') docsSubmgt3BaseMtaFilterDownDef = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 1, 11), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1024))).setMaxAccess("readwrite") if mibBuilder.loadTexts: docsSubmgt3BaseMtaFilterDownDef.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3BaseMtaFilterDownDef.setDescription('This attribute represents the default value for the MTA, DVA, SG, or TEA downstream filter group for the CM if the parameter is not signaled in the DOCSIS Registration process.') docsSubmgt3BaseMtaFilterUpDef = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 1, 12), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1024))).setMaxAccess("readwrite") if mibBuilder.loadTexts: docsSubmgt3BaseMtaFilterUpDef.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3BaseMtaFilterUpDef.setDescription('This attribute represents the default value for the MTA, DVA, SG, or TEA upstream filter group for the CM if the parameter is not signaled in the DOCSIS Registration process.') docsSubmgt3BaseStbFilterDownDef = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 1, 13), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1024))).setMaxAccess("readwrite") if mibBuilder.loadTexts: docsSubmgt3BaseStbFilterDownDef.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3BaseStbFilterDownDef.setDescription('This attribute represents the default value for the STB or CableCARD downstream filter group for the CM if the parameter is not signaled in the DOCSIS Registration process.') docsSubmgt3BaseStbFilterUpDef = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 1, 14), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1024))).setMaxAccess("readwrite") if mibBuilder.loadTexts: docsSubmgt3BaseStbFilterUpDef.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3BaseStbFilterUpDef.setDescription('This attribute represents the default value for the STB or CableCARD upstream filter group for the CM if the parameter is not signaled in the DOCSIS Registration process.') docsSubmgt3CpeCtrlTable = MibTable((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 2), ) if mibBuilder.loadTexts: docsSubmgt3CpeCtrlTable.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3CpeCtrlTable.setDescription('This object maintains per-CM traffic policies enforced by the CMTS. The CMTS acquires the CM traffic policies through the CM registration process, or in the absence of some or all of those parameters, from the Base object. The CM information and controls are meaningful and used by the CMTS, but only after the CM is operational.') docsSubmgt3CpeCtrlEntry = MibTableRow((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 2, 1), ) docsIf3CmtsCmRegStatusEntry.registerAugmentions(("DOCS-SUBMGT3-MIB", "docsSubmgt3CpeCtrlEntry")) docsSubmgt3CpeCtrlEntry.setIndexNames(*docsIf3CmtsCmRegStatusEntry.getIndexNames()) if mibBuilder.loadTexts: docsSubmgt3CpeCtrlEntry.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3CpeCtrlEntry.setDescription('The conceptual row of docsSubmgt3CpeCtrlTable. The CMTS does not persist the instances of the CpeCtrl object across reinitializations.') docsSubmgt3CpeCtrlMaxCpeIpv4 = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 2, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1023))).setMaxAccess("readwrite") if mibBuilder.loadTexts: docsSubmgt3CpeCtrlMaxCpeIpv4.setReference('DOCSIS 3.0 MAC and Upper Layer Protocols Interface Specification CM-SP-MULPIv3.0-I26-150305, Subscriber Management TLVs section in the Common Radio Frequency Interface Encodings Annex.') if mibBuilder.loadTexts: docsSubmgt3CpeCtrlMaxCpeIpv4.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3CpeCtrlMaxCpeIpv4.setDescription("This attribute represents the number of simultaneous IP v4 addresses permitted for CPE connected to the CM. When the MaxCpeIpv4 attribute is set to zero (0), all Ipv4 CPE traffic from the CM is dropped. The CMTS configures this attribute with whichever of the 'Subscriber Management CPE IPv4 List' or 'Subscriber Management Control-Max_CpeIPv4' signaled encodings is greater, or in the absence of all of those provisioning parameters, with the CpeMaxIp v4Def from the Base object. This limit applies to learned and DOCSIS-provisioned entries but not to entries added through some administrative process at the CMTS. Note that this attribute is only meaningful when the Active attribute of the CM is set to 'true'.") docsSubmgt3CpeCtrlMaxCpeIpv6Addresses = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 2, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1023))).setMaxAccess("readwrite") if mibBuilder.loadTexts: docsSubmgt3CpeCtrlMaxCpeIpv6Addresses.setReference('DOCSIS 3.0 MAC and Upper Layer Protocols Interface Specification CM-SP-MULPIv3.0-I26-150305, Subscriber Management TLVs section in the Common Radio Frequency Interface Encodings Annex.') if mibBuilder.loadTexts: docsSubmgt3CpeCtrlMaxCpeIpv6Addresses.setStatus('deprecated') if mibBuilder.loadTexts: docsSubmgt3CpeCtrlMaxCpeIpv6Addresses.setDescription("This attribute represents the maximum number of simultaneous IPv6 prefixes and addresses that are permitted for CPEs connected to the CM. When the MaxCpeIpv6Prefix is set to zero (0), all IPv6 CPE traffic from the CM is dropped. The CMTS configures this attribute with whichever of the ('Subscriber Management CPE IPv6 List (TLV 67)' plus 'Subscriber Management CPE IPv6 Prefix List (TLV 61)') or ('Subscriber Management Control Max CPE IPv6 Addresses (TLV 63)') signaled encodings is greater, or in the absence of all of those provisioning parameters, with the MaxIpv6AddressDef from the Base object. This limit applies to learned and DOCSIS-provisioned entries but not to entries added through some administrative process at the CMTS. Note that this attribute is only meaningful when the Active attribute of the CM is set to 'true'. All IPv6 addresses, including Link-Local and any address with a scope greater than 1 are counted against the docsSubmgt3CpeCtrlMaxCpeIpv6Addresses.") docsSubmgt3CpeCtrlMaxCpeIpv6Prefixes = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 2, 1, 7), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1023))).setMaxAccess("readwrite") if mibBuilder.loadTexts: docsSubmgt3CpeCtrlMaxCpeIpv6Prefixes.setReference('DOCSIS 3.0 MAC and Upper Layer Protocols Interface Specification CM-SP-MULPIv3.0-I04-070518, Subscriber Management TLVs section in the Common Radio Frequency Interface Encodings Annex.') if mibBuilder.loadTexts: docsSubmgt3CpeCtrlMaxCpeIpv6Prefixes.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3CpeCtrlMaxCpeIpv6Prefixes.setDescription("This attribute represents the maximum number of simultaneous IPv6 IA_PDs (delegated prefixes) that are permitted for CPEs connected to the CM.When the MaxCpeIpv6Prefixes is set to zero (0), all IPv6 CPE traffic from the CM is dropped. The CMTS configures this attribute with whichever of the ('Subscriber Management CPE IPv6 List (TLV 67)' plus 'Subscriber Management CPE IPv6 Prefix List (TLV 61) ') or ('Subscriber Management Control Max CPE IPv6 Addresses (TLV 63)') signaled encodings is greater, or in the absence of all of those provisioning parameters, with the MaxIpv6PrefixesDef from the Base object. This limit applies to learned and DOCSIS-provisioned entries but not to entries added through some administrative process at the CMTS. Note that this attribute is only meaningful when the Active attribute of the CM is set to 'true'. IPv6 IA_PDs s are counted against the CpeCtrlMaxCpeIpv6Prefixes in order to limit the number of simultaneous IA_PDs permitted for the CMs CPEs.") docsSubmgt3CpeCtrlActive = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 2, 1, 3), TruthValue()).setMaxAccess("readwrite") if mibBuilder.loadTexts: docsSubmgt3CpeCtrlActive.setReference('DOCSIS 3.0 MAC and Upper Layer Protocols Interface Specification CM-SP-MULPIv3.0-I26-150305, Subscriber Management Control section in the Common Radio Frequency Interface Encodings Annex.') if mibBuilder.loadTexts: docsSubmgt3CpeCtrlActive.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3CpeCtrlActive.setDescription("This attribute controls the application of subscriber management to this CM. If this is set to 'true', CMTS-based CPE control is active, and all the actions required by the various filter policies and controls apply at the CMTS. If this is set to false, no subscriber management filtering is done at the CMTS (but other filters may apply). If not set through DOCSIS provisioning, this object defaults to the value of the Active attribute of the Base object.") docsSubmgt3CpeCtrlLearnable = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 2, 1, 4), TruthValue()).setMaxAccess("readwrite") if mibBuilder.loadTexts: docsSubmgt3CpeCtrlLearnable.setReference('DOCSIS 3.0 MAC and Upper Layer Protocols Interface Specification CM-SP-MULPIv3.0-I26-150305, Subscriber Management Control section in the Common Radio Frequency Interface Encodings Annex.') if mibBuilder.loadTexts: docsSubmgt3CpeCtrlLearnable.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3CpeCtrlLearnable.setDescription("This attribute controls whether the CMTS may learn (and pass traffic for) CPE IP addresses associated with a CM. If this is set to 'true', the CMTS may learn up to the CM MaxCpeIp value less any DOCSIS-provisioned entries related to this CM. The nature of the learning mechanism is not specified here. If not set through DOCSIS provisioning, this object defaults to the value of the CpeLearnableDef attribute from the Base object. Note that this attribute is only meaningful if docsSubMgtCpeControlActive is 'true' to enforce a limit in the number of CPEs learned. CPE learning is always performed for the CMTS for security reasons.") docsSubmgt3CpeCtrlReset = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 2, 1, 5), TruthValue()).setMaxAccess("readwrite") if mibBuilder.loadTexts: docsSubmgt3CpeCtrlReset.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3CpeCtrlReset.setDescription("If set to 'true', this attribute commands the CMTS to delete the instances denoted as 'learned' addresses in the CpeIp object. This attribute always returns false on read.") docsSubmgt3CpeCtrlLastReset = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 2, 1, 6), TimeStamp()).setMaxAccess("readwrite") if mibBuilder.loadTexts: docsSubmgt3CpeCtrlLastReset.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3CpeCtrlLastReset.setDescription("This attribute represents the system Up Time of the last set to 'true' of the Reset attribute of this instance. Zero if never reset.") docsSubmgt3CpeIpTable = MibTable((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 3), ) if mibBuilder.loadTexts: docsSubmgt3CpeIpTable.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3CpeIpTable.setDescription("This object defines the list of IP Addresses behind the CM known by the CMTS. If the Active attribute of the CpeCtrl object associated with a CM is set to 'true' and the CMTS receives an IP packet from a CM that contains a source IP address that does not match one of the CPE IP addresses associated with this CM, one of two things occurs. If the number of CPE IPs is less than the MaxCpeIp of the CpeCtrl object for that CM, the source IP address is added to this object and the packet is forwarded; otherwise, the packet is dropped.") docsSubmgt3CpeIpEntry = MibTableRow((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 3, 1), ).setIndexNames((0, "DOCS-IF3-MIB", "docsIf3CmtsCmRegStatusId"), (0, "DOCS-SUBMGT3-MIB", "docsSubmgt3CpeIpId")) if mibBuilder.loadTexts: docsSubmgt3CpeIpEntry.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3CpeIpEntry.setDescription('The conceptual row of docsSubmgt3CpeIpTable.') docsSubmgt3CpeIpId = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 3, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 1023))) if mibBuilder.loadTexts: docsSubmgt3CpeIpId.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3CpeIpId.setDescription("This attribute represents a unique identifier for a CPE IP of the CM. An instance of this attribute exists for each CPE provisioned in the 'Subscriber Management CPE IPv4 Table' or 'Subscriber Management CPE IPv6 Table' encodings. An entry is created either through the included CPE IP addresses in the provisioning object, or CPEs learned from traffic sourced from the CM.") docsSubmgt3CpeIpAddrType = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 3, 1, 2), InetAddressType()).setMaxAccess("readonly") if mibBuilder.loadTexts: docsSubmgt3CpeIpAddrType.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3CpeIpAddrType.setDescription('The type of Internet address of the Addr attribute, such as IPv4 or IPv6.') docsSubmgt3CpeIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 3, 1, 3), InetAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: docsSubmgt3CpeIpAddr.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3CpeIpAddr.setDescription('This attribute represents the IP address either set from provisioning or learned via address gleaning of the DHCP exchange or some other means.') docsSubmgt3CpeIpAddrPrefixLen = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 3, 1, 4), InetAddressPrefixLength()).setMaxAccess("readonly") if mibBuilder.loadTexts: docsSubmgt3CpeIpAddrPrefixLen.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3CpeIpAddrPrefixLen.setDescription('This attribute represents the prefix length associated with the IP prefix (IPv4 or IPv6) that is either set via provisioning or learned via address gleaning of the DHCP exchange or some other means. For IPv4 CPE addresses, this attribute generally reports the value 32 (32 bits) to indicate a unicast IPv4 address. For IPv6 CPE addresses, this attribute represents either a discrete IPv6 IA_NA unicast address (a value of 128 bits, equal to /128 prefix length) or a delegated prefix (IA_PD) and its associated length (such as 56 bits, equal to /56 prefix length).') docsSubmgt3CpeIpLearned = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 3, 1, 5), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: docsSubmgt3CpeIpLearned.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3CpeIpLearned.setDescription("This attribute is set to 'true' when the IP address was learned from IP packets sent upstream rather than via the CM provisioning process.") docsSubmgt3CpeIpType = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 3, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=NamedValues(("cpe", 1), ("ps", 2), ("mta", 3), ("stb", 4), ("tea", 5), ("erouter", 6), ("dva", 7), ("sg", 8), ("card", 9)))).setMaxAccess("readonly") if mibBuilder.loadTexts: docsSubmgt3CpeIpType.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3CpeIpType.setDescription("This attribute represents the type of CPE based on the following classification below: 'cpe' Regular CPE clients. 'ps' CableHome Portal Server (PS) 'mta' PacketCable Multimedia Terminal Adapter (MTA) 'stb' Digital Set-top Box (STB). 'tea' T1 Emulation adapter (TEA) 'erouter' Embedded Router (eRouter) 'dva' Digital Voice Adapter (DVA) 'sg' Security Gateway (SG) 'card' CableCARD") docsSubmgt3GrpTable = MibTable((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 4), ) if mibBuilder.loadTexts: docsSubmgt3GrpTable.setReference('DOCSIS 3.0 MAC and Upper Layer Protocols Interface Specification CM-SP-MULPIv3.0-I26-150305, Subscriber Management TLVs section in the Common Radio Frequency Interface Encodings Annex.') if mibBuilder.loadTexts: docsSubmgt3GrpTable.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3GrpTable.setDescription('This object defines the set of downstream and upstream filter groups that the CMTS applies to traffic associated with that CM.') docsSubmgt3GrpEntry = MibTableRow((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 4, 1), ) docsIf3CmtsCmRegStatusEntry.registerAugmentions(("DOCS-SUBMGT3-MIB", "docsSubmgt3GrpEntry")) docsSubmgt3GrpEntry.setIndexNames(*docsIf3CmtsCmRegStatusEntry.getIndexNames()) if mibBuilder.loadTexts: docsSubmgt3GrpEntry.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3GrpEntry.setDescription('The conceptual row of docsSubmgt3GrpTable. The CMTS does not persist the instances of the Grp object across reinitializations.') docsSubMgt3GrpUdcGroupIds = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 4, 1, 1), SnmpTagList().clone(hexValue="")).setMaxAccess("readwrite") if mibBuilder.loadTexts: docsSubMgt3GrpUdcGroupIds.setStatus('current') if mibBuilder.loadTexts: docsSubMgt3GrpUdcGroupIds.setDescription("This attribute represents the filter group(s) associated with the CM signaled 'Upstream Drop Classifier Group ID' encodings during the registration process. UDC Group IDs are integer values and this attribute reports them as decimal numbers that are space-separated. The zero-length string indicates that the CM didn't signal UDC Group IDs. This attribute provides two functions: - Communicate the CM the configured UDC Group ID(s), irrespective of the CM being provisioned to filter upstream traffic based on IP Filters or UDCs. - Optionally, and with regards to the CMTS, if the value of the attribute UdcSentInReqRsp is 'true', indicates that the filtering rules associated with the Subscriber Management Group ID(s) will be sent during registration to the CM. It is vendor specific whether the CMTS updates individual CM UDCs after registration when rules are changed in the Grp object.") docsSubMgt3GrpUdcSentInRegRsp = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 4, 1, 2), TruthValue().clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: docsSubMgt3GrpUdcSentInRegRsp.setStatus('current') if mibBuilder.loadTexts: docsSubMgt3GrpUdcSentInRegRsp.setDescription("This attribute represents the CMTS upstream filtering status for this CM. The value 'true' indicates that the CMTS has sent UDCs to the CM during registration process. In order for a CMTS to send UDCs to a CM, the CMTS MAC Domain needed to be enabled via the MAC Domain attribute SendUdcRulesEnabled and the CM had indicated the UDC capability support during the registration process. The value 'false' indicates that the CMTS was not enabled to sent UDCs to the CMs in the MAC Domain, or the CM does not advertised UDC support in its capabilities encodings, or both. Since the CMTS capability to sent UDCs to CMs during the registration process is optional, the CMTS is not required to implement the value 'true'.") docsSubmgt3GrpSubFilterDs = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 4, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1024))).setMaxAccess("readwrite") if mibBuilder.loadTexts: docsSubmgt3GrpSubFilterDs.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3GrpSubFilterDs.setDescription("This attribute represents the filter group applied to traffic destined for subscriber's CPE attached to the referenced CM (attached to CM CPE interfaces). This value corresponds to the 'Subscriber Downstream Group' value of the 'Subscriber Management Filter Groups' encoding signaled during the CM registration or in its absence, to the SubFilterDownDef attribute of the Base object. The value zero or a filter group ID not configured in the CMTS means no filtering is applied to traffic destined to hosts attached to this CM.") docsSubmgt3GrpSubFilterUs = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 4, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1024))).setMaxAccess("readwrite") if mibBuilder.loadTexts: docsSubmgt3GrpSubFilterUs.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3GrpSubFilterUs.setDescription("This attribute represents the filter group applied to traffic originating from subscriber's CPE attached to the referenced CM (attached to CM CPE interfaces). This value corresponds to the 'Subscriber Upstream Group' value of the 'Subscriber Management Filter Groups' encoding signaled during the CM registration or in its absence, to the SubFilterUpDef attribute of the Base object. The value zero or a filter group ID not configured in the CMTS means no filtering is applied to traffic originating from hosts attached to this CM.") docsSubmgt3GrpCmFilterDs = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 4, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1024))).setMaxAccess("readwrite") if mibBuilder.loadTexts: docsSubmgt3GrpCmFilterDs.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3GrpCmFilterDs.setDescription("This attribute represents the filter group applied to traffic destined for the CM itself. This value corresponds to the 'CM Downstream Group' value of the 'Subscriber Management Filter Groups' encoding signaled during the CM registration or in its absence, to the CmFilterDownDef attribute of the Base object. The value zero or a filter group ID not configured in the CMTS means no filtering is applied to traffic destined to the CM.") docsSubmgt3GrpCmFilterUs = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 4, 1, 6), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1024))).setMaxAccess("readwrite") if mibBuilder.loadTexts: docsSubmgt3GrpCmFilterUs.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3GrpCmFilterUs.setDescription("This attribute represents the filter group applied to traffic originating from the CM itself. This value corresponds to the 'Subscriber Upstream Group' value of the 'Subscriber Management Filter Groups' encoding signaled during the CM registration or in its absence, to the SubFilterUpDef attribute of the Base object. The value zero or a filter group ID not configured in the CMTS means no filtering is applied to traffic originating from this CM.") docsSubmgt3GrpPsFilterDs = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 4, 1, 7), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1024))).setMaxAccess("readwrite") if mibBuilder.loadTexts: docsSubmgt3GrpPsFilterDs.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3GrpPsFilterDs.setDescription("This attribute represents the filter group applied to traffic destined to the Embedded CableHome Portal Services Element or the Embedded Router on the referenced CM. This value corresponds to the 'PS Downstream Group' value of the 'Subscriber Management Filter Groups' encoding signaled during the CM registration or in its absence, to the SubFilterDownDef attribute of the Base object. The value zero or a filter group ID not configured in the CMTS means no filtering is applied to traffic destined to the Embedded CableHome Portal Services Element or Embedded Router on this CM.") docsSubmgt3GrpPsFilterUs = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 4, 1, 8), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1024))).setMaxAccess("readwrite") if mibBuilder.loadTexts: docsSubmgt3GrpPsFilterUs.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3GrpPsFilterUs.setDescription("This attribute represents the filter group applied to traffic originating from the Embedded CableHome Portal Services Element or Embedded Router on the referenced CM. This value corresponds to the 'PS Upstream Group' value of the 'Subscriber Management Filter Groups' encoding signaled during the CM registration or in its absence, to the SubFilterUpDef attribute of the Base object. The value zero or a filter group ID not configured in the CMTS means no filtering is applied to traffic originating from the Embedded CableHome Portal Services Element or Embedded Router on this CM.") docsSubmgt3GrpMtaFilterDs = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 4, 1, 9), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1024))).setMaxAccess("readwrite") if mibBuilder.loadTexts: docsSubmgt3GrpMtaFilterDs.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3GrpMtaFilterDs.setDescription("This attribute represents the filter group applied to traffic destined to the Embedded PacketCable Multimedia Terminal Adapter, Embedded PacketCable 2.0 Digital Voice Adaptor, Embedded PacketCable Security, Monitoring, and Automation Gateway, or Embedded T1/E1 TDM Emulation Adapter on the referenced CM. This value corresponds to the 'MTA Downstream Group' value of the 'Subscriber Management Filter Groups' encoding signaled during the CM registration or in its absence, to the SubFilterDownDef attribute of the Base object. The value zero or a filter group ID not configured in the CMTS means no filtering is applied to traffic destined to the Embedded PacketCable Multimedia Terminal Adapter, Embedded PacketCable 2.0 Digital Voice Adaptor, Embedded PacketCable Security, Monitoring, and Automation Gateway, or Embedded T1/E1 TDM Emulation Adapter on this CM.") docsSubmgt3GrpMtaFilterUs = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 4, 1, 10), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1024))).setMaxAccess("readwrite") if mibBuilder.loadTexts: docsSubmgt3GrpMtaFilterUs.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3GrpMtaFilterUs.setDescription("This attribute represents the filter group applied to traffic originating from the Embedded PacketCable Multimedia Terminal Adapter, Embedded PacketCable 2.0 Digital Voice Adaptor, Embedded PacketCable Security, Monitoring, and Automation Gateway, or Embedded T1/E1 TDM Emulation Adapter on the referenced CM. This value corresponds to the 'MTA Upstream Group' value of the 'Subscriber Management Filter Groups' encoding signaled during the CM registration or in its absence, to the SubFilterUpDef attribute of the Base object. The value zero or a filter group ID not configured in the CMTS means no filtering is applied to traffic originating from the Embedded PacketCable Multimedia Terminal Adapter, Embedded PacketCable 2.0 Digital Voice Adaptor, Embedded PacketCable Security, Monitoring, and Automation Gateway, or Embedded T1/E1 TDM Emulation Adapter on this CM.") docsSubmgt3GrpStbFilterDs = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 4, 1, 11), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1024))).setMaxAccess("readwrite") if mibBuilder.loadTexts: docsSubmgt3GrpStbFilterDs.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3GrpStbFilterDs.setDescription("This attribute represents the filter group applied to traffic destined for the Embedded Set-Top Box or CableCARD on the referenced CM. This value corresponds to the 'STB Downstream Group' value of the 'Subscriber Management Filter Groups' encoding signaled during the CM registration or in its absence, to the SubFilterDownDef attribute of the Base object. The value zero or a filter group ID not configured in the CMTS means no filtering is applied to traffic destined to the Embedded Set-Top Box or CableCARD on this CM.") docsSubmgt3GrpStbFilterUs = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 4, 1, 12), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1024))).setMaxAccess("readwrite") if mibBuilder.loadTexts: docsSubmgt3GrpStbFilterUs.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3GrpStbFilterUs.setDescription("This attribute represents the filter group applied to traffic originating from the Embedded Set-Top Box or CableCARD on the referenced CM. This value corresponds to the 'STB Upstream Group' value of the 'Subscriber Management Filter Groups' encoding signaled during the CM registration or in its absence, to the SubFilterUpDef attribute of the Base object. The value zero or a filter group ID not configured in the CMTS means no filtering is applied to traffic originating from the Embedded Set-Top Box or CableCARD on this CM.") docsSubmgt3FilterGrpTable = MibTable((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5), ) if mibBuilder.loadTexts: docsSubmgt3FilterGrpTable.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpTable.setDescription("This object describes a set of filter or classifier criteria. Classifiers are assigned by group to the individual CMs. That assignment is made via the 'Subscriber Management TLVs' encodings sent upstream from the CM to the CMTS during registration or in their absence, default values configured in the CMTS. A Filter Group ID (GrpId) is a set of rules that correspond to the expansion of a UDC Group ID into UDC individual classification rules. The Filter Group Ids are generated whenever the CMTS is configured to send UDCs during the CM registration process. Implementation of L2 classification criteria is optional for the CMTS; LLC/MAC upstream and downstream filter criteria can be ignored during the packet matching process.") docsSubmgt3FilterGrpEntry = MibTableRow((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1), ).setIndexNames((0, "DOCS-SUBMGT3-MIB", "docsSubmgt3FilterGrpGrpId"), (0, "DOCS-SUBMGT3-MIB", "docsSubmgt3FilterGrpRuleId")) if mibBuilder.loadTexts: docsSubmgt3FilterGrpEntry.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpEntry.setDescription('The conceptual row of docsSubmgt3FilterGrpTable. The CMTS persists all instances of the FilterGrp object across reinitializations.') docsSubmgt3FilterGrpGrpId = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 1024))) if mibBuilder.loadTexts: docsSubmgt3FilterGrpGrpId.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpGrpId.setDescription('This key is an identifier for a set of classifiers known as a filter group. Each CM may be associated with several filter groups for its upstream and downstream traffic, one group per target end point on the CM as defined in the Grp object. Typically, many CMs share a common set of filter groups.') docsSubmgt3FilterGrpRuleId = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))) if mibBuilder.loadTexts: docsSubmgt3FilterGrpRuleId.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpRuleId.setDescription('This key represents an ordered classifier identifier within the group. Filters are applied in order if the Priority attribute is not supported.') docsSubmgt3FilterGrpAction = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("permit", 1), ("deny", 2))).clone('permit')).setMaxAccess("readcreate") if mibBuilder.loadTexts: docsSubmgt3FilterGrpAction.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpAction.setDescription("This attribute represents the action to take upon this filter matching. 'permit' means to stop the classification matching and accept the packet for further processing. 'deny' means to drop the packet.") docsSubmgt3FilterGrpPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readcreate") if mibBuilder.loadTexts: docsSubmgt3FilterGrpPriority.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpPriority.setDescription('This attribute defines the order in which classifiers are compared against packets. The higher the value, the higher the priority.') docsSubmgt3FilterGrpIpTosLow = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1).clone(hexValue="00")).setMaxAccess("readcreate") if mibBuilder.loadTexts: docsSubmgt3FilterGrpIpTosLow.setReference('DOCSIS 3.0 MAC and Upper Layer Protocols Interface Specification CM-SP-MULPIv3.0-I26-150305. RFC 791. RFC 3260. RFC 3168.') if mibBuilder.loadTexts: docsSubmgt3FilterGrpIpTosLow.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpIpTosLow.setDescription('This attribute represents the low value of a range of ToS (Type of Service) octet values. This object is defined as an 8-bit octet as per the DOCSIS Specification for packet classification. The IP ToS octet, as originally defined in RFC 791, has been superseded by the 6-bit Differentiated Services Field (DSField, RFC 3260) and the 2-bit Explicit Congestion Notification Field (ECN field, RFC 3168).') docsSubmgt3FilterGrpIpTosHigh = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1).clone(hexValue="00")).setMaxAccess("readcreate") if mibBuilder.loadTexts: docsSubmgt3FilterGrpIpTosHigh.setReference('DOCSIS 3.0 MAC and Upper Layer Protocols Interface Specification CM-SP-MULPIv3.0-I26-150305. RFC 791. RFC 3260. RFC 3168.') if mibBuilder.loadTexts: docsSubmgt3FilterGrpIpTosHigh.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpIpTosHigh.setDescription('This attribute represents the high value of a range of ToS octet values. This object is defined as an 8-bit octet as per the DOCSIS Specification for packet classification. The IP ToS octet, as originally defined in RFC 791, has been superseded by the 6-bit Differentiated Services Field (DSField, RFC 3260) and the 2-bit Explicit Congestion Notification Field (ECN field, RFC 3168).') docsSubmgt3FilterGrpIpTosMask = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1).clone(hexValue="00")).setMaxAccess("readcreate") if mibBuilder.loadTexts: docsSubmgt3FilterGrpIpTosMask.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpIpTosMask.setDescription('This attribute represents the mask value that is bitwise ANDed with ToS octet in an IP packet, and the resulting value is used for range checking of IpTosLow and IpTosHigh.') docsSubmgt3FilterGrpIpProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 8), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 257)).clone(256)).setMaxAccess("readcreate") if mibBuilder.loadTexts: docsSubmgt3FilterGrpIpProtocol.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpIpProtocol.setDescription('This attribute represents the value of the IP Protocol field required for IP packets to match this rule. The value 256 matches traffic with any IP Protocol value. The value 257 by convention matches both TCP and UDP.') docsSubmgt3FilterGrpInetAddrType = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 9), InetAddressType().clone('unknown')).setMaxAccess("readcreate") if mibBuilder.loadTexts: docsSubmgt3FilterGrpInetAddrType.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpInetAddrType.setDescription('The type of the Internet address for InetSrcAddr, InetSrcMask, InetDestAddr, and InetDestMask.') docsSubmgt3FilterGrpInetSrcAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 10), InetAddress().clone(hexValue="")).setMaxAccess("readcreate") if mibBuilder.loadTexts: docsSubmgt3FilterGrpInetSrcAddr.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpInetSrcAddr.setDescription("This attribute specifies the value of the IP Source Address required for packets to match this rule. An IP packet matches the rule when the packet's IP Source Address bitwise ANDed with the InetSrcMask value equals the InetSrcAddr value. The address type of this object is specified by the InetAddressType attribute.") docsSubmgt3FilterGrpInetSrcMask = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 11), InetAddress().clone(hexValue="")).setMaxAccess("readcreate") if mibBuilder.loadTexts: docsSubmgt3FilterGrpInetSrcMask.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpInetSrcMask.setDescription("This attribute represents which bits of a packet's IP Source Address are compared to match this rule. An IP packet matches the rule when the packet's IP Source Address bitwise ANDed with the InetSrcMask value equals the InetSrcAddr value. The address type of this object is specified by InetAddrType.") docsSubmgt3FilterGrpInetDestAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 12), InetAddress().clone(hexValue="")).setMaxAccess("readcreate") if mibBuilder.loadTexts: docsSubmgt3FilterGrpInetDestAddr.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpInetDestAddr.setDescription("This attribute specifies the value of the IP Destination Address required for packets to match this rule. An IP packet matches the rule when the packet's IP Destination Address bitwise ANDed with the InetSrcMask value equals the InetDestAddr value. The address type of this object is specified by the InetAddrType attribute.") docsSubmgt3FilterGrpInetDestMask = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 13), InetAddress().clone(hexValue="")).setMaxAccess("readcreate") if mibBuilder.loadTexts: docsSubmgt3FilterGrpInetDestMask.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpInetDestMask.setDescription("This attribute represents which bits of a packet's IP Destination Address are compared to match this rule. An IP packet matches the rule when the packet's IP Destination Address bitwise ANDed with the InetDestMask value equals the InetDestAddr value. The address type of this object is specified by InetAddrType.") docsSubmgt3FilterGrpSrcPortStart = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 14), InetPortNumber()).setMaxAccess("readcreate") if mibBuilder.loadTexts: docsSubmgt3FilterGrpSrcPortStart.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpSrcPortStart.setDescription('This attribute represents the low-end inclusive range of TCP/UDP source port numbers to which a packet is compared. This attribute is irrelevant for non-TCP/UDP IP packets.') docsSubmgt3FilterGrpSrcPortEnd = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 15), InetPortNumber().clone(65535)).setMaxAccess("readcreate") if mibBuilder.loadTexts: docsSubmgt3FilterGrpSrcPortEnd.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpSrcPortEnd.setDescription('This attribute represents the high-end inclusive range of TCP/UDP source port numbers to which a packet is compared. This attribute is irrelevant for non-TCP/UDP IP packets.') docsSubmgt3FilterGrpDestPortStart = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 16), InetPortNumber()).setMaxAccess("readcreate") if mibBuilder.loadTexts: docsSubmgt3FilterGrpDestPortStart.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpDestPortStart.setDescription('This attribute represents the low-end inclusive range of TCP/UDP destination port numbers to which a packet is compared. This attribute is irrelevant for non-TCP/UDP IP packets.') docsSubmgt3FilterGrpDestPortEnd = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 17), InetPortNumber().clone(65535)).setMaxAccess("readcreate") if mibBuilder.loadTexts: docsSubmgt3FilterGrpDestPortEnd.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpDestPortEnd.setDescription('This attribute represents the high-end inclusive range of TCP/UDP destination port numbers to which a packet is compared. This attribute is irrelevant for non-TCP/UDP IP packets.') docsSubmgt3FilterGrpDestMacAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 18), MacAddress().clone(hexValue="000000000000")).setMaxAccess("readcreate") if mibBuilder.loadTexts: docsSubmgt3FilterGrpDestMacAddr.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpDestMacAddr.setDescription('This attribute represents the criteria to match against an Ethernet packet MAC address bitwise ANDed with DestMacMask.') docsSubmgt3FilterGrpDestMacMask = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 19), MacAddress().clone(hexValue="000000000000")).setMaxAccess("readcreate") if mibBuilder.loadTexts: docsSubmgt3FilterGrpDestMacMask.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpDestMacMask.setDescription('An Ethernet packet matches an entry when its destination MAC address bitwise ANDed with the DestMacMask attribute equals the value of the DestMacAddr attribute.') docsSubmgt3FilterGrpSrcMacAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 20), MacAddress().clone(hexValue="FFFFFFFFFFFF")).setMaxAccess("readcreate") if mibBuilder.loadTexts: docsSubmgt3FilterGrpSrcMacAddr.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpSrcMacAddr.setDescription('This attribute represents the value to match against an Ethernet packet source MAC address.') docsSubmgt3FilterGrpEnetProtocolType = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4))).clone(namedValues=NamedValues(("none", 0), ("ethertype", 1), ("dsap", 2), ("mac", 3), ("all", 4))).clone('none')).setMaxAccess("readcreate") if mibBuilder.loadTexts: docsSubmgt3FilterGrpEnetProtocolType.setReference('RFC1042 Sub-Network Access Protocol (SNAP) encapsulation formats.') if mibBuilder.loadTexts: docsSubmgt3FilterGrpEnetProtocolType.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpEnetProtocolType.setDescription("This attribute indicates the format of the layer 3 protocol ID in the Ethernet packet. A value of 'none' means that the rule does not use the layer 3 protocol type as a matching criteria. A value of 'ethertype' means that the rule applies only to frames that contain an EtherType value. EtherType values are contained in packets using the DEC-Intel-Xerox (DIX) encapsulation or the RFC 1042 Sub-Network Access Protocol (SNAP) encapsulation formats. A value of 'dsap' means that the rule applies only to frames using the IEEE802.3 encapsulation format with a Destination Service Access Point (DSAP) other than 0xAA (which is reserved for SNAP). A value of 'mac' means that the rule applies only to MAC management messages for MAC management messages. A value of 'all' means that the rule matches all Ethernet packets. If the Ethernet frame contains an 802.1P/Q Tag header (i.e., EtherType 0x8100), this attribute applies to the embedded EtherType field within the 802.1p/Q header. The value 'mac' is only used for passing UDCs to CMs during Registration. The CMTS ignores filter rules that include the value of this attribute set to 'mac' for CMTS enforced upstream and downstream subscriber management filter group rules.") docsSubmgt3FilterGrpEnetProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 22), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readcreate") if mibBuilder.loadTexts: docsSubmgt3FilterGrpEnetProtocol.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpEnetProtocol.setDescription("This attribute represents the Ethernet protocol type to be matched against the packets. For EnetProtocolType set to 'none', this attribute is ignored when considering whether a packet matches the current rule. If the attribute EnetProtocolType is 'ethertype', this attribute gives the 16-bit value of the EtherType that the packet must match in order to match the rule. If the attribute EnetProtocolType is 'dsap', the lower 8 bits of this attribute's value must match the DSAP octet of the packet in order to match the rule. If the Ethernet frame contains an 802.1p/Q Tag header (i.e., EtherType 0x8100), this attribute applies to the embedded EtherType field within the 802.1p/Q header.") docsSubmgt3FilterGrpUserPriLow = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 23), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 7))).setMaxAccess("readcreate") if mibBuilder.loadTexts: docsSubmgt3FilterGrpUserPriLow.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpUserPriLow.setDescription('This attribute applies only to Ethernet frames using the 802.1p/Q tag header (indicated with EtherType 0x8100). Such frames include a 16-bit Tag that contains a 3-bit Priority field and a 12-bit VLAN number. Tagged Ethernet packets must have a 3-bit Priority field within the range of PriLow to PriHigh in order to match this rule.') docsSubmgt3FilterGrpUserPriHigh = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 24), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 7)).clone(7)).setMaxAccess("readcreate") if mibBuilder.loadTexts: docsSubmgt3FilterGrpUserPriHigh.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpUserPriHigh.setDescription('This attribute applies only to Ethernet frames using the 802.1p/Q tag header (indicated with EtherType 0x8100). Such frames include a 16-bit Tag that contains a 3-bit Priority field and a 12-bit VLAN number. Tagged Ethernet packets must have a 3-bit Priority field within the range of PriLow to PriHigh in order to match this rule.') docsSubmgt3FilterGrpVlanId = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 25), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 4094), ))).setMaxAccess("readcreate") if mibBuilder.loadTexts: docsSubmgt3FilterGrpVlanId.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpVlanId.setDescription('This attribute applies only to Ethernet frames using the 802.1p/Q tag header. Tagged packets must have a VLAN Identifier that matches the value in order to match the rule.') docsSubmgt3FilterGrpClassPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 26), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: docsSubmgt3FilterGrpClassPkts.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpClassPkts.setDescription('This attribute counts the number of packets that have been classified (matched) using this rule entry. This includes all packets delivered to a Service Flow maximum rate policing function, whether or not that function drops the packets. Discontinuities in the value of this counter can occur at re-initialization of the managed system, and at other times as indicated by the value of ifCounterDiscontinuityTime for the CM MAC Domain interface.') docsSubmgt3FilterGrpFlowLabel = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 27), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1048575))).setMaxAccess("readcreate") if mibBuilder.loadTexts: docsSubmgt3FilterGrpFlowLabel.setReference('DOCSIS 3.0 MAC and Upper Layer Protocols Interface Specification CM-SP-MULPIv3.0-I26-150305, IPv6 Flow Label section in the Common Radio Frequency Interface Encodings Annex.') if mibBuilder.loadTexts: docsSubmgt3FilterGrpFlowLabel.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpFlowLabel.setDescription('This attribute represents the Flow Label field in the IPv6 header to be matched by the classifier. The value zero indicates that the Flow Label is not specified as part of the classifier and is not matched against packets.') docsSubmgt3FilterGrpCmInterfaceMask = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 28), DocsL2vpnIfList()).setMaxAccess("readcreate") if mibBuilder.loadTexts: docsSubmgt3FilterGrpCmInterfaceMask.setReference('DOCSIS 3.0 MAC and Upper Layer Protocols Interface Specification CM-SP-MULPIv3.0-I26-150305, CM Interface Mask (CMIM) Encoding section in the Common Radio Frequency Interface Encodings Annex.') if mibBuilder.loadTexts: docsSubmgt3FilterGrpCmInterfaceMask.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpCmInterfaceMask.setDescription('This attribute represents a bit-mask of the CM in-bound interfaces to which this classifier applies. This attribute only applies to upstream Drop Classifiers being sent to CMs during the registration process.') docsSubmgt3FilterGrpRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 29), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: docsSubmgt3FilterGrpRowStatus.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpRowStatus.setDescription('The conceptual row status of this object.') docsSubmgt3MibConformance = MibIdentifier((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 2)) docsSubmgt3MibCompliances = MibIdentifier((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 2, 1)) docsSubmgt3MibGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 2, 2)) docsSubmgt3Compliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 2, 1, 1)).setObjects(("DOCS-SUBMGT3-MIB", "docsSubmgt3Group")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): docsSubmgt3Compliance = docsSubmgt3Compliance.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3Compliance.setDescription('The compliance statement for devices that implement the DOCSIS Subscriber Management 3 MIB.') docsSubmgt3Group = ObjectGroup((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 2, 2, 1)).setObjects(("DOCS-SUBMGT3-MIB", "docsSubmgt3BaseCpeMaxIpv4Def"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3BaseCpeMaxIpv6PrefixesDef"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3BaseCpeActiveDef"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3BaseCpeLearnableDef"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3BaseSubFilterDownDef"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3BaseSubFilterUpDef"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3BaseCmFilterDownDef"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3BaseCmFilterUpDef"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3BasePsFilterDownDef"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3BasePsFilterUpDef"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3BaseMtaFilterDownDef"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3BaseMtaFilterUpDef"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3BaseStbFilterDownDef"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3BaseStbFilterUpDef"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3CpeCtrlMaxCpeIpv4"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3CpeCtrlMaxCpeIpv6Prefixes"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3CpeCtrlActive"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3CpeCtrlLearnable"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3CpeCtrlReset"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3CpeCtrlLastReset"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3CpeIpAddrType"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3CpeIpAddr"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3CpeIpAddrPrefixLen"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3CpeIpLearned"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3CpeIpType"), ("DOCS-SUBMGT3-MIB", "docsSubMgt3GrpUdcGroupIds"), ("DOCS-SUBMGT3-MIB", "docsSubMgt3GrpUdcSentInRegRsp"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3GrpSubFilterDs"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3GrpSubFilterUs"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3GrpCmFilterDs"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3GrpCmFilterUs"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3GrpPsFilterDs"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3GrpPsFilterUs"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3GrpMtaFilterDs"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3GrpMtaFilterUs"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3GrpStbFilterDs"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3GrpStbFilterUs"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3FilterGrpAction"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3FilterGrpPriority"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3FilterGrpIpTosLow"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3FilterGrpIpTosHigh"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3FilterGrpIpTosMask"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3FilterGrpIpProtocol"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3FilterGrpInetAddrType"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3FilterGrpInetSrcAddr"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3FilterGrpInetSrcMask"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3FilterGrpInetDestAddr"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3FilterGrpInetDestMask"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3FilterGrpSrcPortStart"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3FilterGrpSrcPortEnd"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3FilterGrpDestPortStart"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3FilterGrpDestPortEnd"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3FilterGrpDestMacAddr"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3FilterGrpDestMacMask"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3FilterGrpSrcMacAddr"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3FilterGrpEnetProtocolType"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3FilterGrpEnetProtocol"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3FilterGrpUserPriLow"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3FilterGrpUserPriHigh"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3FilterGrpVlanId"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3FilterGrpClassPkts"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3FilterGrpFlowLabel"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3FilterGrpCmInterfaceMask"), ("DOCS-SUBMGT3-MIB", "docsSubmgt3FilterGrpRowStatus")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): docsSubmgt3Group = docsSubmgt3Group.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3Group.setDescription('Group of objects implemented in the CMTS.') mibBuilder.exportSymbols("DOCS-SUBMGT3-MIB", docsSubmgt3CpeCtrlMaxCpeIpv6Addresses=docsSubmgt3CpeCtrlMaxCpeIpv6Addresses, docsSubmgt3BaseSubFilterDownDef=docsSubmgt3BaseSubFilterDownDef, docsSubmgt3CpeIpLearned=docsSubmgt3CpeIpLearned, docsSubmgt3FilterGrpTable=docsSubmgt3FilterGrpTable, docsSubmgt3FilterGrpGrpId=docsSubmgt3FilterGrpGrpId, docsSubmgt3BaseCpeActiveDef=docsSubmgt3BaseCpeActiveDef, docsSubmgt3FilterGrpPriority=docsSubmgt3FilterGrpPriority, docsSubmgt3MibGroups=docsSubmgt3MibGroups, docsSubmgt3FilterGrpDestMacAddr=docsSubmgt3FilterGrpDestMacAddr, docsSubmgt3BaseCpeMaxIpv4Def=docsSubmgt3BaseCpeMaxIpv4Def, docsSubmgt3GrpCmFilterUs=docsSubmgt3GrpCmFilterUs, PYSNMP_MODULE_ID=docsSubmgt3Mib, docsSubmgt3BaseCmFilterUpDef=docsSubmgt3BaseCmFilterUpDef, docsSubMgt3GrpUdcSentInRegRsp=docsSubMgt3GrpUdcSentInRegRsp, docsSubmgt3BaseMtaFilterUpDef=docsSubmgt3BaseMtaFilterUpDef, docsSubmgt3GrpPsFilterDs=docsSubmgt3GrpPsFilterDs, docsSubmgt3Base=docsSubmgt3Base, docsSubmgt3FilterGrpCmInterfaceMask=docsSubmgt3FilterGrpCmInterfaceMask, docsSubmgt3GrpCmFilterDs=docsSubmgt3GrpCmFilterDs, docsSubmgt3FilterGrpEntry=docsSubmgt3FilterGrpEntry, docsSubmgt3FilterGrpSrcMacAddr=docsSubmgt3FilterGrpSrcMacAddr, docsSubmgt3MibObjects=docsSubmgt3MibObjects, docsSubmgt3CpeIpId=docsSubmgt3CpeIpId, docsSubmgt3CpeCtrlTable=docsSubmgt3CpeCtrlTable, docsSubmgt3CpeIpAddr=docsSubmgt3CpeIpAddr, docsSubmgt3CpeCtrlEntry=docsSubmgt3CpeCtrlEntry, docsSubmgt3BaseStbFilterDownDef=docsSubmgt3BaseStbFilterDownDef, docsSubmgt3GrpPsFilterUs=docsSubmgt3GrpPsFilterUs, docsSubmgt3FilterGrpAction=docsSubmgt3FilterGrpAction, docsSubmgt3BaseCpeMaxIpv6PrefixesDef=docsSubmgt3BaseCpeMaxIpv6PrefixesDef, docsSubmgt3FilterGrpInetDestAddr=docsSubmgt3FilterGrpInetDestAddr, docsSubmgt3CpeCtrlMaxCpeIpv4=docsSubmgt3CpeCtrlMaxCpeIpv4, docsSubmgt3CpeCtrlReset=docsSubmgt3CpeCtrlReset, docsSubmgt3BaseCpeMaxIpv6AddressesDef=docsSubmgt3BaseCpeMaxIpv6AddressesDef, docsSubmgt3CpeIpTable=docsSubmgt3CpeIpTable, docsSubmgt3FilterGrpClassPkts=docsSubmgt3FilterGrpClassPkts, docsSubmgt3FilterGrpIpTosMask=docsSubmgt3FilterGrpIpTosMask, docsSubmgt3Compliance=docsSubmgt3Compliance, docsSubmgt3FilterGrpDestPortEnd=docsSubmgt3FilterGrpDestPortEnd, docsSubmgt3BaseStbFilterUpDef=docsSubmgt3BaseStbFilterUpDef, docsSubmgt3CpeIpType=docsSubmgt3CpeIpType, docsSubmgt3GrpEntry=docsSubmgt3GrpEntry, docsSubmgt3FilterGrpDestMacMask=docsSubmgt3FilterGrpDestMacMask, docsSubmgt3FilterGrpInetDestMask=docsSubmgt3FilterGrpInetDestMask, docsSubmgt3FilterGrpEnetProtocolType=docsSubmgt3FilterGrpEnetProtocolType, docsSubmgt3FilterGrpIpTosHigh=docsSubmgt3FilterGrpIpTosHigh, docsSubmgt3BasePsFilterUpDef=docsSubmgt3BasePsFilterUpDef, docsSubmgt3FilterGrpIpProtocol=docsSubmgt3FilterGrpIpProtocol, docsSubmgt3CpeCtrlMaxCpeIpv6Prefixes=docsSubmgt3CpeCtrlMaxCpeIpv6Prefixes, docsSubmgt3MibConformance=docsSubmgt3MibConformance, docsSubmgt3CpeIpAddrPrefixLen=docsSubmgt3CpeIpAddrPrefixLen, docsSubmgt3FilterGrpFlowLabel=docsSubmgt3FilterGrpFlowLabel, docsSubmgt3FilterGrpSrcPortEnd=docsSubmgt3FilterGrpSrcPortEnd, docsSubmgt3FilterGrpInetAddrType=docsSubmgt3FilterGrpInetAddrType, docsSubmgt3FilterGrpUserPriLow=docsSubmgt3FilterGrpUserPriLow, docsSubmgt3CpeCtrlActive=docsSubmgt3CpeCtrlActive, docsSubmgt3GrpSubFilterDs=docsSubmgt3GrpSubFilterDs, docsSubmgt3FilterGrpEnetProtocol=docsSubmgt3FilterGrpEnetProtocol, docsSubmgt3FilterGrpVlanId=docsSubmgt3FilterGrpVlanId, docsSubmgt3FilterGrpDestPortStart=docsSubmgt3FilterGrpDestPortStart, docsSubmgt3CpeCtrlLastReset=docsSubmgt3CpeCtrlLastReset, docsSubmgt3BasePsFilterDownDef=docsSubmgt3BasePsFilterDownDef, docsSubmgt3Mib=docsSubmgt3Mib, docsSubmgt3GrpSubFilterUs=docsSubmgt3GrpSubFilterUs, docsSubmgt3Group=docsSubmgt3Group, docsSubmgt3FilterGrpRuleId=docsSubmgt3FilterGrpRuleId, docsSubmgt3FilterGrpInetSrcMask=docsSubmgt3FilterGrpInetSrcMask, docsSubmgt3BaseCpeLearnableDef=docsSubmgt3BaseCpeLearnableDef, docsSubmgt3GrpMtaFilterUs=docsSubmgt3GrpMtaFilterUs, docsSubmgt3BaseSubFilterUpDef=docsSubmgt3BaseSubFilterUpDef, docsSubmgt3GrpMtaFilterDs=docsSubmgt3GrpMtaFilterDs, docsSubmgt3FilterGrpSrcPortStart=docsSubmgt3FilterGrpSrcPortStart, docsSubmgt3GrpTable=docsSubmgt3GrpTable, docsSubmgt3FilterGrpUserPriHigh=docsSubmgt3FilterGrpUserPriHigh, docsSubmgt3FilterGrpIpTosLow=docsSubmgt3FilterGrpIpTosLow, docsSubmgt3FilterGrpRowStatus=docsSubmgt3FilterGrpRowStatus, docsSubmgt3BaseMtaFilterDownDef=docsSubmgt3BaseMtaFilterDownDef, docsSubmgt3CpeIpEntry=docsSubmgt3CpeIpEntry, docsSubmgt3CpeCtrlLearnable=docsSubmgt3CpeCtrlLearnable, docsSubmgt3FilterGrpInetSrcAddr=docsSubmgt3FilterGrpInetSrcAddr, docsSubmgt3BaseCmFilterDownDef=docsSubmgt3BaseCmFilterDownDef, docsSubMgt3GrpUdcGroupIds=docsSubMgt3GrpUdcGroupIds, docsSubmgt3CpeIpAddrType=docsSubmgt3CpeIpAddrType, docsSubmgt3GrpStbFilterUs=docsSubmgt3GrpStbFilterUs, docsSubmgt3MibCompliances=docsSubmgt3MibCompliances, docsSubmgt3GrpStbFilterDs=docsSubmgt3GrpStbFilterDs)
(object_identifier, integer, octet_string) = mibBuilder.importSymbols('ASN1', 'ObjectIdentifier', 'Integer', 'OctetString') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (value_size_constraint, value_range_constraint, constraints_union, constraints_intersection, single_value_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueSizeConstraint', 'ValueRangeConstraint', 'ConstraintsUnion', 'ConstraintsIntersection', 'SingleValueConstraint') (docs_l2vpn_if_list, clab_proj_docsis) = mibBuilder.importSymbols('CLAB-DEF-MIB', 'DocsL2vpnIfList', 'clabProjDocsis') (docs_if3_cmts_cm_reg_status_id, docs_if3_cmts_cm_reg_status_entry) = mibBuilder.importSymbols('DOCS-IF3-MIB', 'docsIf3CmtsCmRegStatusId', 'docsIf3CmtsCmRegStatusEntry') (inet_port_number, inet_address_prefix_length, inet_address_type, inet_address) = mibBuilder.importSymbols('INET-ADDRESS-MIB', 'InetPortNumber', 'InetAddressPrefixLength', 'InetAddressType', 'InetAddress') (snmp_tag_list,) = mibBuilder.importSymbols('SNMP-TARGET-MIB', 'SnmpTagList') (object_group, notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'ObjectGroup', 'NotificationGroup', 'ModuleCompliance') (counter32, object_identity, gauge32, notification_type, counter64, bits, mib_scalar, mib_table, mib_table_row, mib_table_column, module_identity, mib_identifier, time_ticks, unsigned32, iso, integer32, ip_address) = mibBuilder.importSymbols('SNMPv2-SMI', 'Counter32', 'ObjectIdentity', 'Gauge32', 'NotificationType', 'Counter64', 'Bits', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'ModuleIdentity', 'MibIdentifier', 'TimeTicks', 'Unsigned32', 'iso', 'Integer32', 'IpAddress') (mac_address, time_stamp, textual_convention, display_string, truth_value, row_status) = mibBuilder.importSymbols('SNMPv2-TC', 'MacAddress', 'TimeStamp', 'TextualConvention', 'DisplayString', 'TruthValue', 'RowStatus') docs_submgt3_mib = module_identity((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10)) docsSubmgt3Mib.setRevisions(('2015-06-03 00:00', '2014-04-03 00:00', '2011-06-23 00:00', '2010-06-11 00:00', '2009-01-21 00:00', '2007-05-18 00:00', '2006-12-07 17:00')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): if mibBuilder.loadTexts: docsSubmgt3Mib.setRevisionsDescriptions(('Revised Version includes ECN OSSIv3.0-N-15.1311-2', 'Revised Version includes ECNs OSSIv3.0-N-13.1125-2 and published as I23', 'Revised Version includes ECNs OSSIv3.0-N-11.0996-1 and published as I15', 'Revised Version includes ECNs OSSIv3.0-N-10.0906-2 OSSIv3.0-N-10.0921-4 and published as I12', 'Revised Version includes ECNs OSSIv3.0-N-08.0651-3 OSSIv3.0-N-08.0700-4 and published as I08', 'Revised Version includes ECNs OSSIv3.0-N-07.0445-3 OSSIv3.0-N-07.0444-3 OSSIv3.0-N-07.0441-4 and published as I03', 'Initial version, published as part of the CableLabs OSSIv3.0 specification CM-SP-OSSIv3.0-I01-061207 Copyright 1999-2009 Cable Television Laboratories, Inc. All rights reserved.')) if mibBuilder.loadTexts: docsSubmgt3Mib.setLastUpdated('201506030000Z') if mibBuilder.loadTexts: docsSubmgt3Mib.setOrganization('Cable Television Laboratories, Inc.') if mibBuilder.loadTexts: docsSubmgt3Mib.setContactInfo(' Postal: Cable Television Laboratories, Inc. 858 Coal Creek Circle Louisville, Colorado 80027-9750 U.S.A. Phone: +1 303-661-9100 Fax: +1 303-661-9199 E-mail: [email protected]') if mibBuilder.loadTexts: docsSubmgt3Mib.setDescription('This MIB module contains the management objects for the CMTS control of the IP4 and IPv6 traffic with origin and destination to CMs and/or CPEs behind the CM.') docs_submgt3_mib_objects = mib_identifier((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1)) docs_submgt3_base = mib_identifier((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 1)) docs_submgt3_base_cpe_max_ipv4_def = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1023)).clone(16)).setMaxAccess('readwrite') if mibBuilder.loadTexts: docsSubmgt3BaseCpeMaxIpv4Def.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3BaseCpeMaxIpv4Def.setDescription("This attribute represents the maximum number of IPv4 Addresses allowed for the CM's CPEs if not signaled in the registration process.") docs_submgt3_base_cpe_max_ipv6_addresses_def = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1023)).clone(16)).setMaxAccess('readwrite') if mibBuilder.loadTexts: docsSubmgt3BaseCpeMaxIpv6AddressesDef.setStatus('deprecated') if mibBuilder.loadTexts: docsSubmgt3BaseCpeMaxIpv6AddressesDef.setDescription("This attribute represents the maximum number of IPv6 prefixes or addresses allowed for the CM's CPEs if not signaled in the registration process. All IPv6 addresses, including Link-Local and any address with a scope greater than 1 are counted against the docsSubmgt3BaseCpeMaxIpv6AddressesDef.") docs_submgt3_base_cpe_max_ipv6_prefixes_def = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 1, 15), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1023)).clone(3)).setMaxAccess('readwrite') if mibBuilder.loadTexts: docsSubmgt3BaseCpeMaxIpv6PrefixesDef.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3BaseCpeMaxIpv6PrefixesDef.setDescription("This attribute represents the maximum number of IPv6 IA_PDs (delegated prefixes) allowed for the CM's CPEs if not signaled during the registration process. IPv6 IA_PDs are counted against the CpeMaxIpv6PrefixesDef. This contrasts with the CpeMaxIPv4AddressesDef addresses, rather than IPv4 subnets, allowed by default per CM. Because this attribute only counts IA_PDs against the default, IA_NA addresses and Link-Local addresses are not counted against this default limit.") docs_submgt3_base_cpe_active_def = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 1, 3), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: docsSubmgt3BaseCpeActiveDef.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3BaseCpeActiveDef.setDescription('This attribute represents the default value for enabling Subscriber Management filters and controls in the CM if the parameter is not signaled in the DOCSIS Registration process.') docs_submgt3_base_cpe_learnable_def = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 1, 4), truth_value().clone('true')).setMaxAccess('readwrite') if mibBuilder.loadTexts: docsSubmgt3BaseCpeLearnableDef.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3BaseCpeLearnableDef.setDescription('This attribute represents the default value for enabling the CPE learning process for the CM if the parameter is not signaled in the DOCSIS Registration process.') docs_submgt3_base_sub_filter_down_def = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 1, 5), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1024))).setMaxAccess('readwrite') if mibBuilder.loadTexts: docsSubmgt3BaseSubFilterDownDef.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3BaseSubFilterDownDef.setDescription('This attribute represents the default value for the subscriber (CPE) downstream filter group for the CM if the parameter is not signaled in the DOCSIS Registration process.') docs_submgt3_base_sub_filter_up_def = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 1, 6), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1024))).setMaxAccess('readwrite') if mibBuilder.loadTexts: docsSubmgt3BaseSubFilterUpDef.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3BaseSubFilterUpDef.setDescription('This attribute represents the default value for the subscriber (CPE) upstream filter group for the CM if the parameter is not signaled in the DOCSIS Registration process.') docs_submgt3_base_cm_filter_down_def = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 1, 7), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1024))).setMaxAccess('readwrite') if mibBuilder.loadTexts: docsSubmgt3BaseCmFilterDownDef.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3BaseCmFilterDownDef.setDescription('This attribute represents the default value for the CM stack downstream filter group applying to the CM if the parameter is not signaled in the DOCSIS Registration process.') docs_submgt3_base_cm_filter_up_def = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 1, 8), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1024))).setMaxAccess('readwrite') if mibBuilder.loadTexts: docsSubmgt3BaseCmFilterUpDef.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3BaseCmFilterUpDef.setDescription('This attribute represents the default value for the CM stack upstream filter group applying to the CM if the parameter is not signaled in the DOCSIS Registration process.') docs_submgt3_base_ps_filter_down_def = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 1, 9), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1024))).setMaxAccess('readwrite') if mibBuilder.loadTexts: docsSubmgt3BasePsFilterDownDef.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3BasePsFilterDownDef.setDescription('This attribute represents the default value for the PS or eRouter downstream filter group for the CM if the parameter is not signaled in the DOCSIS Registration process.') docs_submgt3_base_ps_filter_up_def = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 1, 10), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1024))).setMaxAccess('readwrite') if mibBuilder.loadTexts: docsSubmgt3BasePsFilterUpDef.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3BasePsFilterUpDef.setDescription('This attribute represents the default value for the PS or eRouter upstream filter group for the CM if the parameter is not signaled in the DOCSIS Registration process.') docs_submgt3_base_mta_filter_down_def = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 1, 11), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1024))).setMaxAccess('readwrite') if mibBuilder.loadTexts: docsSubmgt3BaseMtaFilterDownDef.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3BaseMtaFilterDownDef.setDescription('This attribute represents the default value for the MTA, DVA, SG, or TEA downstream filter group for the CM if the parameter is not signaled in the DOCSIS Registration process.') docs_submgt3_base_mta_filter_up_def = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 1, 12), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1024))).setMaxAccess('readwrite') if mibBuilder.loadTexts: docsSubmgt3BaseMtaFilterUpDef.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3BaseMtaFilterUpDef.setDescription('This attribute represents the default value for the MTA, DVA, SG, or TEA upstream filter group for the CM if the parameter is not signaled in the DOCSIS Registration process.') docs_submgt3_base_stb_filter_down_def = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 1, 13), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1024))).setMaxAccess('readwrite') if mibBuilder.loadTexts: docsSubmgt3BaseStbFilterDownDef.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3BaseStbFilterDownDef.setDescription('This attribute represents the default value for the STB or CableCARD downstream filter group for the CM if the parameter is not signaled in the DOCSIS Registration process.') docs_submgt3_base_stb_filter_up_def = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 1, 14), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1024))).setMaxAccess('readwrite') if mibBuilder.loadTexts: docsSubmgt3BaseStbFilterUpDef.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3BaseStbFilterUpDef.setDescription('This attribute represents the default value for the STB or CableCARD upstream filter group for the CM if the parameter is not signaled in the DOCSIS Registration process.') docs_submgt3_cpe_ctrl_table = mib_table((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 2)) if mibBuilder.loadTexts: docsSubmgt3CpeCtrlTable.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3CpeCtrlTable.setDescription('This object maintains per-CM traffic policies enforced by the CMTS. The CMTS acquires the CM traffic policies through the CM registration process, or in the absence of some or all of those parameters, from the Base object. The CM information and controls are meaningful and used by the CMTS, but only after the CM is operational.') docs_submgt3_cpe_ctrl_entry = mib_table_row((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 2, 1)) docsIf3CmtsCmRegStatusEntry.registerAugmentions(('DOCS-SUBMGT3-MIB', 'docsSubmgt3CpeCtrlEntry')) docsSubmgt3CpeCtrlEntry.setIndexNames(*docsIf3CmtsCmRegStatusEntry.getIndexNames()) if mibBuilder.loadTexts: docsSubmgt3CpeCtrlEntry.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3CpeCtrlEntry.setDescription('The conceptual row of docsSubmgt3CpeCtrlTable. The CMTS does not persist the instances of the CpeCtrl object across reinitializations.') docs_submgt3_cpe_ctrl_max_cpe_ipv4 = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 2, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1023))).setMaxAccess('readwrite') if mibBuilder.loadTexts: docsSubmgt3CpeCtrlMaxCpeIpv4.setReference('DOCSIS 3.0 MAC and Upper Layer Protocols Interface Specification CM-SP-MULPIv3.0-I26-150305, Subscriber Management TLVs section in the Common Radio Frequency Interface Encodings Annex.') if mibBuilder.loadTexts: docsSubmgt3CpeCtrlMaxCpeIpv4.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3CpeCtrlMaxCpeIpv4.setDescription("This attribute represents the number of simultaneous IP v4 addresses permitted for CPE connected to the CM. When the MaxCpeIpv4 attribute is set to zero (0), all Ipv4 CPE traffic from the CM is dropped. The CMTS configures this attribute with whichever of the 'Subscriber Management CPE IPv4 List' or 'Subscriber Management Control-Max_CpeIPv4' signaled encodings is greater, or in the absence of all of those provisioning parameters, with the CpeMaxIp v4Def from the Base object. This limit applies to learned and DOCSIS-provisioned entries but not to entries added through some administrative process at the CMTS. Note that this attribute is only meaningful when the Active attribute of the CM is set to 'true'.") docs_submgt3_cpe_ctrl_max_cpe_ipv6_addresses = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 2, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1023))).setMaxAccess('readwrite') if mibBuilder.loadTexts: docsSubmgt3CpeCtrlMaxCpeIpv6Addresses.setReference('DOCSIS 3.0 MAC and Upper Layer Protocols Interface Specification CM-SP-MULPIv3.0-I26-150305, Subscriber Management TLVs section in the Common Radio Frequency Interface Encodings Annex.') if mibBuilder.loadTexts: docsSubmgt3CpeCtrlMaxCpeIpv6Addresses.setStatus('deprecated') if mibBuilder.loadTexts: docsSubmgt3CpeCtrlMaxCpeIpv6Addresses.setDescription("This attribute represents the maximum number of simultaneous IPv6 prefixes and addresses that are permitted for CPEs connected to the CM. When the MaxCpeIpv6Prefix is set to zero (0), all IPv6 CPE traffic from the CM is dropped. The CMTS configures this attribute with whichever of the ('Subscriber Management CPE IPv6 List (TLV 67)' plus 'Subscriber Management CPE IPv6 Prefix List (TLV 61)') or ('Subscriber Management Control Max CPE IPv6 Addresses (TLV 63)') signaled encodings is greater, or in the absence of all of those provisioning parameters, with the MaxIpv6AddressDef from the Base object. This limit applies to learned and DOCSIS-provisioned entries but not to entries added through some administrative process at the CMTS. Note that this attribute is only meaningful when the Active attribute of the CM is set to 'true'. All IPv6 addresses, including Link-Local and any address with a scope greater than 1 are counted against the docsSubmgt3CpeCtrlMaxCpeIpv6Addresses.") docs_submgt3_cpe_ctrl_max_cpe_ipv6_prefixes = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 2, 1, 7), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1023))).setMaxAccess('readwrite') if mibBuilder.loadTexts: docsSubmgt3CpeCtrlMaxCpeIpv6Prefixes.setReference('DOCSIS 3.0 MAC and Upper Layer Protocols Interface Specification CM-SP-MULPIv3.0-I04-070518, Subscriber Management TLVs section in the Common Radio Frequency Interface Encodings Annex.') if mibBuilder.loadTexts: docsSubmgt3CpeCtrlMaxCpeIpv6Prefixes.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3CpeCtrlMaxCpeIpv6Prefixes.setDescription("This attribute represents the maximum number of simultaneous IPv6 IA_PDs (delegated prefixes) that are permitted for CPEs connected to the CM.When the MaxCpeIpv6Prefixes is set to zero (0), all IPv6 CPE traffic from the CM is dropped. The CMTS configures this attribute with whichever of the ('Subscriber Management CPE IPv6 List (TLV 67)' plus 'Subscriber Management CPE IPv6 Prefix List (TLV 61) ') or ('Subscriber Management Control Max CPE IPv6 Addresses (TLV 63)') signaled encodings is greater, or in the absence of all of those provisioning parameters, with the MaxIpv6PrefixesDef from the Base object. This limit applies to learned and DOCSIS-provisioned entries but not to entries added through some administrative process at the CMTS. Note that this attribute is only meaningful when the Active attribute of the CM is set to 'true'. IPv6 IA_PDs s are counted against the CpeCtrlMaxCpeIpv6Prefixes in order to limit the number of simultaneous IA_PDs permitted for the CMs CPEs.") docs_submgt3_cpe_ctrl_active = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 2, 1, 3), truth_value()).setMaxAccess('readwrite') if mibBuilder.loadTexts: docsSubmgt3CpeCtrlActive.setReference('DOCSIS 3.0 MAC and Upper Layer Protocols Interface Specification CM-SP-MULPIv3.0-I26-150305, Subscriber Management Control section in the Common Radio Frequency Interface Encodings Annex.') if mibBuilder.loadTexts: docsSubmgt3CpeCtrlActive.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3CpeCtrlActive.setDescription("This attribute controls the application of subscriber management to this CM. If this is set to 'true', CMTS-based CPE control is active, and all the actions required by the various filter policies and controls apply at the CMTS. If this is set to false, no subscriber management filtering is done at the CMTS (but other filters may apply). If not set through DOCSIS provisioning, this object defaults to the value of the Active attribute of the Base object.") docs_submgt3_cpe_ctrl_learnable = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 2, 1, 4), truth_value()).setMaxAccess('readwrite') if mibBuilder.loadTexts: docsSubmgt3CpeCtrlLearnable.setReference('DOCSIS 3.0 MAC and Upper Layer Protocols Interface Specification CM-SP-MULPIv3.0-I26-150305, Subscriber Management Control section in the Common Radio Frequency Interface Encodings Annex.') if mibBuilder.loadTexts: docsSubmgt3CpeCtrlLearnable.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3CpeCtrlLearnable.setDescription("This attribute controls whether the CMTS may learn (and pass traffic for) CPE IP addresses associated with a CM. If this is set to 'true', the CMTS may learn up to the CM MaxCpeIp value less any DOCSIS-provisioned entries related to this CM. The nature of the learning mechanism is not specified here. If not set through DOCSIS provisioning, this object defaults to the value of the CpeLearnableDef attribute from the Base object. Note that this attribute is only meaningful if docsSubMgtCpeControlActive is 'true' to enforce a limit in the number of CPEs learned. CPE learning is always performed for the CMTS for security reasons.") docs_submgt3_cpe_ctrl_reset = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 2, 1, 5), truth_value()).setMaxAccess('readwrite') if mibBuilder.loadTexts: docsSubmgt3CpeCtrlReset.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3CpeCtrlReset.setDescription("If set to 'true', this attribute commands the CMTS to delete the instances denoted as 'learned' addresses in the CpeIp object. This attribute always returns false on read.") docs_submgt3_cpe_ctrl_last_reset = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 2, 1, 6), time_stamp()).setMaxAccess('readwrite') if mibBuilder.loadTexts: docsSubmgt3CpeCtrlLastReset.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3CpeCtrlLastReset.setDescription("This attribute represents the system Up Time of the last set to 'true' of the Reset attribute of this instance. Zero if never reset.") docs_submgt3_cpe_ip_table = mib_table((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 3)) if mibBuilder.loadTexts: docsSubmgt3CpeIpTable.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3CpeIpTable.setDescription("This object defines the list of IP Addresses behind the CM known by the CMTS. If the Active attribute of the CpeCtrl object associated with a CM is set to 'true' and the CMTS receives an IP packet from a CM that contains a source IP address that does not match one of the CPE IP addresses associated with this CM, one of two things occurs. If the number of CPE IPs is less than the MaxCpeIp of the CpeCtrl object for that CM, the source IP address is added to this object and the packet is forwarded; otherwise, the packet is dropped.") docs_submgt3_cpe_ip_entry = mib_table_row((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 3, 1)).setIndexNames((0, 'DOCS-IF3-MIB', 'docsIf3CmtsCmRegStatusId'), (0, 'DOCS-SUBMGT3-MIB', 'docsSubmgt3CpeIpId')) if mibBuilder.loadTexts: docsSubmgt3CpeIpEntry.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3CpeIpEntry.setDescription('The conceptual row of docsSubmgt3CpeIpTable.') docs_submgt3_cpe_ip_id = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 3, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 1023))) if mibBuilder.loadTexts: docsSubmgt3CpeIpId.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3CpeIpId.setDescription("This attribute represents a unique identifier for a CPE IP of the CM. An instance of this attribute exists for each CPE provisioned in the 'Subscriber Management CPE IPv4 Table' or 'Subscriber Management CPE IPv6 Table' encodings. An entry is created either through the included CPE IP addresses in the provisioning object, or CPEs learned from traffic sourced from the CM.") docs_submgt3_cpe_ip_addr_type = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 3, 1, 2), inet_address_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: docsSubmgt3CpeIpAddrType.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3CpeIpAddrType.setDescription('The type of Internet address of the Addr attribute, such as IPv4 or IPv6.') docs_submgt3_cpe_ip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 3, 1, 3), inet_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: docsSubmgt3CpeIpAddr.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3CpeIpAddr.setDescription('This attribute represents the IP address either set from provisioning or learned via address gleaning of the DHCP exchange or some other means.') docs_submgt3_cpe_ip_addr_prefix_len = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 3, 1, 4), inet_address_prefix_length()).setMaxAccess('readonly') if mibBuilder.loadTexts: docsSubmgt3CpeIpAddrPrefixLen.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3CpeIpAddrPrefixLen.setDescription('This attribute represents the prefix length associated with the IP prefix (IPv4 or IPv6) that is either set via provisioning or learned via address gleaning of the DHCP exchange or some other means. For IPv4 CPE addresses, this attribute generally reports the value 32 (32 bits) to indicate a unicast IPv4 address. For IPv6 CPE addresses, this attribute represents either a discrete IPv6 IA_NA unicast address (a value of 128 bits, equal to /128 prefix length) or a delegated prefix (IA_PD) and its associated length (such as 56 bits, equal to /56 prefix length).') docs_submgt3_cpe_ip_learned = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 3, 1, 5), truth_value()).setMaxAccess('readonly') if mibBuilder.loadTexts: docsSubmgt3CpeIpLearned.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3CpeIpLearned.setDescription("This attribute is set to 'true' when the IP address was learned from IP packets sent upstream rather than via the CM provisioning process.") docs_submgt3_cpe_ip_type = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 3, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=named_values(('cpe', 1), ('ps', 2), ('mta', 3), ('stb', 4), ('tea', 5), ('erouter', 6), ('dva', 7), ('sg', 8), ('card', 9)))).setMaxAccess('readonly') if mibBuilder.loadTexts: docsSubmgt3CpeIpType.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3CpeIpType.setDescription("This attribute represents the type of CPE based on the following classification below: 'cpe' Regular CPE clients. 'ps' CableHome Portal Server (PS) 'mta' PacketCable Multimedia Terminal Adapter (MTA) 'stb' Digital Set-top Box (STB). 'tea' T1 Emulation adapter (TEA) 'erouter' Embedded Router (eRouter) 'dva' Digital Voice Adapter (DVA) 'sg' Security Gateway (SG) 'card' CableCARD") docs_submgt3_grp_table = mib_table((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 4)) if mibBuilder.loadTexts: docsSubmgt3GrpTable.setReference('DOCSIS 3.0 MAC and Upper Layer Protocols Interface Specification CM-SP-MULPIv3.0-I26-150305, Subscriber Management TLVs section in the Common Radio Frequency Interface Encodings Annex.') if mibBuilder.loadTexts: docsSubmgt3GrpTable.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3GrpTable.setDescription('This object defines the set of downstream and upstream filter groups that the CMTS applies to traffic associated with that CM.') docs_submgt3_grp_entry = mib_table_row((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 4, 1)) docsIf3CmtsCmRegStatusEntry.registerAugmentions(('DOCS-SUBMGT3-MIB', 'docsSubmgt3GrpEntry')) docsSubmgt3GrpEntry.setIndexNames(*docsIf3CmtsCmRegStatusEntry.getIndexNames()) if mibBuilder.loadTexts: docsSubmgt3GrpEntry.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3GrpEntry.setDescription('The conceptual row of docsSubmgt3GrpTable. The CMTS does not persist the instances of the Grp object across reinitializations.') docs_sub_mgt3_grp_udc_group_ids = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 4, 1, 1), snmp_tag_list().clone(hexValue='')).setMaxAccess('readwrite') if mibBuilder.loadTexts: docsSubMgt3GrpUdcGroupIds.setStatus('current') if mibBuilder.loadTexts: docsSubMgt3GrpUdcGroupIds.setDescription("This attribute represents the filter group(s) associated with the CM signaled 'Upstream Drop Classifier Group ID' encodings during the registration process. UDC Group IDs are integer values and this attribute reports them as decimal numbers that are space-separated. The zero-length string indicates that the CM didn't signal UDC Group IDs. This attribute provides two functions: - Communicate the CM the configured UDC Group ID(s), irrespective of the CM being provisioned to filter upstream traffic based on IP Filters or UDCs. - Optionally, and with regards to the CMTS, if the value of the attribute UdcSentInReqRsp is 'true', indicates that the filtering rules associated with the Subscriber Management Group ID(s) will be sent during registration to the CM. It is vendor specific whether the CMTS updates individual CM UDCs after registration when rules are changed in the Grp object.") docs_sub_mgt3_grp_udc_sent_in_reg_rsp = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 4, 1, 2), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: docsSubMgt3GrpUdcSentInRegRsp.setStatus('current') if mibBuilder.loadTexts: docsSubMgt3GrpUdcSentInRegRsp.setDescription("This attribute represents the CMTS upstream filtering status for this CM. The value 'true' indicates that the CMTS has sent UDCs to the CM during registration process. In order for a CMTS to send UDCs to a CM, the CMTS MAC Domain needed to be enabled via the MAC Domain attribute SendUdcRulesEnabled and the CM had indicated the UDC capability support during the registration process. The value 'false' indicates that the CMTS was not enabled to sent UDCs to the CMs in the MAC Domain, or the CM does not advertised UDC support in its capabilities encodings, or both. Since the CMTS capability to sent UDCs to CMs during the registration process is optional, the CMTS is not required to implement the value 'true'.") docs_submgt3_grp_sub_filter_ds = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 4, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1024))).setMaxAccess('readwrite') if mibBuilder.loadTexts: docsSubmgt3GrpSubFilterDs.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3GrpSubFilterDs.setDescription("This attribute represents the filter group applied to traffic destined for subscriber's CPE attached to the referenced CM (attached to CM CPE interfaces). This value corresponds to the 'Subscriber Downstream Group' value of the 'Subscriber Management Filter Groups' encoding signaled during the CM registration or in its absence, to the SubFilterDownDef attribute of the Base object. The value zero or a filter group ID not configured in the CMTS means no filtering is applied to traffic destined to hosts attached to this CM.") docs_submgt3_grp_sub_filter_us = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 4, 1, 4), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1024))).setMaxAccess('readwrite') if mibBuilder.loadTexts: docsSubmgt3GrpSubFilterUs.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3GrpSubFilterUs.setDescription("This attribute represents the filter group applied to traffic originating from subscriber's CPE attached to the referenced CM (attached to CM CPE interfaces). This value corresponds to the 'Subscriber Upstream Group' value of the 'Subscriber Management Filter Groups' encoding signaled during the CM registration or in its absence, to the SubFilterUpDef attribute of the Base object. The value zero or a filter group ID not configured in the CMTS means no filtering is applied to traffic originating from hosts attached to this CM.") docs_submgt3_grp_cm_filter_ds = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 4, 1, 5), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1024))).setMaxAccess('readwrite') if mibBuilder.loadTexts: docsSubmgt3GrpCmFilterDs.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3GrpCmFilterDs.setDescription("This attribute represents the filter group applied to traffic destined for the CM itself. This value corresponds to the 'CM Downstream Group' value of the 'Subscriber Management Filter Groups' encoding signaled during the CM registration or in its absence, to the CmFilterDownDef attribute of the Base object. The value zero or a filter group ID not configured in the CMTS means no filtering is applied to traffic destined to the CM.") docs_submgt3_grp_cm_filter_us = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 4, 1, 6), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1024))).setMaxAccess('readwrite') if mibBuilder.loadTexts: docsSubmgt3GrpCmFilterUs.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3GrpCmFilterUs.setDescription("This attribute represents the filter group applied to traffic originating from the CM itself. This value corresponds to the 'Subscriber Upstream Group' value of the 'Subscriber Management Filter Groups' encoding signaled during the CM registration or in its absence, to the SubFilterUpDef attribute of the Base object. The value zero or a filter group ID not configured in the CMTS means no filtering is applied to traffic originating from this CM.") docs_submgt3_grp_ps_filter_ds = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 4, 1, 7), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1024))).setMaxAccess('readwrite') if mibBuilder.loadTexts: docsSubmgt3GrpPsFilterDs.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3GrpPsFilterDs.setDescription("This attribute represents the filter group applied to traffic destined to the Embedded CableHome Portal Services Element or the Embedded Router on the referenced CM. This value corresponds to the 'PS Downstream Group' value of the 'Subscriber Management Filter Groups' encoding signaled during the CM registration or in its absence, to the SubFilterDownDef attribute of the Base object. The value zero or a filter group ID not configured in the CMTS means no filtering is applied to traffic destined to the Embedded CableHome Portal Services Element or Embedded Router on this CM.") docs_submgt3_grp_ps_filter_us = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 4, 1, 8), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1024))).setMaxAccess('readwrite') if mibBuilder.loadTexts: docsSubmgt3GrpPsFilterUs.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3GrpPsFilterUs.setDescription("This attribute represents the filter group applied to traffic originating from the Embedded CableHome Portal Services Element or Embedded Router on the referenced CM. This value corresponds to the 'PS Upstream Group' value of the 'Subscriber Management Filter Groups' encoding signaled during the CM registration or in its absence, to the SubFilterUpDef attribute of the Base object. The value zero or a filter group ID not configured in the CMTS means no filtering is applied to traffic originating from the Embedded CableHome Portal Services Element or Embedded Router on this CM.") docs_submgt3_grp_mta_filter_ds = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 4, 1, 9), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1024))).setMaxAccess('readwrite') if mibBuilder.loadTexts: docsSubmgt3GrpMtaFilterDs.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3GrpMtaFilterDs.setDescription("This attribute represents the filter group applied to traffic destined to the Embedded PacketCable Multimedia Terminal Adapter, Embedded PacketCable 2.0 Digital Voice Adaptor, Embedded PacketCable Security, Monitoring, and Automation Gateway, or Embedded T1/E1 TDM Emulation Adapter on the referenced CM. This value corresponds to the 'MTA Downstream Group' value of the 'Subscriber Management Filter Groups' encoding signaled during the CM registration or in its absence, to the SubFilterDownDef attribute of the Base object. The value zero or a filter group ID not configured in the CMTS means no filtering is applied to traffic destined to the Embedded PacketCable Multimedia Terminal Adapter, Embedded PacketCable 2.0 Digital Voice Adaptor, Embedded PacketCable Security, Monitoring, and Automation Gateway, or Embedded T1/E1 TDM Emulation Adapter on this CM.") docs_submgt3_grp_mta_filter_us = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 4, 1, 10), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1024))).setMaxAccess('readwrite') if mibBuilder.loadTexts: docsSubmgt3GrpMtaFilterUs.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3GrpMtaFilterUs.setDescription("This attribute represents the filter group applied to traffic originating from the Embedded PacketCable Multimedia Terminal Adapter, Embedded PacketCable 2.0 Digital Voice Adaptor, Embedded PacketCable Security, Monitoring, and Automation Gateway, or Embedded T1/E1 TDM Emulation Adapter on the referenced CM. This value corresponds to the 'MTA Upstream Group' value of the 'Subscriber Management Filter Groups' encoding signaled during the CM registration or in its absence, to the SubFilterUpDef attribute of the Base object. The value zero or a filter group ID not configured in the CMTS means no filtering is applied to traffic originating from the Embedded PacketCable Multimedia Terminal Adapter, Embedded PacketCable 2.0 Digital Voice Adaptor, Embedded PacketCable Security, Monitoring, and Automation Gateway, or Embedded T1/E1 TDM Emulation Adapter on this CM.") docs_submgt3_grp_stb_filter_ds = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 4, 1, 11), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1024))).setMaxAccess('readwrite') if mibBuilder.loadTexts: docsSubmgt3GrpStbFilterDs.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3GrpStbFilterDs.setDescription("This attribute represents the filter group applied to traffic destined for the Embedded Set-Top Box or CableCARD on the referenced CM. This value corresponds to the 'STB Downstream Group' value of the 'Subscriber Management Filter Groups' encoding signaled during the CM registration or in its absence, to the SubFilterDownDef attribute of the Base object. The value zero or a filter group ID not configured in the CMTS means no filtering is applied to traffic destined to the Embedded Set-Top Box or CableCARD on this CM.") docs_submgt3_grp_stb_filter_us = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 4, 1, 12), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1024))).setMaxAccess('readwrite') if mibBuilder.loadTexts: docsSubmgt3GrpStbFilterUs.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3GrpStbFilterUs.setDescription("This attribute represents the filter group applied to traffic originating from the Embedded Set-Top Box or CableCARD on the referenced CM. This value corresponds to the 'STB Upstream Group' value of the 'Subscriber Management Filter Groups' encoding signaled during the CM registration or in its absence, to the SubFilterUpDef attribute of the Base object. The value zero or a filter group ID not configured in the CMTS means no filtering is applied to traffic originating from the Embedded Set-Top Box or CableCARD on this CM.") docs_submgt3_filter_grp_table = mib_table((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5)) if mibBuilder.loadTexts: docsSubmgt3FilterGrpTable.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpTable.setDescription("This object describes a set of filter or classifier criteria. Classifiers are assigned by group to the individual CMs. That assignment is made via the 'Subscriber Management TLVs' encodings sent upstream from the CM to the CMTS during registration or in their absence, default values configured in the CMTS. A Filter Group ID (GrpId) is a set of rules that correspond to the expansion of a UDC Group ID into UDC individual classification rules. The Filter Group Ids are generated whenever the CMTS is configured to send UDCs during the CM registration process. Implementation of L2 classification criteria is optional for the CMTS; LLC/MAC upstream and downstream filter criteria can be ignored during the packet matching process.") docs_submgt3_filter_grp_entry = mib_table_row((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1)).setIndexNames((0, 'DOCS-SUBMGT3-MIB', 'docsSubmgt3FilterGrpGrpId'), (0, 'DOCS-SUBMGT3-MIB', 'docsSubmgt3FilterGrpRuleId')) if mibBuilder.loadTexts: docsSubmgt3FilterGrpEntry.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpEntry.setDescription('The conceptual row of docsSubmgt3FilterGrpTable. The CMTS persists all instances of the FilterGrp object across reinitializations.') docs_submgt3_filter_grp_grp_id = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 1024))) if mibBuilder.loadTexts: docsSubmgt3FilterGrpGrpId.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpGrpId.setDescription('This key is an identifier for a set of classifiers known as a filter group. Each CM may be associated with several filter groups for its upstream and downstream traffic, one group per target end point on the CM as defined in the Grp object. Typically, many CMs share a common set of filter groups.') docs_submgt3_filter_grp_rule_id = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 65535))) if mibBuilder.loadTexts: docsSubmgt3FilterGrpRuleId.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpRuleId.setDescription('This key represents an ordered classifier identifier within the group. Filters are applied in order if the Priority attribute is not supported.') docs_submgt3_filter_grp_action = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('permit', 1), ('deny', 2))).clone('permit')).setMaxAccess('readcreate') if mibBuilder.loadTexts: docsSubmgt3FilterGrpAction.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpAction.setDescription("This attribute represents the action to take upon this filter matching. 'permit' means to stop the classification matching and accept the packet for further processing. 'deny' means to drop the packet.") docs_submgt3_filter_grp_priority = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 4), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readcreate') if mibBuilder.loadTexts: docsSubmgt3FilterGrpPriority.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpPriority.setDescription('This attribute defines the order in which classifiers are compared against packets. The higher the value, the higher the priority.') docs_submgt3_filter_grp_ip_tos_low = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 5), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1).clone(hexValue='00')).setMaxAccess('readcreate') if mibBuilder.loadTexts: docsSubmgt3FilterGrpIpTosLow.setReference('DOCSIS 3.0 MAC and Upper Layer Protocols Interface Specification CM-SP-MULPIv3.0-I26-150305. RFC 791. RFC 3260. RFC 3168.') if mibBuilder.loadTexts: docsSubmgt3FilterGrpIpTosLow.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpIpTosLow.setDescription('This attribute represents the low value of a range of ToS (Type of Service) octet values. This object is defined as an 8-bit octet as per the DOCSIS Specification for packet classification. The IP ToS octet, as originally defined in RFC 791, has been superseded by the 6-bit Differentiated Services Field (DSField, RFC 3260) and the 2-bit Explicit Congestion Notification Field (ECN field, RFC 3168).') docs_submgt3_filter_grp_ip_tos_high = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 6), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1).clone(hexValue='00')).setMaxAccess('readcreate') if mibBuilder.loadTexts: docsSubmgt3FilterGrpIpTosHigh.setReference('DOCSIS 3.0 MAC and Upper Layer Protocols Interface Specification CM-SP-MULPIv3.0-I26-150305. RFC 791. RFC 3260. RFC 3168.') if mibBuilder.loadTexts: docsSubmgt3FilterGrpIpTosHigh.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpIpTosHigh.setDescription('This attribute represents the high value of a range of ToS octet values. This object is defined as an 8-bit octet as per the DOCSIS Specification for packet classification. The IP ToS octet, as originally defined in RFC 791, has been superseded by the 6-bit Differentiated Services Field (DSField, RFC 3260) and the 2-bit Explicit Congestion Notification Field (ECN field, RFC 3168).') docs_submgt3_filter_grp_ip_tos_mask = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 7), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1).clone(hexValue='00')).setMaxAccess('readcreate') if mibBuilder.loadTexts: docsSubmgt3FilterGrpIpTosMask.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpIpTosMask.setDescription('This attribute represents the mask value that is bitwise ANDed with ToS octet in an IP packet, and the resulting value is used for range checking of IpTosLow and IpTosHigh.') docs_submgt3_filter_grp_ip_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 8), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 257)).clone(256)).setMaxAccess('readcreate') if mibBuilder.loadTexts: docsSubmgt3FilterGrpIpProtocol.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpIpProtocol.setDescription('This attribute represents the value of the IP Protocol field required for IP packets to match this rule. The value 256 matches traffic with any IP Protocol value. The value 257 by convention matches both TCP and UDP.') docs_submgt3_filter_grp_inet_addr_type = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 9), inet_address_type().clone('unknown')).setMaxAccess('readcreate') if mibBuilder.loadTexts: docsSubmgt3FilterGrpInetAddrType.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpInetAddrType.setDescription('The type of the Internet address for InetSrcAddr, InetSrcMask, InetDestAddr, and InetDestMask.') docs_submgt3_filter_grp_inet_src_addr = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 10), inet_address().clone(hexValue='')).setMaxAccess('readcreate') if mibBuilder.loadTexts: docsSubmgt3FilterGrpInetSrcAddr.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpInetSrcAddr.setDescription("This attribute specifies the value of the IP Source Address required for packets to match this rule. An IP packet matches the rule when the packet's IP Source Address bitwise ANDed with the InetSrcMask value equals the InetSrcAddr value. The address type of this object is specified by the InetAddressType attribute.") docs_submgt3_filter_grp_inet_src_mask = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 11), inet_address().clone(hexValue='')).setMaxAccess('readcreate') if mibBuilder.loadTexts: docsSubmgt3FilterGrpInetSrcMask.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpInetSrcMask.setDescription("This attribute represents which bits of a packet's IP Source Address are compared to match this rule. An IP packet matches the rule when the packet's IP Source Address bitwise ANDed with the InetSrcMask value equals the InetSrcAddr value. The address type of this object is specified by InetAddrType.") docs_submgt3_filter_grp_inet_dest_addr = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 12), inet_address().clone(hexValue='')).setMaxAccess('readcreate') if mibBuilder.loadTexts: docsSubmgt3FilterGrpInetDestAddr.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpInetDestAddr.setDescription("This attribute specifies the value of the IP Destination Address required for packets to match this rule. An IP packet matches the rule when the packet's IP Destination Address bitwise ANDed with the InetSrcMask value equals the InetDestAddr value. The address type of this object is specified by the InetAddrType attribute.") docs_submgt3_filter_grp_inet_dest_mask = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 13), inet_address().clone(hexValue='')).setMaxAccess('readcreate') if mibBuilder.loadTexts: docsSubmgt3FilterGrpInetDestMask.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpInetDestMask.setDescription("This attribute represents which bits of a packet's IP Destination Address are compared to match this rule. An IP packet matches the rule when the packet's IP Destination Address bitwise ANDed with the InetDestMask value equals the InetDestAddr value. The address type of this object is specified by InetAddrType.") docs_submgt3_filter_grp_src_port_start = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 14), inet_port_number()).setMaxAccess('readcreate') if mibBuilder.loadTexts: docsSubmgt3FilterGrpSrcPortStart.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpSrcPortStart.setDescription('This attribute represents the low-end inclusive range of TCP/UDP source port numbers to which a packet is compared. This attribute is irrelevant for non-TCP/UDP IP packets.') docs_submgt3_filter_grp_src_port_end = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 15), inet_port_number().clone(65535)).setMaxAccess('readcreate') if mibBuilder.loadTexts: docsSubmgt3FilterGrpSrcPortEnd.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpSrcPortEnd.setDescription('This attribute represents the high-end inclusive range of TCP/UDP source port numbers to which a packet is compared. This attribute is irrelevant for non-TCP/UDP IP packets.') docs_submgt3_filter_grp_dest_port_start = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 16), inet_port_number()).setMaxAccess('readcreate') if mibBuilder.loadTexts: docsSubmgt3FilterGrpDestPortStart.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpDestPortStart.setDescription('This attribute represents the low-end inclusive range of TCP/UDP destination port numbers to which a packet is compared. This attribute is irrelevant for non-TCP/UDP IP packets.') docs_submgt3_filter_grp_dest_port_end = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 17), inet_port_number().clone(65535)).setMaxAccess('readcreate') if mibBuilder.loadTexts: docsSubmgt3FilterGrpDestPortEnd.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpDestPortEnd.setDescription('This attribute represents the high-end inclusive range of TCP/UDP destination port numbers to which a packet is compared. This attribute is irrelevant for non-TCP/UDP IP packets.') docs_submgt3_filter_grp_dest_mac_addr = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 18), mac_address().clone(hexValue='000000000000')).setMaxAccess('readcreate') if mibBuilder.loadTexts: docsSubmgt3FilterGrpDestMacAddr.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpDestMacAddr.setDescription('This attribute represents the criteria to match against an Ethernet packet MAC address bitwise ANDed with DestMacMask.') docs_submgt3_filter_grp_dest_mac_mask = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 19), mac_address().clone(hexValue='000000000000')).setMaxAccess('readcreate') if mibBuilder.loadTexts: docsSubmgt3FilterGrpDestMacMask.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpDestMacMask.setDescription('An Ethernet packet matches an entry when its destination MAC address bitwise ANDed with the DestMacMask attribute equals the value of the DestMacAddr attribute.') docs_submgt3_filter_grp_src_mac_addr = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 20), mac_address().clone(hexValue='FFFFFFFFFFFF')).setMaxAccess('readcreate') if mibBuilder.loadTexts: docsSubmgt3FilterGrpSrcMacAddr.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpSrcMacAddr.setDescription('This attribute represents the value to match against an Ethernet packet source MAC address.') docs_submgt3_filter_grp_enet_protocol_type = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 21), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4))).clone(namedValues=named_values(('none', 0), ('ethertype', 1), ('dsap', 2), ('mac', 3), ('all', 4))).clone('none')).setMaxAccess('readcreate') if mibBuilder.loadTexts: docsSubmgt3FilterGrpEnetProtocolType.setReference('RFC1042 Sub-Network Access Protocol (SNAP) encapsulation formats.') if mibBuilder.loadTexts: docsSubmgt3FilterGrpEnetProtocolType.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpEnetProtocolType.setDescription("This attribute indicates the format of the layer 3 protocol ID in the Ethernet packet. A value of 'none' means that the rule does not use the layer 3 protocol type as a matching criteria. A value of 'ethertype' means that the rule applies only to frames that contain an EtherType value. EtherType values are contained in packets using the DEC-Intel-Xerox (DIX) encapsulation or the RFC 1042 Sub-Network Access Protocol (SNAP) encapsulation formats. A value of 'dsap' means that the rule applies only to frames using the IEEE802.3 encapsulation format with a Destination Service Access Point (DSAP) other than 0xAA (which is reserved for SNAP). A value of 'mac' means that the rule applies only to MAC management messages for MAC management messages. A value of 'all' means that the rule matches all Ethernet packets. If the Ethernet frame contains an 802.1P/Q Tag header (i.e., EtherType 0x8100), this attribute applies to the embedded EtherType field within the 802.1p/Q header. The value 'mac' is only used for passing UDCs to CMs during Registration. The CMTS ignores filter rules that include the value of this attribute set to 'mac' for CMTS enforced upstream and downstream subscriber management filter group rules.") docs_submgt3_filter_grp_enet_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 22), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readcreate') if mibBuilder.loadTexts: docsSubmgt3FilterGrpEnetProtocol.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpEnetProtocol.setDescription("This attribute represents the Ethernet protocol type to be matched against the packets. For EnetProtocolType set to 'none', this attribute is ignored when considering whether a packet matches the current rule. If the attribute EnetProtocolType is 'ethertype', this attribute gives the 16-bit value of the EtherType that the packet must match in order to match the rule. If the attribute EnetProtocolType is 'dsap', the lower 8 bits of this attribute's value must match the DSAP octet of the packet in order to match the rule. If the Ethernet frame contains an 802.1p/Q Tag header (i.e., EtherType 0x8100), this attribute applies to the embedded EtherType field within the 802.1p/Q header.") docs_submgt3_filter_grp_user_pri_low = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 23), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 7))).setMaxAccess('readcreate') if mibBuilder.loadTexts: docsSubmgt3FilterGrpUserPriLow.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpUserPriLow.setDescription('This attribute applies only to Ethernet frames using the 802.1p/Q tag header (indicated with EtherType 0x8100). Such frames include a 16-bit Tag that contains a 3-bit Priority field and a 12-bit VLAN number. Tagged Ethernet packets must have a 3-bit Priority field within the range of PriLow to PriHigh in order to match this rule.') docs_submgt3_filter_grp_user_pri_high = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 24), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 7)).clone(7)).setMaxAccess('readcreate') if mibBuilder.loadTexts: docsSubmgt3FilterGrpUserPriHigh.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpUserPriHigh.setDescription('This attribute applies only to Ethernet frames using the 802.1p/Q tag header (indicated with EtherType 0x8100). Such frames include a 16-bit Tag that contains a 3-bit Priority field and a 12-bit VLAN number. Tagged Ethernet packets must have a 3-bit Priority field within the range of PriLow to PriHigh in order to match this rule.') docs_submgt3_filter_grp_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 25), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(1, 4094)))).setMaxAccess('readcreate') if mibBuilder.loadTexts: docsSubmgt3FilterGrpVlanId.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpVlanId.setDescription('This attribute applies only to Ethernet frames using the 802.1p/Q tag header. Tagged packets must have a VLAN Identifier that matches the value in order to match the rule.') docs_submgt3_filter_grp_class_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 26), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: docsSubmgt3FilterGrpClassPkts.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpClassPkts.setDescription('This attribute counts the number of packets that have been classified (matched) using this rule entry. This includes all packets delivered to a Service Flow maximum rate policing function, whether or not that function drops the packets. Discontinuities in the value of this counter can occur at re-initialization of the managed system, and at other times as indicated by the value of ifCounterDiscontinuityTime for the CM MAC Domain interface.') docs_submgt3_filter_grp_flow_label = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 27), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1048575))).setMaxAccess('readcreate') if mibBuilder.loadTexts: docsSubmgt3FilterGrpFlowLabel.setReference('DOCSIS 3.0 MAC and Upper Layer Protocols Interface Specification CM-SP-MULPIv3.0-I26-150305, IPv6 Flow Label section in the Common Radio Frequency Interface Encodings Annex.') if mibBuilder.loadTexts: docsSubmgt3FilterGrpFlowLabel.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpFlowLabel.setDescription('This attribute represents the Flow Label field in the IPv6 header to be matched by the classifier. The value zero indicates that the Flow Label is not specified as part of the classifier and is not matched against packets.') docs_submgt3_filter_grp_cm_interface_mask = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 28), docs_l2vpn_if_list()).setMaxAccess('readcreate') if mibBuilder.loadTexts: docsSubmgt3FilterGrpCmInterfaceMask.setReference('DOCSIS 3.0 MAC and Upper Layer Protocols Interface Specification CM-SP-MULPIv3.0-I26-150305, CM Interface Mask (CMIM) Encoding section in the Common Radio Frequency Interface Encodings Annex.') if mibBuilder.loadTexts: docsSubmgt3FilterGrpCmInterfaceMask.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpCmInterfaceMask.setDescription('This attribute represents a bit-mask of the CM in-bound interfaces to which this classifier applies. This attribute only applies to upstream Drop Classifiers being sent to CMs during the registration process.') docs_submgt3_filter_grp_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 1, 5, 1, 29), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: docsSubmgt3FilterGrpRowStatus.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3FilterGrpRowStatus.setDescription('The conceptual row status of this object.') docs_submgt3_mib_conformance = mib_identifier((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 2)) docs_submgt3_mib_compliances = mib_identifier((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 2, 1)) docs_submgt3_mib_groups = mib_identifier((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 2, 2)) docs_submgt3_compliance = module_compliance((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 2, 1, 1)).setObjects(('DOCS-SUBMGT3-MIB', 'docsSubmgt3Group')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): docs_submgt3_compliance = docsSubmgt3Compliance.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3Compliance.setDescription('The compliance statement for devices that implement the DOCSIS Subscriber Management 3 MIB.') docs_submgt3_group = object_group((1, 3, 6, 1, 4, 1, 4491, 2, 1, 10, 2, 2, 1)).setObjects(('DOCS-SUBMGT3-MIB', 'docsSubmgt3BaseCpeMaxIpv4Def'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3BaseCpeMaxIpv6PrefixesDef'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3BaseCpeActiveDef'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3BaseCpeLearnableDef'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3BaseSubFilterDownDef'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3BaseSubFilterUpDef'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3BaseCmFilterDownDef'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3BaseCmFilterUpDef'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3BasePsFilterDownDef'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3BasePsFilterUpDef'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3BaseMtaFilterDownDef'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3BaseMtaFilterUpDef'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3BaseStbFilterDownDef'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3BaseStbFilterUpDef'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3CpeCtrlMaxCpeIpv4'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3CpeCtrlMaxCpeIpv6Prefixes'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3CpeCtrlActive'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3CpeCtrlLearnable'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3CpeCtrlReset'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3CpeCtrlLastReset'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3CpeIpAddrType'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3CpeIpAddr'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3CpeIpAddrPrefixLen'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3CpeIpLearned'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3CpeIpType'), ('DOCS-SUBMGT3-MIB', 'docsSubMgt3GrpUdcGroupIds'), ('DOCS-SUBMGT3-MIB', 'docsSubMgt3GrpUdcSentInRegRsp'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3GrpSubFilterDs'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3GrpSubFilterUs'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3GrpCmFilterDs'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3GrpCmFilterUs'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3GrpPsFilterDs'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3GrpPsFilterUs'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3GrpMtaFilterDs'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3GrpMtaFilterUs'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3GrpStbFilterDs'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3GrpStbFilterUs'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3FilterGrpAction'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3FilterGrpPriority'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3FilterGrpIpTosLow'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3FilterGrpIpTosHigh'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3FilterGrpIpTosMask'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3FilterGrpIpProtocol'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3FilterGrpInetAddrType'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3FilterGrpInetSrcAddr'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3FilterGrpInetSrcMask'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3FilterGrpInetDestAddr'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3FilterGrpInetDestMask'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3FilterGrpSrcPortStart'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3FilterGrpSrcPortEnd'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3FilterGrpDestPortStart'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3FilterGrpDestPortEnd'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3FilterGrpDestMacAddr'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3FilterGrpDestMacMask'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3FilterGrpSrcMacAddr'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3FilterGrpEnetProtocolType'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3FilterGrpEnetProtocol'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3FilterGrpUserPriLow'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3FilterGrpUserPriHigh'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3FilterGrpVlanId'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3FilterGrpClassPkts'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3FilterGrpFlowLabel'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3FilterGrpCmInterfaceMask'), ('DOCS-SUBMGT3-MIB', 'docsSubmgt3FilterGrpRowStatus')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): docs_submgt3_group = docsSubmgt3Group.setStatus('current') if mibBuilder.loadTexts: docsSubmgt3Group.setDescription('Group of objects implemented in the CMTS.') mibBuilder.exportSymbols('DOCS-SUBMGT3-MIB', docsSubmgt3CpeCtrlMaxCpeIpv6Addresses=docsSubmgt3CpeCtrlMaxCpeIpv6Addresses, docsSubmgt3BaseSubFilterDownDef=docsSubmgt3BaseSubFilterDownDef, docsSubmgt3CpeIpLearned=docsSubmgt3CpeIpLearned, docsSubmgt3FilterGrpTable=docsSubmgt3FilterGrpTable, docsSubmgt3FilterGrpGrpId=docsSubmgt3FilterGrpGrpId, docsSubmgt3BaseCpeActiveDef=docsSubmgt3BaseCpeActiveDef, docsSubmgt3FilterGrpPriority=docsSubmgt3FilterGrpPriority, docsSubmgt3MibGroups=docsSubmgt3MibGroups, docsSubmgt3FilterGrpDestMacAddr=docsSubmgt3FilterGrpDestMacAddr, docsSubmgt3BaseCpeMaxIpv4Def=docsSubmgt3BaseCpeMaxIpv4Def, docsSubmgt3GrpCmFilterUs=docsSubmgt3GrpCmFilterUs, PYSNMP_MODULE_ID=docsSubmgt3Mib, docsSubmgt3BaseCmFilterUpDef=docsSubmgt3BaseCmFilterUpDef, docsSubMgt3GrpUdcSentInRegRsp=docsSubMgt3GrpUdcSentInRegRsp, docsSubmgt3BaseMtaFilterUpDef=docsSubmgt3BaseMtaFilterUpDef, docsSubmgt3GrpPsFilterDs=docsSubmgt3GrpPsFilterDs, docsSubmgt3Base=docsSubmgt3Base, docsSubmgt3FilterGrpCmInterfaceMask=docsSubmgt3FilterGrpCmInterfaceMask, docsSubmgt3GrpCmFilterDs=docsSubmgt3GrpCmFilterDs, docsSubmgt3FilterGrpEntry=docsSubmgt3FilterGrpEntry, docsSubmgt3FilterGrpSrcMacAddr=docsSubmgt3FilterGrpSrcMacAddr, docsSubmgt3MibObjects=docsSubmgt3MibObjects, docsSubmgt3CpeIpId=docsSubmgt3CpeIpId, docsSubmgt3CpeCtrlTable=docsSubmgt3CpeCtrlTable, docsSubmgt3CpeIpAddr=docsSubmgt3CpeIpAddr, docsSubmgt3CpeCtrlEntry=docsSubmgt3CpeCtrlEntry, docsSubmgt3BaseStbFilterDownDef=docsSubmgt3BaseStbFilterDownDef, docsSubmgt3GrpPsFilterUs=docsSubmgt3GrpPsFilterUs, docsSubmgt3FilterGrpAction=docsSubmgt3FilterGrpAction, docsSubmgt3BaseCpeMaxIpv6PrefixesDef=docsSubmgt3BaseCpeMaxIpv6PrefixesDef, docsSubmgt3FilterGrpInetDestAddr=docsSubmgt3FilterGrpInetDestAddr, docsSubmgt3CpeCtrlMaxCpeIpv4=docsSubmgt3CpeCtrlMaxCpeIpv4, docsSubmgt3CpeCtrlReset=docsSubmgt3CpeCtrlReset, docsSubmgt3BaseCpeMaxIpv6AddressesDef=docsSubmgt3BaseCpeMaxIpv6AddressesDef, docsSubmgt3CpeIpTable=docsSubmgt3CpeIpTable, docsSubmgt3FilterGrpClassPkts=docsSubmgt3FilterGrpClassPkts, docsSubmgt3FilterGrpIpTosMask=docsSubmgt3FilterGrpIpTosMask, docsSubmgt3Compliance=docsSubmgt3Compliance, docsSubmgt3FilterGrpDestPortEnd=docsSubmgt3FilterGrpDestPortEnd, docsSubmgt3BaseStbFilterUpDef=docsSubmgt3BaseStbFilterUpDef, docsSubmgt3CpeIpType=docsSubmgt3CpeIpType, docsSubmgt3GrpEntry=docsSubmgt3GrpEntry, docsSubmgt3FilterGrpDestMacMask=docsSubmgt3FilterGrpDestMacMask, docsSubmgt3FilterGrpInetDestMask=docsSubmgt3FilterGrpInetDestMask, docsSubmgt3FilterGrpEnetProtocolType=docsSubmgt3FilterGrpEnetProtocolType, docsSubmgt3FilterGrpIpTosHigh=docsSubmgt3FilterGrpIpTosHigh, docsSubmgt3BasePsFilterUpDef=docsSubmgt3BasePsFilterUpDef, docsSubmgt3FilterGrpIpProtocol=docsSubmgt3FilterGrpIpProtocol, docsSubmgt3CpeCtrlMaxCpeIpv6Prefixes=docsSubmgt3CpeCtrlMaxCpeIpv6Prefixes, docsSubmgt3MibConformance=docsSubmgt3MibConformance, docsSubmgt3CpeIpAddrPrefixLen=docsSubmgt3CpeIpAddrPrefixLen, docsSubmgt3FilterGrpFlowLabel=docsSubmgt3FilterGrpFlowLabel, docsSubmgt3FilterGrpSrcPortEnd=docsSubmgt3FilterGrpSrcPortEnd, docsSubmgt3FilterGrpInetAddrType=docsSubmgt3FilterGrpInetAddrType, docsSubmgt3FilterGrpUserPriLow=docsSubmgt3FilterGrpUserPriLow, docsSubmgt3CpeCtrlActive=docsSubmgt3CpeCtrlActive, docsSubmgt3GrpSubFilterDs=docsSubmgt3GrpSubFilterDs, docsSubmgt3FilterGrpEnetProtocol=docsSubmgt3FilterGrpEnetProtocol, docsSubmgt3FilterGrpVlanId=docsSubmgt3FilterGrpVlanId, docsSubmgt3FilterGrpDestPortStart=docsSubmgt3FilterGrpDestPortStart, docsSubmgt3CpeCtrlLastReset=docsSubmgt3CpeCtrlLastReset, docsSubmgt3BasePsFilterDownDef=docsSubmgt3BasePsFilterDownDef, docsSubmgt3Mib=docsSubmgt3Mib, docsSubmgt3GrpSubFilterUs=docsSubmgt3GrpSubFilterUs, docsSubmgt3Group=docsSubmgt3Group, docsSubmgt3FilterGrpRuleId=docsSubmgt3FilterGrpRuleId, docsSubmgt3FilterGrpInetSrcMask=docsSubmgt3FilterGrpInetSrcMask, docsSubmgt3BaseCpeLearnableDef=docsSubmgt3BaseCpeLearnableDef, docsSubmgt3GrpMtaFilterUs=docsSubmgt3GrpMtaFilterUs, docsSubmgt3BaseSubFilterUpDef=docsSubmgt3BaseSubFilterUpDef, docsSubmgt3GrpMtaFilterDs=docsSubmgt3GrpMtaFilterDs, docsSubmgt3FilterGrpSrcPortStart=docsSubmgt3FilterGrpSrcPortStart, docsSubmgt3GrpTable=docsSubmgt3GrpTable, docsSubmgt3FilterGrpUserPriHigh=docsSubmgt3FilterGrpUserPriHigh, docsSubmgt3FilterGrpIpTosLow=docsSubmgt3FilterGrpIpTosLow, docsSubmgt3FilterGrpRowStatus=docsSubmgt3FilterGrpRowStatus, docsSubmgt3BaseMtaFilterDownDef=docsSubmgt3BaseMtaFilterDownDef, docsSubmgt3CpeIpEntry=docsSubmgt3CpeIpEntry, docsSubmgt3CpeCtrlLearnable=docsSubmgt3CpeCtrlLearnable, docsSubmgt3FilterGrpInetSrcAddr=docsSubmgt3FilterGrpInetSrcAddr, docsSubmgt3BaseCmFilterDownDef=docsSubmgt3BaseCmFilterDownDef, docsSubMgt3GrpUdcGroupIds=docsSubMgt3GrpUdcGroupIds, docsSubmgt3CpeIpAddrType=docsSubmgt3CpeIpAddrType, docsSubmgt3GrpStbFilterUs=docsSubmgt3GrpStbFilterUs, docsSubmgt3MibCompliances=docsSubmgt3MibCompliances, docsSubmgt3GrpStbFilterDs=docsSubmgt3GrpStbFilterDs)
''' Kattis - beatspread Very easy math problem. Time: O(1), Space: O(1) ''' num_tc = int(input()) for i in range(num_tc): a, b = map(int, input().split()) l = (a+b)//2 s = (a-b)//2 if (a+b)%2 == 1 or s < 0: print(f"impossible") else: print(f"{l} {s}")
""" Kattis - beatspread Very easy math problem. Time: O(1), Space: O(1) """ num_tc = int(input()) for i in range(num_tc): (a, b) = map(int, input().split()) l = (a + b) // 2 s = (a - b) // 2 if (a + b) % 2 == 1 or s < 0: print(f'impossible') else: print(f'{l} {s}')
class Node: '''each node represents a different dog or cat object They each have a name, a type (cat or dog), and a reference to the next animal in the shelter queue ''' def __init__(self, animal_type, next_node=None): self.animal_type = animal_type self.next = next_node class InvalidOperationError(Exception): pass class Queue: '''Queue of animals in the animal shelter Follows first in first out (fifo) principle First animal enqueued should be the first animal dequeued ''' def __init__(self): self.front = None def enqueue(self, animal_type=None): new_node = Node(animal_type) if not self.front: self.front = new_node else: current = self.front while current.next: current = current.next current.next = new_node def dequeue(self, preference=None): current = self.front if not current: return "No animals available" if not preference: first = self.front self.front = current.next return first.animal_type if preference != "cat" and preference != "dog": return "Null" while current.animal_type != preference: if current.next: previous_node = current current = current.next next_node = current.next else: return "Null" previous_node.next = next_node return current.animal_type
class Node: """each node represents a different dog or cat object They each have a name, a type (cat or dog), and a reference to the next animal in the shelter queue """ def __init__(self, animal_type, next_node=None): self.animal_type = animal_type self.next = next_node class Invalidoperationerror(Exception): pass class Queue: """Queue of animals in the animal shelter Follows first in first out (fifo) principle First animal enqueued should be the first animal dequeued """ def __init__(self): self.front = None def enqueue(self, animal_type=None): new_node = node(animal_type) if not self.front: self.front = new_node else: current = self.front while current.next: current = current.next current.next = new_node def dequeue(self, preference=None): current = self.front if not current: return 'No animals available' if not preference: first = self.front self.front = current.next return first.animal_type if preference != 'cat' and preference != 'dog': return 'Null' while current.animal_type != preference: if current.next: previous_node = current current = current.next next_node = current.next else: return 'Null' previous_node.next = next_node return current.animal_type
target_x = range(211, 233) target_y = range(-124, -68) # part 1 and 2 x_hits = [] infinite_x_hits = [] for vx in range(1, target_x.stop): pos = 0 i = 0 while pos < target_x.stop and vx > i: pos += vx - i i += 1 if pos in target_x: x_hits.append((vx, i)) if vx == i and pos in target_x: infinite_x_hits.append((vx, i+1)) print(infinite_x_hits) y_hits = [] curr_vy = target_y.start while True: if curr_vy > -target_y.start: break vy = curr_vy curr_vy += 1 pos = 0 i = 0 max_pos = 0 while pos > target_y.start: pos += vy if pos > max_pos: max_pos = pos vy -= 1 i += 1 if pos in target_y: y_hits.append((vy+i, i, max_pos)) y_hits = sorted(y_hits, key=lambda x: x[2]) hits = [] while len(y_hits) > 0: vy, i, max_y = y_hits.pop() x_matches = list(filter(lambda x: x[1] == i, x_hits)) for match in x_matches: vx, _ = match hits.append((vy, vx, max_y)) inf_matches = list(filter(lambda x: x[1] <= i, infinite_x_hits)) for match in inf_matches: vx, _ = match hits.append((vy, vx, max_y)) print(max(map(lambda x: x[2], hits))) print(len(set(hits)))
target_x = range(211, 233) target_y = range(-124, -68) x_hits = [] infinite_x_hits = [] for vx in range(1, target_x.stop): pos = 0 i = 0 while pos < target_x.stop and vx > i: pos += vx - i i += 1 if pos in target_x: x_hits.append((vx, i)) if vx == i and pos in target_x: infinite_x_hits.append((vx, i + 1)) print(infinite_x_hits) y_hits = [] curr_vy = target_y.start while True: if curr_vy > -target_y.start: break vy = curr_vy curr_vy += 1 pos = 0 i = 0 max_pos = 0 while pos > target_y.start: pos += vy if pos > max_pos: max_pos = pos vy -= 1 i += 1 if pos in target_y: y_hits.append((vy + i, i, max_pos)) y_hits = sorted(y_hits, key=lambda x: x[2]) hits = [] while len(y_hits) > 0: (vy, i, max_y) = y_hits.pop() x_matches = list(filter(lambda x: x[1] == i, x_hits)) for match in x_matches: (vx, _) = match hits.append((vy, vx, max_y)) inf_matches = list(filter(lambda x: x[1] <= i, infinite_x_hits)) for match in inf_matches: (vx, _) = match hits.append((vy, vx, max_y)) print(max(map(lambda x: x[2], hits))) print(len(set(hits)))
n = 0 factor = 20 while True: n = n + factor is_divisible = True for i in range(1, factor + 1): if n % i != 0: is_divisible = False break if (is_divisible): break print(n)
n = 0 factor = 20 while True: n = n + factor is_divisible = True for i in range(1, factor + 1): if n % i != 0: is_divisible = False break if is_divisible: break print(n)
line = input().split(" ") n = int(line[0]) # nodes m = int(line[1]) # edges graph = {} def find_lowest_cost_node(costs, processed): lowest_cost_node = None lowest_cost = float("inf") for node, cost in costs.items(): if cost < lowest_cost and node not in processed: lowest_cost_node = node lowest_cost = cost return lowest_cost_node, lowest_cost def shortest_path(start, end): costs = {} costs[start] = 0 processed = [] node, cost = find_lowest_cost_node(costs, processed) while node is not None: neighbors = graph[node] for neighbor, neighbor_cost in neighbors.items(): new_cost = neighbor_cost + cost if costs.get(neighbor) is None or new_cost < costs[neighbor]: costs[neighbor] = new_cost processed.append(node) node, cost = find_lowest_cost_node(costs, processed) if costs.get(end) is None: return -1 else: return costs[end] for i in range(m): line = input().split(" ") a = int(line[0]) b = int(line[1]) w = int(line[2]) if graph.get(a) is None: graph[a] = {} if graph.get(a).get(b) is not None: if graph[a][b] > w: graph[a][b] = w elif graph.get(a).get(b) is None: graph[a][b] = w if graph.get(b) is None: graph[b] = {} if graph.get(b).get(a) is not None: if graph[b][a] > w: graph[b][a] = w elif graph.get(b).get(a) is None: graph[b][a] = w distance = shortest_path(1, n) print(distance)
line = input().split(' ') n = int(line[0]) m = int(line[1]) graph = {} def find_lowest_cost_node(costs, processed): lowest_cost_node = None lowest_cost = float('inf') for (node, cost) in costs.items(): if cost < lowest_cost and node not in processed: lowest_cost_node = node lowest_cost = cost return (lowest_cost_node, lowest_cost) def shortest_path(start, end): costs = {} costs[start] = 0 processed = [] (node, cost) = find_lowest_cost_node(costs, processed) while node is not None: neighbors = graph[node] for (neighbor, neighbor_cost) in neighbors.items(): new_cost = neighbor_cost + cost if costs.get(neighbor) is None or new_cost < costs[neighbor]: costs[neighbor] = new_cost processed.append(node) (node, cost) = find_lowest_cost_node(costs, processed) if costs.get(end) is None: return -1 else: return costs[end] for i in range(m): line = input().split(' ') a = int(line[0]) b = int(line[1]) w = int(line[2]) if graph.get(a) is None: graph[a] = {} if graph.get(a).get(b) is not None: if graph[a][b] > w: graph[a][b] = w elif graph.get(a).get(b) is None: graph[a][b] = w if graph.get(b) is None: graph[b] = {} if graph.get(b).get(a) is not None: if graph[b][a] > w: graph[b][a] = w elif graph.get(b).get(a) is None: graph[b][a] = w distance = shortest_path(1, n) print(distance)
class Solution: # @param {string} s # @return {integer} def lengthOfLongestSubstring(self, s): n = len(s) if n <=1: return n start = 0 max_count = 1 c_dict = {s[0]:0} for p in range(1,n): sub = s[start:p] c = s[p] if c in sub: start = c_dict[c]+1 c_dict[c]=p max_count = max(max_count , p-start+1) return max_count
class Solution: def length_of_longest_substring(self, s): n = len(s) if n <= 1: return n start = 0 max_count = 1 c_dict = {s[0]: 0} for p in range(1, n): sub = s[start:p] c = s[p] if c in sub: start = c_dict[c] + 1 c_dict[c] = p max_count = max(max_count, p - start + 1) return max_count
broj = -1 while broj != 0: print("Trenutni broj je " + str(broj)) broj = int(intpu("Unesite novi broj: ")) print("Kraj")
broj = -1 while broj != 0: print('Trenutni broj je ' + str(broj)) broj = int(intpu('Unesite novi broj: ')) print('Kraj')
name="Ashwin" def student(): print("Name",name) #accessing in def also student() if name[0]=="A": #accessing in global print("Starts from A") x = 300 def myfunc(): global x x = 200 print(x) myfunc() print(x)
name = 'Ashwin' def student(): print('Name', name) student() if name[0] == 'A': print('Starts from A') x = 300 def myfunc(): global x x = 200 print(x) myfunc() print(x)
# GENERATED VERSION FILE # TIME: Fri Sep 11 18:59:53 2020 __version__ = '0.3.0+038435e' short_version = '0.3.0'
__version__ = '0.3.0+038435e' short_version = '0.3.0'
def quick_sort(nums: list) -> list: if len(nums) <= 1: return nums mid = nums[0] return quick_sort([i for i in nums if i < mid]) + [mid] + quick_sort([i for i in nums if i > mid])
def quick_sort(nums: list) -> list: if len(nums) <= 1: return nums mid = nums[0] return quick_sort([i for i in nums if i < mid]) + [mid] + quick_sort([i for i in nums if i > mid])
# Definition for singly-linked list. # class ListNode: # def __init__(self, x): # self.val = x # self.next = None class Solution: def deleteDuplicates(self, head: ListNode) -> ListNode: dummy = ListNode(None) dummy.next = head p = dummy while p.next: cur = p.next nxt = cur.next while nxt and cur.val == nxt.val: cur = cur.next nxt = cur.next p.next = cur p = cur return dummy.next
class Solution: def delete_duplicates(self, head: ListNode) -> ListNode: dummy = list_node(None) dummy.next = head p = dummy while p.next: cur = p.next nxt = cur.next while nxt and cur.val == nxt.val: cur = cur.next nxt = cur.next p.next = cur p = cur return dummy.next
# -*- coding: utf-8 -*- ftx = { 'apiKey':"your_api_key_here" , 'secret':"your_api_secret_here", }
ftx = {'apiKey': 'your_api_key_here', 'secret': 'your_api_secret_here'}
# The location of the extracted scilab_for_xcos_on_cloud. This can be either # relative to SendLog.py or an absolute path. SCILAB_DIR = '../scilab_for_xcos_on_cloud' # The location to keep the flask session data on server. FLASKSESSIONDIR = '/tmp/flask-sessiondir' # The location to keep the session data on server. SESSIONDIR = '/tmp/sessiondir' # The location of the xcos files on server. XCOSSOURCEDIR = '' # the http server settings HTTP_SERVER_HOST = '127.0.0.1' HTTP_SERVER_PORT = 8001 # the database server settings DB_HOST = '127.0.0.1' DB_USER = 'scilab' DB_PASS = '' DB_NAME = 'scilab' DB_PORT = 3306 # the database queries QUERY_CATEGORY = ( "SELECT DISTINCT(loc.id), loc.category_name " "FROM textbook_companion_preference pe " "JOIN textbook_companion_proposal po ON pe.proposal_id = po.id " "JOIN list_of_category loc ON pe.category = loc.id " "JOIN textbook_companion_chapter tcc ON pe.id = tcc.preference_id " "JOIN xcos_on_cloud_enable_book xceb ON pe.id = xceb.book_id " "JOIN textbook_companion_example tce ON tcc.id = tce.chapter_id " "JOIN textbook_companion_example_files tcef ON tce.id = tcef.example_id " "WHERE tcef.filetype = 'X' AND po.proposal_status = 3 AND " "pe.approval_status = 1 " "ORDER BY loc.id ASC") QUERY_BOOK = ( "SELECT DISTINCT(pe.id), pe.book, pe.author " "FROM textbook_companion_preference pe " "JOIN textbook_companion_proposal po ON pe.proposal_id = po.id " "JOIN list_of_category loc ON pe.category = loc.id " "JOIN textbook_companion_chapter tcc ON pe.id = tcc.preference_id " "JOIN xcos_on_cloud_enable_book xceb ON pe.id = xceb.book_id " "JOIN textbook_companion_example tce ON tcc.id = tce.chapter_id " "JOIN textbook_companion_example_files tcef ON tce.id = tcef.example_id " "WHERE tcef.filetype = 'X' AND po.proposal_status = 3 AND " "pe.approval_status = 1 AND pe.category = %s " "ORDER BY pe.book ASC") QUERY_CHAPTER = ( "SELECT DISTINCT(tcc.id), tcc.number, tcc.name " "FROM textbook_companion_preference pe " "JOIN textbook_companion_proposal po ON pe.proposal_id = po.id " "JOIN list_of_category loc ON pe.category = loc.id " "JOIN textbook_companion_chapter tcc ON pe.id = tcc.preference_id " "JOIN xcos_on_cloud_enable_book xceb ON pe.id = xceb.book_id " "JOIN textbook_companion_example tce ON tcc.id = tce.chapter_id " "JOIN textbook_companion_example_files tcef ON tce.id = tcef.example_id " "WHERE tcef.filetype = 'X' AND po.proposal_status = 3 AND " "pe.approval_status = 1 AND tcc.preference_id = %s " "ORDER BY tcc.number ASC") QUERY_EXAMPLE = ( "SELECT DISTINCT(tce.id), tce.number, tce.caption " "FROM textbook_companion_preference pe " "JOIN textbook_companion_proposal po ON pe.proposal_id = po.id " "JOIN list_of_category loc ON pe.category = loc.id " "JOIN textbook_companion_chapter tcc ON pe.id = tcc.preference_id " "JOIN xcos_on_cloud_enable_book xceb ON pe.id = xceb.book_id " "JOIN textbook_companion_example tce ON tcc.id = tce.chapter_id " "JOIN textbook_companion_example_files tcef ON tce.id = tcef.example_id " "WHERE tcef.filetype = 'X' AND po.proposal_status = 3 AND " "pe.approval_status = 1 AND tce.chapter_id = %s " "ORDER BY tce.number") QUERY_EXAMPLE_FILE = ( "SELECT id as example_file_id, filename " "FROM textbook_companion_example_files " "WHERE filetype = 'X' AND example_id = %s" ) QUERY_EXAMPLE_FILE_BY_ID = ( "SELECT filename, filepath, example_id " "FROM textbook_companion_example_files " "WHERE filetype = 'X' AND id = %s" ) QUERY_PREREQUISITE_FILE_BY_EXAMPLE_ID = ( "SELECT filename, filepath, id as prerequisite_file_id " "FROM textbook_companion_example_files " "WHERE filetype = 'S' AND example_id = %s" ) # Following are system command which are not permitted in sci files # (Reference scilab-on-cloud project) SYSTEM_COMMANDS = ( r'unix\(.*\)|unix_g\(.*\)|unix_w\(.*\)|unix_x\(.*\)|unix_s\(.*\)|host' r'|newfun|execstr|ascii|mputl|dir\(\)' ) REMOVEFILE = True
scilab_dir = '../scilab_for_xcos_on_cloud' flasksessiondir = '/tmp/flask-sessiondir' sessiondir = '/tmp/sessiondir' xcossourcedir = '' http_server_host = '127.0.0.1' http_server_port = 8001 db_host = '127.0.0.1' db_user = 'scilab' db_pass = '' db_name = 'scilab' db_port = 3306 query_category = "SELECT DISTINCT(loc.id), loc.category_name FROM textbook_companion_preference pe JOIN textbook_companion_proposal po ON pe.proposal_id = po.id JOIN list_of_category loc ON pe.category = loc.id JOIN textbook_companion_chapter tcc ON pe.id = tcc.preference_id JOIN xcos_on_cloud_enable_book xceb ON pe.id = xceb.book_id JOIN textbook_companion_example tce ON tcc.id = tce.chapter_id JOIN textbook_companion_example_files tcef ON tce.id = tcef.example_id WHERE tcef.filetype = 'X' AND po.proposal_status = 3 AND pe.approval_status = 1 ORDER BY loc.id ASC" query_book = "SELECT DISTINCT(pe.id), pe.book, pe.author FROM textbook_companion_preference pe JOIN textbook_companion_proposal po ON pe.proposal_id = po.id JOIN list_of_category loc ON pe.category = loc.id JOIN textbook_companion_chapter tcc ON pe.id = tcc.preference_id JOIN xcos_on_cloud_enable_book xceb ON pe.id = xceb.book_id JOIN textbook_companion_example tce ON tcc.id = tce.chapter_id JOIN textbook_companion_example_files tcef ON tce.id = tcef.example_id WHERE tcef.filetype = 'X' AND po.proposal_status = 3 AND pe.approval_status = 1 AND pe.category = %s ORDER BY pe.book ASC" query_chapter = "SELECT DISTINCT(tcc.id), tcc.number, tcc.name FROM textbook_companion_preference pe JOIN textbook_companion_proposal po ON pe.proposal_id = po.id JOIN list_of_category loc ON pe.category = loc.id JOIN textbook_companion_chapter tcc ON pe.id = tcc.preference_id JOIN xcos_on_cloud_enable_book xceb ON pe.id = xceb.book_id JOIN textbook_companion_example tce ON tcc.id = tce.chapter_id JOIN textbook_companion_example_files tcef ON tce.id = tcef.example_id WHERE tcef.filetype = 'X' AND po.proposal_status = 3 AND pe.approval_status = 1 AND tcc.preference_id = %s ORDER BY tcc.number ASC" query_example = "SELECT DISTINCT(tce.id), tce.number, tce.caption FROM textbook_companion_preference pe JOIN textbook_companion_proposal po ON pe.proposal_id = po.id JOIN list_of_category loc ON pe.category = loc.id JOIN textbook_companion_chapter tcc ON pe.id = tcc.preference_id JOIN xcos_on_cloud_enable_book xceb ON pe.id = xceb.book_id JOIN textbook_companion_example tce ON tcc.id = tce.chapter_id JOIN textbook_companion_example_files tcef ON tce.id = tcef.example_id WHERE tcef.filetype = 'X' AND po.proposal_status = 3 AND pe.approval_status = 1 AND tce.chapter_id = %s ORDER BY tce.number" query_example_file = "SELECT id as example_file_id, filename FROM textbook_companion_example_files WHERE filetype = 'X' AND example_id = %s" query_example_file_by_id = "SELECT filename, filepath, example_id FROM textbook_companion_example_files WHERE filetype = 'X' AND id = %s" query_prerequisite_file_by_example_id = "SELECT filename, filepath, id as prerequisite_file_id FROM textbook_companion_example_files WHERE filetype = 'S' AND example_id = %s" system_commands = 'unix\\(.*\\)|unix_g\\(.*\\)|unix_w\\(.*\\)|unix_x\\(.*\\)|unix_s\\(.*\\)|host|newfun|execstr|ascii|mputl|dir\\(\\)' removefile = True
class ApiError(Exception): pass class WrongToken(ApiError): pass class PermissionError(ApiError): pass
class Apierror(Exception): pass class Wrongtoken(ApiError): pass class Permissionerror(ApiError): pass
def solve(A): T = [None]*len(A) prev = [None]*len( A) for i in range(len(A)): T[i] = 1 prev[i] = -1 for j in range(i): if A[j] < A[i] and T[i] < T[j]+1: T[i] = T[j]+1 return max(T[i] for i in range(len(A))) if __name__ == '__main__': A = [5,3,2,4,6,1] print(solve(A))
def solve(A): t = [None] * len(A) prev = [None] * len(A) for i in range(len(A)): T[i] = 1 prev[i] = -1 for j in range(i): if A[j] < A[i] and T[i] < T[j] + 1: T[i] = T[j] + 1 return max((T[i] for i in range(len(A)))) if __name__ == '__main__': a = [5, 3, 2, 4, 6, 1] print(solve(A))
while True: numero= int(input("Escribir un numero= ")) if numero%2 == 0: print("El numero es par") else: print("El numero es impar")
while True: numero = int(input('Escribir un numero= ')) if numero % 2 == 0: print('El numero es par') else: print('El numero es impar')
# Natural Language Toolkit: code_search_documents def raw(file): contents = open(file).read() contents = re.sub(r'<.*?>', ' ', contents) contents = re.sub('\s+', ' ', contents) return contents def snippet(doc, term): text = ' '*30 + raw(doc) + ' '*30 pos = text.index(term) return text[pos-30:pos+30] print("Building Index...") files = nltk.corpus.movie_reviews.abspaths() idx = nltk.Index((w, f) for f in files for w in raw(f).split()) query = '' while query != "quit": query = input("query> ") # use raw_input() in Python 2 if query in idx: for doc in idx[query]: print(snippet(doc, query)) else: print("Not found")
def raw(file): contents = open(file).read() contents = re.sub('<.*?>', ' ', contents) contents = re.sub('\\s+', ' ', contents) return contents def snippet(doc, term): text = ' ' * 30 + raw(doc) + ' ' * 30 pos = text.index(term) return text[pos - 30:pos + 30] print('Building Index...') files = nltk.corpus.movie_reviews.abspaths() idx = nltk.Index(((w, f) for f in files for w in raw(f).split())) query = '' while query != 'quit': query = input('query> ') if query in idx: for doc in idx[query]: print(snippet(doc, query)) else: print('Not found')
class Solution: def diffWaysToCompute(self, input: str) -> [int]: end = [] op = {'+': lambda x, y: x + y, '-': lambda x, y: x - y, '*': lambda x, y: x * y} for i in range(len(input)): if input[i] in op.keys(): for left in self.diffWaysToCompute(input[:i]): for right in self.diffWaysToCompute(input[i + 1:len(input)]): output = op[input[i]](left, right) end.append(output) if len(end) == 0: end.append(int(input)) return end
class Solution: def diff_ways_to_compute(self, input: str) -> [int]: end = [] op = {'+': lambda x, y: x + y, '-': lambda x, y: x - y, '*': lambda x, y: x * y} for i in range(len(input)): if input[i] in op.keys(): for left in self.diffWaysToCompute(input[:i]): for right in self.diffWaysToCompute(input[i + 1:len(input)]): output = op[input[i]](left, right) end.append(output) if len(end) == 0: end.append(int(input)) return end
#PLOTS ################################################## #if(plot_opacity == True): # p_plot = np.linspace(2.0,6.0,21) # a_plot = np.logspace(np.log10(0.001),np.log10(10.),21) # # EXT_plot = EXT(a_plot,p_plot) # ALB_plot = ALB(a_plot,p_plot) # # plt.close() # fig = plt.figure() # ax = fig.add_subplot(111) # im = ax.imshow(EXT_plot, cmap='hot', origin='lower', interpolation='gaussian',aspect='auto') # cbar = fig.colorbar(im,orientation='vertical') # cbar.set_label(r"$\chi_{"+str(wl)+"\mathrm{cm}} [\mathrm{cm}^2/\mathrm{g}_{\mathrm{dust}}]$") # plt.xticks( np.linspace(0,len(a_plot)-1,len(a_plot)) , np.round_(np.log10(a_plot),decimals=2)) # plt.yticks( np.linspace(0,(len(p_plot)-1),len(p_plot)), np.round_(p_plot, decimals=2)) # plt.xticks(rotation=90) # plt.yticks(rotation=0) # plt.xlabel('$\log (a_{\mathrm{max}} [\mathrm{cm}])$') # plt.ylabel('$p$') # plt.savefig('Opacity/EXT_nu'+str(np.round(nu/1.e9,2))+'GHz.pdf', bbox_inches='tight') # print (' - Opacity/EXT_nu'+str(np.round(nu/1.e9,2))+'GHz.pdf saved!') # # plt.close() # fig = plt.figure() # ax = fig.add_subplot(111) # im = ax.imshow(ALB_plot, cmap='hot', origin='lower', interpolation='gaussian',aspect='auto') # cbar = fig.colorbar(im,orientation='vertical') # cbar.set_label(r"$\omega_{"+str(wl)+"\mathrm{cm}}$") # plt.xticks( np.linspace(0,len(a_plot)-1,len(a_plot)) , np.round_(np.log10(a_plot),decimals=2)) # plt.yticks( np.linspace(0,(len(p_plot)-1),len(p_plot)), np.round_(p_plot, decimals=2)) # plt.xticks(rotation=90) # plt.yticks(rotation=0) # plt.xlabel('$\log (a_{\mathrm{max}} [\mathrm{cm}])$') # plt.ylabel('$p$') # plt.savefig('Opacity/ALB_nu'+str(np.round(nu/1.e9,2))+'GHz.pdf', bbox_inches='tight') # print (' - Opacity/ALB_nu'+str(np.round(nu/1.e9,2))+'GHz.pdf saved!') ########################################################## if(plot_sky == True): plt.close() fig , ax = plt.subplots(nrows=2,ncols=2,figsize=(15,12)) fig.subplots_adjust(hspace=.15,wspace=.1) plt.suptitle('$\lambda = %.2f \ \mathrm{cm}; \ i = %.1f \ \mathrm{deg}$'%(wl,inc*180./np.pi)) ########################################################## if(intensity_log == True): im = ax[0][0].imshow(np.log10(Bright*1.e3), cmap='hot', origin='lower',aspect='auto', extent=[np.min(x_array),np.max(x_array),np.min(y_array),np.max(y_array)],interpolation='None') cbar = fig.colorbar(im,orientation='vertical',ax=ax[0][0]) cbar.set_label(r'$\log (I_{\nu})\ \mathrm{[mJy/pix]}$') im = ax[0][1].imshow(np.log10(conv_Bright*1.e3), cmap='hot', origin='lower',aspect='auto', extent=[np.min(x_array),np.max(x_array),np.min(y_array),np.max(y_array)],interpolation='None') cbar = fig.colorbar(im,orientation='vertical',ax=ax[0][1]) cbar.set_label(r'$\log (I_{\nu})\ \mathrm{[mJy/beam]}$') beam_d = patches.Circle((-0.75*length/2.,-0.75*length/2),radius=beam*distance/2.,facecolor='w', edgecolor='k') ax[0][1].add_patch(beam_d) else: im = ax[0][0].imshow(Bright*1.e3, cmap='hot', origin='lower',aspect='auto', extent=[np.min(x_array),np.max(x_array),np.min(y_array),np.max(y_array)],interpolation='None') cbar = fig.colorbar(im,orientation='vertical',ax=ax[0][0]) cbar.set_label(r'$I_{\nu} \ \mathrm{[mJy/pix]}$') im = ax[0][1].imshow(conv_Bright*1.e3, cmap='hot', origin='lower',aspect='auto', extent=[np.min(x_array),np.max(x_array),np.min(y_array),np.max(y_array)],interpolation='None') cbar = fig.colorbar(im,orientation='vertical',ax=ax[0][1]) cbar.set_label(r'$I_{\nu} \ \mathrm{[mJy/beam]}$') beam_d = patches.Circle((-0.75*length/2.,-0.75*length/2),radius=beam*distance/2.,facecolor='w', edgecolor='k') ax[0][1].add_patch(beam_d) ax[0][0].set_ylabel(r'$y \ \mathrm{[au]}$') ax[0][0].set_title(r'$\mathrm{Intensity \ Model}$') ax[0][0].set_xticks([]) ax[0][1].set_yticks([]) ax[0][1].set_xticks([]) ax[0][1].set_title(r'$\mathrm{Convolved \ intensity}$') ########################################################## if(np.nanmax(op_depth) > 1.): Contorno = True else: Contorno = False if(opacity_log == True): im = ax[1][0].imshow(np.log10(op_depth), cmap='hot_r', origin='lower',aspect='auto', extent=[np.min(x_array),np.max(x_array),np.min(y_array),np.max(y_array)],interpolation='None') cbar = fig.colorbar(im,orientation='vertical',ax=ax[1][0]) if(Contorno == True): con = ax[1][0].contour(np.log10(op_depth), levels=[0.0],colors='k',linestyles='dashed',origin='lower', aspect='auto', extent=[np.min(x_array),np.max(x_array),np.min(y_array),np.max(y_array)]) ax[1][0].plot([],[],'k--',label=r'$\tau_{\chi_{\nu}} = 1$') else: im = ax[1][0].imshow(op_depth, cmap='hot', origin='lower',aspect='auto', extent=[np.min(x_array),np.max(x_array),np.min(y_array),np.max(y_array)],interpolation='None') cbar = fig.colorbar(im,orientation='vertical',ax=ax[1][0]) if(Contorno == True): con = ax[1][0].contour(op_depth, levels=[1.0],colors='k',linestyles='dashed',origin='lower', aspect='auto', extent=[np.min(x_array),np.max(x_array),np.min(y_array),np.max(y_array)]) if (scattering == True): cbar.set_label(r'$\log (\tau_{\chi_{\nu}})$') else: cbar.set_label(r'$\log (\tau_{\kappa_{\nu}})$') im = ax[1][1].imshow(conv_TB, cmap='hot', origin='lower',aspect='auto', extent=[np.min(x_array),np.max(x_array),np.min(y_array),np.max(y_array)],interpolation='None') # ax[1][1].add_patch(beam_d) cbar = fig.colorbar(im,orientation='vertical',ax=ax[1][1]) cbar.set_label(r'$T_{\mathrm{B}} [\mathrm{K/beam}]$') ax[1][0].legend(loc=3,framealpha=0.2,fontsize=12) ax[1][0].set_ylabel(r'') ax[1][1].set_yticks([]) ax[1][0].set_title(r'$\mathrm{Optical \ depth \ model}$') for j in range(2): ax[1][j].set_xlabel(r'$x \ \mathrm{[au]}$') plt.savefig('Results/img/Diks_wl'+str(np.round(wl,2))+'_inc'+str(np.round(inc*180./np.pi,2))+'deg.pdf', bbox_inches='tight') print (' - Results/img/Diks_wl'+str(np.round(wl,2))+'_inc'+str(np.round(inc*180./np.pi,2))+'deg.pdf saved!') ########################################################## if(plot_Temperature == True): plt.close() fig , ax = plt.subplots(nrows=1,ncols=1,figsize=(14,6)) im = ax.imshow(np.log10(map_T),cmap='hot', origin='lower',aspect='auto', extent=[x_array[0],x_array[nx-1],z_temp[0],z_temp[len(z_temp)-1]],interpolation='None') ax.contour(np.log10(map_T), 4,colors='w',linestyles='dashed',origin='lower', aspect='auto', extent=[x_array[0],x_array[nx-1],z_temp[0],z_temp[len(z_temp)-1]]) cbar = fig.colorbar(im,orientation='vertical',ax=ax) cbar.set_label(r'$\log (T_{\mathrm{d}} [\mathrm{K}])$') ax.set_xlim(xmin=0.,xmax=Rout) ax.set_xlabel(r'$\varpi \ \mathrm{[au]}$',fontsize=16) ax.set_ylabel(r'$z \ \mathrm{[au]}$',fontsize=16) plt.savefig('Results/img/TemperatureStructure_Mdot'+str(Mdot*year/Msun)+'_Tstar'+str(Tstar)+'.pdf', bbox_inches='tight') print (' - Results/img/TemperatureStructure_Mdot'+str(Mdot*year/Msun)+'_Tstar'+str(Tstar)+'.pdf')
if plot_sky == True: plt.close() (fig, ax) = plt.subplots(nrows=2, ncols=2, figsize=(15, 12)) fig.subplots_adjust(hspace=0.15, wspace=0.1) plt.suptitle('$\\lambda = %.2f \\ \\mathrm{cm}; \\ i = %.1f \\ \\mathrm{deg}$' % (wl, inc * 180.0 / np.pi)) if intensity_log == True: im = ax[0][0].imshow(np.log10(Bright * 1000.0), cmap='hot', origin='lower', aspect='auto', extent=[np.min(x_array), np.max(x_array), np.min(y_array), np.max(y_array)], interpolation='None') cbar = fig.colorbar(im, orientation='vertical', ax=ax[0][0]) cbar.set_label('$\\log (I_{\\nu})\\ \\mathrm{[mJy/pix]}$') im = ax[0][1].imshow(np.log10(conv_Bright * 1000.0), cmap='hot', origin='lower', aspect='auto', extent=[np.min(x_array), np.max(x_array), np.min(y_array), np.max(y_array)], interpolation='None') cbar = fig.colorbar(im, orientation='vertical', ax=ax[0][1]) cbar.set_label('$\\log (I_{\\nu})\\ \\mathrm{[mJy/beam]}$') beam_d = patches.Circle((-0.75 * length / 2.0, -0.75 * length / 2), radius=beam * distance / 2.0, facecolor='w', edgecolor='k') ax[0][1].add_patch(beam_d) else: im = ax[0][0].imshow(Bright * 1000.0, cmap='hot', origin='lower', aspect='auto', extent=[np.min(x_array), np.max(x_array), np.min(y_array), np.max(y_array)], interpolation='None') cbar = fig.colorbar(im, orientation='vertical', ax=ax[0][0]) cbar.set_label('$I_{\\nu} \\ \\mathrm{[mJy/pix]}$') im = ax[0][1].imshow(conv_Bright * 1000.0, cmap='hot', origin='lower', aspect='auto', extent=[np.min(x_array), np.max(x_array), np.min(y_array), np.max(y_array)], interpolation='None') cbar = fig.colorbar(im, orientation='vertical', ax=ax[0][1]) cbar.set_label('$I_{\\nu} \\ \\mathrm{[mJy/beam]}$') beam_d = patches.Circle((-0.75 * length / 2.0, -0.75 * length / 2), radius=beam * distance / 2.0, facecolor='w', edgecolor='k') ax[0][1].add_patch(beam_d) ax[0][0].set_ylabel('$y \\ \\mathrm{[au]}$') ax[0][0].set_title('$\\mathrm{Intensity \\ Model}$') ax[0][0].set_xticks([]) ax[0][1].set_yticks([]) ax[0][1].set_xticks([]) ax[0][1].set_title('$\\mathrm{Convolved \\ intensity}$') if np.nanmax(op_depth) > 1.0: contorno = True else: contorno = False if opacity_log == True: im = ax[1][0].imshow(np.log10(op_depth), cmap='hot_r', origin='lower', aspect='auto', extent=[np.min(x_array), np.max(x_array), np.min(y_array), np.max(y_array)], interpolation='None') cbar = fig.colorbar(im, orientation='vertical', ax=ax[1][0]) if Contorno == True: con = ax[1][0].contour(np.log10(op_depth), levels=[0.0], colors='k', linestyles='dashed', origin='lower', aspect='auto', extent=[np.min(x_array), np.max(x_array), np.min(y_array), np.max(y_array)]) ax[1][0].plot([], [], 'k--', label='$\\tau_{\\chi_{\\nu}} = 1$') else: im = ax[1][0].imshow(op_depth, cmap='hot', origin='lower', aspect='auto', extent=[np.min(x_array), np.max(x_array), np.min(y_array), np.max(y_array)], interpolation='None') cbar = fig.colorbar(im, orientation='vertical', ax=ax[1][0]) if Contorno == True: con = ax[1][0].contour(op_depth, levels=[1.0], colors='k', linestyles='dashed', origin='lower', aspect='auto', extent=[np.min(x_array), np.max(x_array), np.min(y_array), np.max(y_array)]) if scattering == True: cbar.set_label('$\\log (\\tau_{\\chi_{\\nu}})$') else: cbar.set_label('$\\log (\\tau_{\\kappa_{\\nu}})$') im = ax[1][1].imshow(conv_TB, cmap='hot', origin='lower', aspect='auto', extent=[np.min(x_array), np.max(x_array), np.min(y_array), np.max(y_array)], interpolation='None') cbar = fig.colorbar(im, orientation='vertical', ax=ax[1][1]) cbar.set_label('$T_{\\mathrm{B}} [\\mathrm{K/beam}]$') ax[1][0].legend(loc=3, framealpha=0.2, fontsize=12) ax[1][0].set_ylabel('') ax[1][1].set_yticks([]) ax[1][0].set_title('$\\mathrm{Optical \\ depth \\ model}$') for j in range(2): ax[1][j].set_xlabel('$x \\ \\mathrm{[au]}$') plt.savefig('Results/img/Diks_wl' + str(np.round(wl, 2)) + '_inc' + str(np.round(inc * 180.0 / np.pi, 2)) + 'deg.pdf', bbox_inches='tight') print(' - Results/img/Diks_wl' + str(np.round(wl, 2)) + '_inc' + str(np.round(inc * 180.0 / np.pi, 2)) + 'deg.pdf saved!') if plot_Temperature == True: plt.close() (fig, ax) = plt.subplots(nrows=1, ncols=1, figsize=(14, 6)) im = ax.imshow(np.log10(map_T), cmap='hot', origin='lower', aspect='auto', extent=[x_array[0], x_array[nx - 1], z_temp[0], z_temp[len(z_temp) - 1]], interpolation='None') ax.contour(np.log10(map_T), 4, colors='w', linestyles='dashed', origin='lower', aspect='auto', extent=[x_array[0], x_array[nx - 1], z_temp[0], z_temp[len(z_temp) - 1]]) cbar = fig.colorbar(im, orientation='vertical', ax=ax) cbar.set_label('$\\log (T_{\\mathrm{d}} [\\mathrm{K}])$') ax.set_xlim(xmin=0.0, xmax=Rout) ax.set_xlabel('$\\varpi \\ \\mathrm{[au]}$', fontsize=16) ax.set_ylabel('$z \\ \\mathrm{[au]}$', fontsize=16) plt.savefig('Results/img/TemperatureStructure_Mdot' + str(Mdot * year / Msun) + '_Tstar' + str(Tstar) + '.pdf', bbox_inches='tight') print(' - Results/img/TemperatureStructure_Mdot' + str(Mdot * year / Msun) + '_Tstar' + str(Tstar) + '.pdf')
# Copyright 2017 The Chromium Authors. All rights reserved. # Use of this source code is governed by a BSD-style license that can be # found in the LICENSE file. DEPS = [ 'chromium', 'chromium_android', 'recipe_engine/json', ] def RunSteps(api): api.chromium.set_config('chromium') api.chromium_android.set_config('main_builder', BUILD_CONFIG='Release') api.chromium_android.run_java_unit_test_suite( 'test_suite', json_results_file=api.json.output()) def GenTests(api): yield api.test('basic')
deps = ['chromium', 'chromium_android', 'recipe_engine/json'] def run_steps(api): api.chromium.set_config('chromium') api.chromium_android.set_config('main_builder', BUILD_CONFIG='Release') api.chromium_android.run_java_unit_test_suite('test_suite', json_results_file=api.json.output()) def gen_tests(api): yield api.test('basic')
def solveQuestion(value): n = -1 total = 0 while total < value: n += 1 total = 4*n*n - 4*n + 1 n = n - 1 minSpiralVal = 4*n*n - 4*n + 1 difference = value - minSpiralVal # if difference is more than n - 1 if difference < n: return n + difference elif difference == n: return n elif difference > n and difference < 2*n: return n + difference - n print(solveQuestion(361527))
def solve_question(value): n = -1 total = 0 while total < value: n += 1 total = 4 * n * n - 4 * n + 1 n = n - 1 min_spiral_val = 4 * n * n - 4 * n + 1 difference = value - minSpiralVal if difference < n: return n + difference elif difference == n: return n elif difference > n and difference < 2 * n: return n + difference - n print(solve_question(361527))
input = "()()(()()()(()()((()((()))((()((((()()((((()))()((((())(((((((()(((((((((()(((())(()()(()((()()(()(())(()((((()((()()()((((())((((((()(()(((()())(()((((()))())(())(()(()()))))))))((((((((((((()())()())())(())))(((()()()((((()(((()(()(()()(()(()()(()(((((((())(())(())())))((()())()((((()()((()))(((()()()())))(())))((((())(((()())(())(()))(()((((()())))())((()(())(((()((((()((()(())())))((()))()()(()(()))))((((((((()())((((()()((((()(()())(((((()(()())()))())(((()))()(()(()(()((((()(())(()))(((((()()(()()()(()(((())())(((()()(()()))(((()()(((())())(()(())())()()(())()()()((()(((()(())((()()((())()))((()()))((()()())((((()(()()(()(((()))()(()))))((()(((()()()))(()(((())()(()((()())(()(()()(()())(())()(((()(()())()((((()((()))))())()))((()()()()(())()())()()()((((()))))(()(((()()(((((((())()))()((((()((())()(()())(())()))(()(()())(((((((())))(((()))())))))()))())((())(()()((())()())()))))()((()()())(())((())((((()())())()()()(((()))())))()()))())(()()()(()((((((()()))())()))()(((()(((())((((()()()(()))())()()))))())()))())((())()())(((((())())((())())))(((())(((())(((((()(((((())(()(()())())(()(())(()))(()((((()))())()))))())))((()(()))))())))(((((())()))())()))))()))))(((()))()))))((()))((()((()(()(())()())))(()()()(())()))()((((())))))))(())(()((()()))(()))(()))(()((()))))))()()((((()()))()())()))))))()()()))(()((())(()))((()()()())()(((()((((())())))()((((()(()))))))())))()()())()))(()))))(()())()))))))((())))))))())()))()((())())))(()((()))()))(())))))(()))()())()()))((()(()))()()()()))))())()()))())(())()()))()))((()))))()()(()())))))()()()))((((()))()))))(()(())))(()())))((())())(()))()))))()())))()())()())))))))))()()))))())))((())((()))))())))(((()())))))))(()))()()))(()))()))))()())))))())((((()())))))))())))()()))))))))()))()))))()))))))(())))))))))())))))))))))))))())())((())))))))))()))((())))()))))))))())()(()))))))())))))()()()())()(()()()(()())(()))()()()(()())))())())))()))))())))))))()()()()())(())())()())()))))(()()()()()))))()))())())))((()())()())))()))()))))(()())))()))))))))(((()))()()))))))))))))))))))))(()))(()((()))())))())(()))(()(()(())))))()(()))()))()()))))))))))))()((()())(())())()(())))))())()())((()()))))(()()))))())()(())()))))))))))))))))))))()))(()(()())))))))()()((()))()))))))((())))()))))))))((()))())()()))())()()))((()))())))))))))))(()())()))(())((()(()()))(()())(())))()())(()(())()()))))()))()(()))))))(()))))))))))(()))())))))))))())))))())))(())))))()))))(())())))))))))()(()))))()())))())(()))()())))))))))))))())()()))))()))))))())))))()))))(())(()()()()((())()))())(()))((())()))())())(())(()()))))()))(())()()((())(())))(())))()))())))))))))()(((((())())))(())()))))(())))((()))()(((((((()))))()()))(())))))()(()))))(()()))()))())))))))(()())()))))))))())))(()))())()))(())()((())())()())())(()(()))))()))))))((()())(())()()(()())))()()))(())(())(()))())))()))(()))()()))((((()))))()))((()()()))))()))()))())))(()))()))))(())))()))())()(()))()())))())))))))())))())))()()))))))(()))())())))()))()()())())))))))))))))())))()))(()()))))())))())()(())))())))))))))))))))))()()())())))))()()()((()(()))()()(())()())()))()))))()()()))))))((()))))))))()(()(()((((((()()((()())))))))))))()))())))))((())())(()))())))())))))())()()())(())))())))()())())(())))))))()()(())))()))())))())())())()))))))))()))(()()()())())())))(())())))))))()()())()))))())))())()(())())))))))()())()))(()()(())())))()(()((()()((()()(((((())(()())()))(())()))(())))(())))))))()))()))((()))()))()))))))))()))))))))((()()())(()))(((()))(())))()))((())(((())))()())))())))))((())))))(())())((((((())())()(()))()(()((()())))((())()(()(()))))(())(()()())(())))())((()(((())())))(((()())())))())()(())())((((()()))))())((()))()()()()(())(((((((()()()((()))())(()())))(())())((((()()(()))))()((())))((())()))()(((()))())))()))((()(()))(())(()((((())((((()()(()()))(((())(()))))((((()(()))(())))))((()))(()))((()(((()(()))(()(()((()(())(()(()(()(()()((()))())(((())(()(()))))(()))()()))(())))(())()(((())(()))()((((()()))))())(()))))((())()((((()(((()))())())(((()))()())((())(())())(())()(())()(()()((((((()()))))()()(((()()))))()())()(((()(()))(()(()())(()(()))))(((((()(((())())))))(((((()((()()((())())((((((()(())(()()((()()()()()()()(()()))()(((()))()))(((((((())(((()((()())()((((())(((()(())))()((()(()()()((())((()())()))()))())))())((((((()))(()(()()()))(()((()(()(()))()((()(((()()()((())(((((())()(()))())())((()(())))(()(()())(())((())())())(((()()()(())))))())(()))))))()))))))())((()()()))((()((((((()))(((()((((()()()(((()))())()(()()(((()((()()()()())()()))()()()(()(())((()))))(()))())))))))()(()()(((((())()(()(((((()((()(()()())(()((((((((()((((((())()((((()()()((()((()((((((()))((())))))))())()))((()(()))()(()()(()((())((()()((((((((((((()())(()()()))((((()((((((())(()))())(()()((()()))()(((((((()((()()((((((()(((())))((())))((((((((()()(((((((())(((((()())(((())((())()((((()(((((((()(()(((()((((((()(((()(((((((((((()()((()()(()))((()()(((()(((())))((((())()(()(((())()(()(((())(((((((((((()))())))((((((())((()()((((()())())((((()()))((())(((((()(()()(()()()((())(()((()()((((()(((((()((()(()((((()())((((((()(((((()()(()(()((((())))(())(())(())((((()(()()((((()((((()()((()((((((())))(((((()))))()))(()((((((((()(((())())(((())))(()(()((())(((()((()()(((((()((()()(((())()(()))(((((((())(()(((((()))((()((()((()))(())())((((()((((())()(()))(((()(((((((((((((((())(((((((((()))(((()(()()()()((((((()((())()((((((((()(())(((((((((((()(()((())()((()()(()(()()((((()()((())(()((()()(()()((((()(((((((())))((((())(())()(((()()((()()((((()((()(((()((())(((()()()((((()((((()()(()(()((((((((())(()(((((())(()())(((((((()())()(()((((()((())(()()())((((()()(((()((((())(())(()()(((((((((()()))()(((())(()(()((((((())(()()())(()))()()(((()(((()((())(()(((((((()(()(()((()(((((()(()((()(()((((((()((((()()((((()(((()((())(()(()((()()((((()()(())()(())(((())(()((((((((()())(((((((((()(())()((((())))()))()()(((((()()((((((())(()()(((()(()(((((((()(()(((((((())(())((((()((()(())))((((()()())(()))((()())((((()(((((()(()(())(()(()()())(((((()(((((()((((()()((((((((()()))(()((((((())((((())()(()(((()()()(((()(()(())(())(((((()(())())((((())(())(()(((()(((((())((((())())((()(((((((()(((())(()(()))(((((((((()((()((()()(()((((())(((()((())((((())(()(((()(((()(()((((()(((())(()(((()(()()(()(()((()()(()())(())())((()(()(((()(((()(((()()(((((((((()(((((((((()()(((()(((()())((((()(()(((()()()((())((((((((((())(()(((()((((()())((((()((()))(((()()()(((((()(((((((())((()())(()((((())((((((((())(()((()((((((((((()()((()((()()))(((()())()())()(((()())()()(()(()(((((((())()))(())()))())()()((())()((()((((()((()((())(((((()((((((()(())))(()))())(((()))((()()(()(((()))((((())()(((()))))()(()(())()(((((())(()(()(())(())()((()()()((((()(())((()())(()(()))(()(()(()()(())()()(()((())()((()))))()))((()(()()()()((()())(()))())()(()(((((((((())())((()((()((((((())()((((())(((())((()(()()()((())(()((())(((()((((()()((()(()(((((())()))()((((((()))((())(((()()))(((())(())()))(((((((())(())())()(())(((((()))()((()))()(()()((()()()()()())(((((((" def resulting(instructions): ups = instructions.count('(') downs = instructions.count(')') return ups - downs print('resulting floor:') print(resulting(input)) instrlen = len(input) for i in range(2,instrlen): result = resulting(input[0:i]) if result == -1: print('you reach the basement after {theresult} iterations.'.format(theresult = i)) break
input = '()()(()()()(()()((()((()))((()((((()()((((()))()((((())(((((((()(((((((((()(((())(()()(()((()()(()(())(()((((()((()()()((((())((((((()(()(((()())(()((((()))())(())(()(()()))))))))((((((((((((()())()())())(())))(((()()()((((()(((()(()(()()(()(()()(()(((((((())(())(())())))((()())()((((()()((()))(((()()()())))(())))((((())(((()())(())(()))(()((((()())))())((()(())(((()((((()((()(())())))((()))()()(()(()))))((((((((()())((((()()((((()(()())(((((()(()())()))())(((()))()(()(()(()((((()(())(()))(((((()()(()()()(()(((())())(((()()(()()))(((()()(((())())(()(())())()()(())()()()((()(((()(())((()()((())()))((()()))((()()())((((()(()()(()(((()))()(()))))((()(((()()()))(()(((())()(()((()())(()(()()(()())(())()(((()(()())()((((()((()))))())()))((()()()()(())()())()()()((((()))))(()(((()()(((((((())()))()((((()((())()(()())(())()))(()(()())(((((((())))(((()))())))))()))())((())(()()((())()())()))))()((()()())(())((())((((()())())()()()(((()))())))()()))())(()()()(()((((((()()))())()))()(((()(((())((((()()()(()))())()()))))())()))())((())()())(((((())())((())())))(((())(((())(((((()(((((())(()(()())())(()(())(()))(()((((()))())()))))())))((()(()))))())))(((((())()))())()))))()))))(((()))()))))((()))((()((()(()(())()())))(()()()(())()))()((((())))))))(())(()((()()))(()))(()))(()((()))))))()()((((()()))()())()))))))()()()))(()((())(()))((()()()())()(((()((((())())))()((((()(()))))))())))()()())()))(()))))(()())()))))))((())))))))())()))()((())())))(()((()))()))(())))))(()))()())()()))((()(()))()()()()))))())()()))())(())()()))()))((()))))()()(()())))))()()()))((((()))()))))(()(())))(()())))((())())(()))()))))()())))()())()())))))))))()()))))())))((())((()))))())))(((()())))))))(()))()()))(()))()))))()())))))())((((()())))))))())))()()))))))))()))()))))()))))))(())))))))))())))))))))))))))())())((())))))))))()))((())))()))))))))())()(()))))))())))))()()()())()(()()()(()())(()))()()()(()())))())())))()))))())))))))()()()()())(())())()())()))))(()()()()()))))()))())())))((()())()())))()))()))))(()())))()))))))))(((()))()()))))))))))))))))))))(()))(()((()))())))())(()))(()(()(())))))()(()))()))()()))))))))))))()((()())(())())()(())))))())()())((()()))))(()()))))())()(())()))))))))))))))))))))()))(()(()())))))))()()((()))()))))))((())))()))))))))((()))())()()))())()()))((()))())))))))))))(()())()))(())((()(()()))(()())(())))()())(()(())()()))))()))()(()))))))(()))))))))))(()))())))))))))())))))())))(())))))()))))(())())))))))))()(()))))()())))())(()))()())))))))))))))())()()))))()))))))())))))()))))(())(()()()()((())()))())(()))((())()))())())(())(()()))))()))(())()()((())(())))(())))()))())))))))))()(((((())())))(())()))))(())))((()))()(((((((()))))()()))(())))))()(()))))(()()))()))())))))))(()())()))))))))())))(()))())()))(())()((())())()())())(()(()))))()))))))((()())(())()()(()())))()()))(())(())(()))())))()))(()))()()))((((()))))()))((()()()))))()))()))())))(()))()))))(())))()))())()(()))()())))())))))))())))())))()()))))))(()))())())))()))()()())())))))))))))))())))()))(()()))))())))())()(())))())))))))))))))))))()()())())))))()()()((()(()))()()(())()())()))()))))()()()))))))((()))))))))()(()(()((((((()()((()())))))))))))()))())))))((())())(()))())))())))))())()()())(())))())))()())())(())))))))()()(())))()))())))())())())()))))))))()))(()()()())())())))(())())))))))()()())()))))())))())()(())())))))))()())()))(()()(())())))()(()((()()((()()(((((())(()())()))(())()))(())))(())))))))()))()))((()))()))()))))))))()))))))))((()()())(()))(((()))(())))()))((())(((())))()())))())))))((())))))(())())((((((())())()(()))()(()((()())))((())()(()(()))))(())(()()())(())))())((()(((())())))(((()())())))())()(())())((((()()))))())((()))()()()()(())(((((((()()()((()))())(()())))(())())((((()()(()))))()((())))((())()))()(((()))())))()))((()(()))(())(()((((())((((()()(()()))(((())(()))))((((()(()))(())))))((()))(()))((()(((()(()))(()(()((()(())(()(()(()(()()((()))())(((())(()(()))))(()))()()))(())))(())()(((())(()))()((((()()))))())(()))))((())()((((()(((()))())())(((()))()())((())(())())(())()(())()(()()((((((()()))))()()(((()()))))()())()(((()(()))(()(()())(()(()))))(((((()(((())())))))(((((()((()()((())())((((((()(())(()()((()()()()()()()(()()))()(((()))()))(((((((())(((()((()())()((((())(((()(())))()((()(()()()((())((()())()))()))())))())((((((()))(()(()()()))(()((()(()(()))()((()(((()()()((())(((((())()(()))())())((()(())))(()(()())(())((())())())(((()()()(())))))())(()))))))()))))))())((()()()))((()((((((()))(((()((((()()()(((()))())()(()()(((()((()()()()())()()))()()()(()(())((()))))(()))())))))))()(()()(((((())()(()(((((()((()(()()())(()((((((((()((((((())()((((()()()((()((()((((((()))((())))))))())()))((()(()))()(()()(()((())((()()((((((((((((()())(()()()))((((()((((((())(()))())(()()((()()))()(((((((()((()()((((((()(((())))((())))((((((((()()(((((((())(((((()())(((())((())()((((()(((((((()(()(((()((((((()(((()(((((((((((()()((()()(()))((()()(((()(((())))((((())()(()(((())()(()(((())(((((((((((()))())))((((((())((()()((((()())())((((()()))((())(((((()(()()(()()()((())(()((()()((((()(((((()((()(()((((()())((((((()(((((()()(()(()((((())))(())(())(())((((()(()()((((()((((()()((()((((((())))(((((()))))()))(()((((((((()(((())())(((())))(()(()((())(((()((()()(((((()((()()(((())()(()))(((((((())(()(((((()))((()((()((()))(())())((((()((((())()(()))(((()(((((((((((((((())(((((((((()))(((()(()()()()((((((()((())()((((((((()(())(((((((((((()(()((())()((()()(()(()()((((()()((())(()((()()(()()((((()(((((((())))((((())(())()(((()()((()()((((()((()(((()((())(((()()()((((()((((()()(()(()((((((((())(()(((((())(()())(((((((()())()(()((((()((())(()()())((((()()(((()((((())(())(()()(((((((((()()))()(((())(()(()((((((())(()()())(()))()()(((()(((()((())(()(((((((()(()(()((()(((((()(()((()(()((((((()((((()()((((()(((()((())(()(()((()()((((()()(())()(())(((())(()((((((((()())(((((((((()(())()((((())))()))()()(((((()()((((((())(()()(((()(()(((((((()(()(((((((())(())((((()((()(())))((((()()())(()))((()())((((()(((((()(()(())(()(()()())(((((()(((((()((((()()((((((((()()))(()((((((())((((())()(()(((()()()(((()(()(())(())(((((()(())())((((())(())(()(((()(((((())((((())())((()(((((((()(((())(()(()))(((((((((()((()((()()(()((((())(((()((())((((())(()(((()(((()(()((((()(((())(()(((()(()()(()(()((()()(()())(())())((()(()(((()(((()(((()()(((((((((()(((((((((()()(((()(((()())((((()(()(((()()()((())((((((((((())(()(((()((((()())((((()((()))(((()()()(((((()(((((((())((()())(()((((())((((((((())(()((()((((((((((()()((()((()()))(((()())()())()(((()())()()(()(()(((((((())()))(())()))())()()((())()((()((((()((()((())(((((()((((((()(())))(()))())(((()))((()()(()(((()))((((())()(((()))))()(()(())()(((((())(()(()(())(())()((()()()((((()(())((()())(()(()))(()(()(()()(())()()(()((())()((()))))()))((()(()()()()((()())(()))())()(()(((((((((())())((()((()((((((())()((((())(((())((()(()()()((())(()((())(((()((((()()((()(()(((((())()))()((((((()))((())(((()()))(((())(())()))(((((((())(())())()(())(((((()))()((()))()(()()((()()()()()())(((((((' def resulting(instructions): ups = instructions.count('(') downs = instructions.count(')') return ups - downs print('resulting floor:') print(resulting(input)) instrlen = len(input) for i in range(2, instrlen): result = resulting(input[0:i]) if result == -1: print('you reach the basement after {theresult} iterations.'.format(theresult=i)) break
class COLORS: header = "\033[4m" red = "\033[31m" green = "\033[32m" blue = "\033[34m" normal = "\033[0m" def format_verse(reference, text) -> str: return "{blue}{reference}{normal} \n{verse}\n".format( blue=COLORS.blue, reference=reference, normal=COLORS.normal, verse=text ) def format_reference(reference) -> str: return "{blue}{reference}{normal}".format(blue=COLORS.blue, reference=reference, normal=COLORS.normal) def format_header(text) -> str: return "\n{header}{text}{normal}\n".format(header=COLORS.header, text=text, normal=COLORS.normal)
class Colors: header = '\x1b[4m' red = '\x1b[31m' green = '\x1b[32m' blue = '\x1b[34m' normal = '\x1b[0m' def format_verse(reference, text) -> str: return '{blue}{reference}{normal} \n{verse}\n'.format(blue=COLORS.blue, reference=reference, normal=COLORS.normal, verse=text) def format_reference(reference) -> str: return '{blue}{reference}{normal}'.format(blue=COLORS.blue, reference=reference, normal=COLORS.normal) def format_header(text) -> str: return '\n{header}{text}{normal}\n'.format(header=COLORS.header, text=text, normal=COLORS.normal)
class Solution: # @param A : list of integers # @return an integer def solve(self, A): s = set(A) if len(s) == len(A): return -1 for i in A: if A.count(i) > 1: return i else: return -1
class Solution: def solve(self, A): s = set(A) if len(s) == len(A): return -1 for i in A: if A.count(i) > 1: return i else: return -1
# Environment variables ENV_PROJECT_PATH = "PROJECT_PATH" ENV_FLOW_PATH = "FLOW_PATH" ENV_SCRIPT_PATH = "SCRIPT_PATH" ENV_PLATFORM_SCRIPT_PATH = "PLATFORM_SCRIPT_PATH" # Contexts CTX_EXEC = "exec"
env_project_path = 'PROJECT_PATH' env_flow_path = 'FLOW_PATH' env_script_path = 'SCRIPT_PATH' env_platform_script_path = 'PLATFORM_SCRIPT_PATH' ctx_exec = 'exec'
N, W, H = map(int, input().split()) row, col = [0] * (H + 1), [0] * (W + 1) for _ in range(N): x, y, w = map(int, input().split()) row[max(0, y - w)] += 1 row[min(H, y + w)] -= 1 col[max(0, x - w)] += 1 col[min(W, x + w)] -= 1 for i in range(H): row[i + 1] += row[i] for i in range(W): col[i + 1] += col[i] print("Yes" if all(x > 0 for x in row[:-1]) or all(x > 0 for x in col[:-1]) else "No")
(n, w, h) = map(int, input().split()) (row, col) = ([0] * (H + 1), [0] * (W + 1)) for _ in range(N): (x, y, w) = map(int, input().split()) row[max(0, y - w)] += 1 row[min(H, y + w)] -= 1 col[max(0, x - w)] += 1 col[min(W, x + w)] -= 1 for i in range(H): row[i + 1] += row[i] for i in range(W): col[i + 1] += col[i] print('Yes' if all((x > 0 for x in row[:-1])) or all((x > 0 for x in col[:-1])) else 'No')
# Calculates a^b def power(a, b): if b == 0: return 1 b -= 1 return a*power(a, b) x = int(input()) y = int(input()) print(power(x, y))
def power(a, b): if b == 0: return 1 b -= 1 return a * power(a, b) x = int(input()) y = int(input()) print(power(x, y))
''' Program Description: Calculate factorial of a given number ''' def calculate_factorial(n): if n == 0: return 1 if n < 0: raise ValueError fact = 1 for x in range(1,n+1): fact *= x return fact print('N = ', end='') try: result = calculate_factorial(int(input())) print('Output =', result) except ValueError: print('Only positive numbers are supported')
""" Program Description: Calculate factorial of a given number """ def calculate_factorial(n): if n == 0: return 1 if n < 0: raise ValueError fact = 1 for x in range(1, n + 1): fact *= x return fact print('N = ', end='') try: result = calculate_factorial(int(input())) print('Output =', result) except ValueError: print('Only positive numbers are supported')
class A: def __init__(self): print('base class constructor ') class B(A): def __init__(self): super().__init__() print('child class constructor ') b1=B()
class A: def __init__(self): print('base class constructor ') class B(A): def __init__(self): super().__init__() print('child class constructor ') b1 = b()
#Incomplete ordering class PartOrdered(object): def __eq__(self, other): return self is other def __ne__(self, other): return self is not other def __hash__(self): return id(self) def __lt__(self, other): return False #Don't blame a sub-class for super-class's sins. class DerivedPartOrdered(PartOrdered): pass
class Partordered(object): def __eq__(self, other): return self is other def __ne__(self, other): return self is not other def __hash__(self): return id(self) def __lt__(self, other): return False class Derivedpartordered(PartOrdered): pass
config = { "coinbase":{ "Key": "", "Secret": "" }, "twilio":{ "Key": "", "Secret": "", "from": "+12223334444", "to_list": ["+12223334444"], }, "bittrex":{ "Key" : "", "Secret" : "" } }
config = {'coinbase': {'Key': '', 'Secret': ''}, 'twilio': {'Key': '', 'Secret': '', 'from': '+12223334444', 'to_list': ['+12223334444']}, 'bittrex': {'Key': '', 'Secret': ''}}
def getNthFib(n): if(n==1): return 0 elif (n==2): return 1 else: return getNthFib(n-1) + getNthFib(n-2) #End of getNthFib if __name__ == '__main__': print(getNthFib(6))#5 print(getNthFib(7))#8 print(getNthFib(1))#0 print(getNthFib(11))#55 print(getNthFib(18))#1597
def get_nth_fib(n): if n == 1: return 0 elif n == 2: return 1 else: return get_nth_fib(n - 1) + get_nth_fib(n - 2) if __name__ == '__main__': print(get_nth_fib(6)) print(get_nth_fib(7)) print(get_nth_fib(1)) print(get_nth_fib(11)) print(get_nth_fib(18))
class BadMessageError(Exception): # A bad message is broken in some way that will never be accepted by # the endpoing and as such should be rejected (it will still be logged # and stored so no data is lost) pass class RetryableError(Exception): # A retryable error is apparently transient and may be due to temporary # network issues or misconfiguration, but the message is valid and should # be retried pass class DecryptError(Exception): # Can't even decrypt the message. May be corrupt or keys may be out of step. pass
class Badmessageerror(Exception): pass class Retryableerror(Exception): pass class Decrypterror(Exception): pass
#! /usr/bin/python # Samples Python/PYgames # Print 'Hi' 10 times for i in range(10): print("Hi") for i in range(5): print("Hello") print ("There") for i in range(5): print("Hello") print("There") for i in range(10): print(i) for i in range(1, 11): print(i) for i in range(10, 0, -1): print(i) for i in [2, 6, 4, 2, 6, 7, 4]: print(i) for i in range(3): print("a") for j in range(3): print("b") a = 0 for i in range(10): a = a + 1 print(a)
for i in range(10): print('Hi') for i in range(5): print('Hello') print('There') for i in range(5): print('Hello') print('There') for i in range(10): print(i) for i in range(1, 11): print(i) for i in range(10, 0, -1): print(i) for i in [2, 6, 4, 2, 6, 7, 4]: print(i) for i in range(3): print('a') for j in range(3): print('b') a = 0 for i in range(10): a = a + 1 print(a)
def draw_z(size, position, target): if size == 1: return (position == target, 1) base_r, base_c = position half_size = size // 2 counter = 0 matched = False if (target[0] >= (base_r + size)) or (target[1] >= (base_c + size)): counter = size ** 2 return (matched, counter) for dr, dc in zip([0, 0, 1, 1], [0, 1, 0, 1]): r = base_r + (dr * half_size) c = base_c + (dc * half_size) matched, couter_partial = draw_z(half_size, (r, c), target) counter += couter_partial if matched: break return (matched, counter) def solution(n, r, c): CORRECTION_FOR_ZERO_START = 1 size = 2 ** n position = (0, 0) target = (r, c) _, answer = draw_z(size, position, target) return answer - CORRECTION_FOR_ZERO_START if __name__ == "__main__": assert solution(2, 3, 1) == 11 assert solution(3, 7, 7) == 63 n, r, c = map(int, input().split()) answer = solution(n, r, c) print(answer)
def draw_z(size, position, target): if size == 1: return (position == target, 1) (base_r, base_c) = position half_size = size // 2 counter = 0 matched = False if target[0] >= base_r + size or target[1] >= base_c + size: counter = size ** 2 return (matched, counter) for (dr, dc) in zip([0, 0, 1, 1], [0, 1, 0, 1]): r = base_r + dr * half_size c = base_c + dc * half_size (matched, couter_partial) = draw_z(half_size, (r, c), target) counter += couter_partial if matched: break return (matched, counter) def solution(n, r, c): correction_for_zero_start = 1 size = 2 ** n position = (0, 0) target = (r, c) (_, answer) = draw_z(size, position, target) return answer - CORRECTION_FOR_ZERO_START if __name__ == '__main__': assert solution(2, 3, 1) == 11 assert solution(3, 7, 7) == 63 (n, r, c) = map(int, input().split()) answer = solution(n, r, c) print(answer)
# # @lc app=leetcode.cn id=174 lang=python3 # # [174] dungeon-game # None # @lc code=end
None
class Solution: def maxNumEdgesToRemove(self, n: int, edges: List[List[int]]) -> int: answer=0 aliceVisited=[0]*(n+1) bobVisited=[0]*(n+1) aliceSet={} aliceSetNum=1 bobSet={} bobSetNum=1 # Return False if this edge can be deleted. Applies to all addEdge* methods. def addEdge(edge) -> bool: [t, v1, v2]=edge if t==3: use1=addEdgeFor('alice', edge) use2=addEdgeFor('bob', edge) return use1 or use2 elif t==1: return addEdgeFor('alice', edge) else: return addEdgeFor('bob', edge) def addEdgeFor(name, edge): nonlocal aliceSetNum nonlocal bobSetNum [t, v1, v2]=edge visited=aliceVisited vSet=aliceSet setNum=aliceSetNum if name=='bob': visited=bobVisited vSet=bobSet setNum=bobSetNum if visited[v1]==visited[v2]: if visited[v1]!=0: return False visited[v1]=setNum visited[v2]=setNum vSet[setNum]=[v1, v2] if name=='alice': aliceSetNum+=1 else: bobSetNum+=1 elif visited[v1]==0: visited[v1]=visited[v2] vSet[visited[v1]].append(v1) elif visited[v2]==0: visited[v2]=visited[v1] vSet[visited[v2]].append(v2) else: set1=visited[v1] set2=visited[v2] for x in vSet[set2]: visited[x]=set1 vSet[set1].extend(vSet[set2]) del vSet[set2] return True for edge in edges: if edge[0]==3: if not addEdge(edge): answer+=1 for edge in edges: if edge[0]!=3: if not addEdge(edge): answer+=1 if len([x for x in aliceVisited[1:] if x==0])!=0 or len([x for x in bobVisited[1:] if x==0])!=0: return -1 return answer
class Solution: def max_num_edges_to_remove(self, n: int, edges: List[List[int]]) -> int: answer = 0 alice_visited = [0] * (n + 1) bob_visited = [0] * (n + 1) alice_set = {} alice_set_num = 1 bob_set = {} bob_set_num = 1 def add_edge(edge) -> bool: [t, v1, v2] = edge if t == 3: use1 = add_edge_for('alice', edge) use2 = add_edge_for('bob', edge) return use1 or use2 elif t == 1: return add_edge_for('alice', edge) else: return add_edge_for('bob', edge) def add_edge_for(name, edge): nonlocal aliceSetNum nonlocal bobSetNum [t, v1, v2] = edge visited = aliceVisited v_set = aliceSet set_num = aliceSetNum if name == 'bob': visited = bobVisited v_set = bobSet set_num = bobSetNum if visited[v1] == visited[v2]: if visited[v1] != 0: return False visited[v1] = setNum visited[v2] = setNum vSet[setNum] = [v1, v2] if name == 'alice': alice_set_num += 1 else: bob_set_num += 1 elif visited[v1] == 0: visited[v1] = visited[v2] vSet[visited[v1]].append(v1) elif visited[v2] == 0: visited[v2] = visited[v1] vSet[visited[v2]].append(v2) else: set1 = visited[v1] set2 = visited[v2] for x in vSet[set2]: visited[x] = set1 vSet[set1].extend(vSet[set2]) del vSet[set2] return True for edge in edges: if edge[0] == 3: if not add_edge(edge): answer += 1 for edge in edges: if edge[0] != 3: if not add_edge(edge): answer += 1 if len([x for x in aliceVisited[1:] if x == 0]) != 0 or len([x for x in bobVisited[1:] if x == 0]) != 0: return -1 return answer
def fibonum(num): if num == 1: return 1 elif num == 2: return 1 else: return fibonum(num - 1) + fibonum(num - 2)
def fibonum(num): if num == 1: return 1 elif num == 2: return 1 else: return fibonum(num - 1) + fibonum(num - 2)
age = int(input('What your age?: ')) if age <= 2: print('Is a baby!') elif age <= 4: print('You are a children!') elif age <= 13: print('You are a kid!') elif age <= 20: print('You are a teenager!') elif age <= 65: print('You are a adult!') else: print('You are a old!')
age = int(input('What your age?: ')) if age <= 2: print('Is a baby!') elif age <= 4: print('You are a children!') elif age <= 13: print('You are a kid!') elif age <= 20: print('You are a teenager!') elif age <= 65: print('You are a adult!') else: print('You are a old!')
class Student(): def __init__(self): self._name = 'John' self._age = 18 self._grades = [9.5, 5.75, 10] s1 = Student() # Verify if s1 has the attribute 'name': print(hasattr(s1, 'name')) # Sets a new attribute 'average': setattr(s1, "average", sum(s1._grades) / 3) # Gets the attribute 'average': print(f'{getattr(s1, "average"):4.2f}') # Delete the attribute 'age': delattr(s1, 'age')
class Student: def __init__(self): self._name = 'John' self._age = 18 self._grades = [9.5, 5.75, 10] s1 = student() print(hasattr(s1, 'name')) setattr(s1, 'average', sum(s1._grades) / 3) print(f"{getattr(s1, 'average'):4.2f}") delattr(s1, 'age')
class Solution: ''' 1. char_freq count and updates the char frequent of current window and updates accordingly as the window moves forward. so it dosen't need to delete the elements when the count become 0. 2. window length - window max_count > windown length - global max_count > k. If window length - most_count > k are true, it guarnteed that window length - windonw max_count must be ture. Thus, the window should shrink accordingly. ''' def characterReplacement(self, s: str, k: int) -> int: start, end, max_len, max_count = 0, 0, 0, 0 char_freq = {} while end < len(s): if s[end] not in char_freq: char_freq[s[end]] = 0 char_freq[s[end]] += 1 max_count = max(max_count, char_freq[s[end]]) if end - start + 1 - max_count > k: char_freq[s[start]] -= 1 start += 1 max_len = max(max_len, end - start + 1) end += 1 return max_len
class Solution: """ 1. char_freq count and updates the char frequent of current window and updates accordingly as the window moves forward. so it dosen't need to delete the elements when the count become 0. 2. window length - window max_count > windown length - global max_count > k. If window length - most_count > k are true, it guarnteed that window length - windonw max_count must be ture. Thus, the window should shrink accordingly. """ def character_replacement(self, s: str, k: int) -> int: (start, end, max_len, max_count) = (0, 0, 0, 0) char_freq = {} while end < len(s): if s[end] not in char_freq: char_freq[s[end]] = 0 char_freq[s[end]] += 1 max_count = max(max_count, char_freq[s[end]]) if end - start + 1 - max_count > k: char_freq[s[start]] -= 1 start += 1 max_len = max(max_len, end - start + 1) end += 1 return max_len
'''https://leetcode.com/problems/binary-search/''' class Solution: def search(self, nums: List[int], target: int) -> int: l, h = 0, len(nums)-1 while l<=h: m = (l+h)//2 if nums[m]==target: return m elif nums[m]>target: h = m-1 else: l = m+1 return -1
"""https://leetcode.com/problems/binary-search/""" class Solution: def search(self, nums: List[int], target: int) -> int: (l, h) = (0, len(nums) - 1) while l <= h: m = (l + h) // 2 if nums[m] == target: return m elif nums[m] > target: h = m - 1 else: l = m + 1 return -1
def bubblesort(array): length = len(array)-1 for i in range(length,0,-1): for j in range(i): if array[j] > array[j+1]: array[j],array[j+1]=array[j+1],array[j]
def bubblesort(array): length = len(array) - 1 for i in range(length, 0, -1): for j in range(i): if array[j] > array[j + 1]: (array[j], array[j + 1]) = (array[j + 1], array[j])
# Time complexity: O(n^2) # Approach: Fix one and then based on that loop over other numbers. class Solution: def threeSum(self, nums: List[int]) -> List[List[int]]: n = len(nums) if n < 3: return [] nums = sorted(nums) ans = [] for k in range(n): target = -nums[k] i, j = k+1, n-1 while i<j: s = nums[i] + nums[j] if s < target: i += 1 elif s > target: j -= 1 else: ans.append((nums[k], nums[i], nums[j])) i += 1 j -= 1 return set(ans)
class Solution: def three_sum(self, nums: List[int]) -> List[List[int]]: n = len(nums) if n < 3: return [] nums = sorted(nums) ans = [] for k in range(n): target = -nums[k] (i, j) = (k + 1, n - 1) while i < j: s = nums[i] + nums[j] if s < target: i += 1 elif s > target: j -= 1 else: ans.append((nums[k], nums[i], nums[j])) i += 1 j -= 1 return set(ans)
Friend1 = {"First_name": "Anita", "Last_name": "Sanchez", "Age": 21, "City": "Saltillo"} Friend2 = {"First_name": "Andrea", "Last_name": "De la Fuente", "Age": 21, "City": "Monclova"} Friend3 = {"First_name": "Jorge", "Last_name": "Sanchez", "Age":20, "City": "Saltillo"} amigos = [Friend1, Friend2, Friend3] for i in range(0, len(amigos)): print(amigos[i])
friend1 = {'First_name': 'Anita', 'Last_name': 'Sanchez', 'Age': 21, 'City': 'Saltillo'} friend2 = {'First_name': 'Andrea', 'Last_name': 'De la Fuente', 'Age': 21, 'City': 'Monclova'} friend3 = {'First_name': 'Jorge', 'Last_name': 'Sanchez', 'Age': 20, 'City': 'Saltillo'} amigos = [Friend1, Friend2, Friend3] for i in range(0, len(amigos)): print(amigos[i])
# -*- coding: utf-8 -*- # Aufgaben 6, 7, 20, 21, 24, 30, 34, 39, 38, 41, 43 Bis Dienstag # ----------------- # 41 list in nested loop # ----------------- words = ['attribution', 'confabulation', 'elocution', 'sequoia', 'tenacious', 'unidirectional'] s = sorted(set([''.join([c for c in w if c in 'aeiou']) for w in words])) print('My result: ', sorted(s)) print('Solution: ', ['aiuio', 'eaiou', 'eouio', 'euoia', 'oauaio', 'uiieioa'])
words = ['attribution', 'confabulation', 'elocution', 'sequoia', 'tenacious', 'unidirectional'] s = sorted(set([''.join([c for c in w if c in 'aeiou']) for w in words])) print('My result: ', sorted(s)) print('Solution: ', ['aiuio', 'eaiou', 'eouio', 'euoia', 'oauaio', 'uiieioa'])
def main(): ref = "lunes,martes,miercoles,juevez,viernes,sabado,domindo".split(",") day = int(input("Day: ")) - 1 print(ref[day]) if __name__ == '__main__': main()
def main(): ref = 'lunes,martes,miercoles,juevez,viernes,sabado,domindo'.split(',') day = int(input('Day: ')) - 1 print(ref[day]) if __name__ == '__main__': main()
file = open('data/day1.txt', 'r') values = [] for line in file.readlines(): values.append(int(line)) counter = 0 i = 3 while i < len(values): if values[i-3] < values [i]: counter = counter + 1 i = i + 1 print(counter)
file = open('data/day1.txt', 'r') values = [] for line in file.readlines(): values.append(int(line)) counter = 0 i = 3 while i < len(values): if values[i - 3] < values[i]: counter = counter + 1 i = i + 1 print(counter)
fun = lambda s : True if len(s) > 5 else False print(fun("sidd")) print(fun("sidddha")) names = ['alka','sidd','lala'] for pos,name in enumerate(names): print(f"{pos} ===> {name}") string = "lala" for pos,name in enumerate(names): if(name == string): print(f"{pos} ===> {name}")
fun = lambda s: True if len(s) > 5 else False print(fun('sidd')) print(fun('sidddha')) names = ['alka', 'sidd', 'lala'] for (pos, name) in enumerate(names): print(f'{pos} ===> {name}') string = 'lala' for (pos, name) in enumerate(names): if name == string: print(f'{pos} ===> {name}')
class BinarySearchTree(): def __init__(self): self.root = None def insert(self, data): if self.root: return self.root.insert(data) else: self.root = Node(data) return True def find(self, data): if self.root: return self.root.find(data) return False def remove(self, data): if self.is_empty(): return False elif self.root.data == data: return self._delete_root_node() else: return self._find_and_delete_node(data) def is_empty(self): return self.root is None def _delete_root_node(self): if self.root.is_without_child(): self.root = None return True elif self.root.is_with_exactly_one_child(): return self._delete_root_node_with_one_child() else: return self._delete_root_node_with_two_children() def _delete_root_node_with_one_child(self): if self.root.is_with_left_child(): self.root = self.root.left return True else: self.root = self.root.right return True def _delete_root_node_with_two_children(self): node_to_move = self.root.right parent_of_node_to_move = None while node_to_move.left: parent_of_node_to_move = node_to_move node_to_move = node_to_move.left self.root.data = node_to_move.data if node_to_move.data < parent_of_node_to_move.data: parent_of_node_to_move.left = None else: parent_of_node_to_move.right = None return True def _find_and_delete_node(self, data): node, parent = self._find_node_to_delete_and_parent(data) if self._is_node_to_delete_not_found(node, data): return False elif node.is_without_child(): return self._delete_node_found_without_children(data, parent) elif node.is_with_exactly_one_child(): return self._delete_node_found_with_one_child(node, data, parent) else: return self._delete_node_found_with_two_children(node) def _find_node_to_delete_and_parent(self, data): parent = None node = self.root while node and node.data != data: parent = node if data < node.data: node = node.left elif data > node.data: node = node.right return node, parent def _is_node_to_delete_not_found(self, node, data): return node is None or node.data != data def _delete_node_found_without_children(self, data, parent): if data < parent.data: parent.left = None else: parent.right = None return True def _delete_node_found_with_one_child(self, node, data, parent): if node.is_with_left_child(): if data < parent.data: parent.left = node.left else: parent.right = node.left return True elif node.is_with_right_child(): if data < parent.data: parent.left = node.right else: parent.right = node.right return True def _delete_node_found_with_two_children(self, node): parent_of_node_to_move = node node_to_move = node.right while node_to_move.left: parent_of_node_to_move = node_to_move node_to_move = node_to_move.left node.data = node_to_move.data if node_to_move.right: if node_to_move.data < parent_of_node_to_move.data: parent_of_node_to_move.left = node_to_move.right else: parent_of_node_to_move.right = node_to_move.right else: if node_to_move.data < parent_of_node_to_move.data: parent_of_node_to_move.left = None else: parent_of_node_to_move.right = None return True def traverse_pre_order(self): if self.root: return self.root.traverse_pre_order([]) return [] def traverse_in_order(self): if self.root: return self.root.traverse_in_order([]) return [] def traverse_post_order(self): if self.root: return self.root.traverse_post_order([]) return [] class Node(): def __init__(self, data): self.data = data self.left = None self.right = None def is_without_child(self): return self.is_with_child() is False def is_with_child(self): return self.is_with_left_child() or self.is_with_right_child() def is_with_exactly_one_child(self): return self.is_with_left_child() is not self.is_with_right_child() def is_with_left_child(self): return self.left is not None def is_with_right_child(self): return self.right is not None def insert(self, data): if self.data == data: return False elif data < self.data: if self.left: return self.left.insert(data) else: self.left = Node(data) return True else: if self.right: return self.right.insert(data) else: self.right = Node(data) return True def find(self, data): if self.data == data: return True elif data < self.data and self.left: return self.left.find(data) elif data > self.data and self.right: return self.right.find(data) return False def traverse_pre_order(self, all_elements_so_far): all_elements_so_far.append(self.data) if self.left: self.left.traverse_pre_order(all_elements_so_far) if self.right: self.right.traverse_pre_order(all_elements_so_far) return all_elements_so_far def traverse_in_order(self, all_elements_so_far): if self.left: self.left.traverse_in_order(all_elements_so_far) all_elements_so_far.append(self.data) if self.right: self.right.traverse_in_order(all_elements_so_far) return all_elements_so_far def traverse_post_order(self, all_elements_so_far): if self.left: self.left.traverse_post_order(all_elements_so_far) if self.right: self.right.traverse_post_order(all_elements_so_far) all_elements_so_far.append(self.data) return all_elements_so_far
class Binarysearchtree: def __init__(self): self.root = None def insert(self, data): if self.root: return self.root.insert(data) else: self.root = node(data) return True def find(self, data): if self.root: return self.root.find(data) return False def remove(self, data): if self.is_empty(): return False elif self.root.data == data: return self._delete_root_node() else: return self._find_and_delete_node(data) def is_empty(self): return self.root is None def _delete_root_node(self): if self.root.is_without_child(): self.root = None return True elif self.root.is_with_exactly_one_child(): return self._delete_root_node_with_one_child() else: return self._delete_root_node_with_two_children() def _delete_root_node_with_one_child(self): if self.root.is_with_left_child(): self.root = self.root.left return True else: self.root = self.root.right return True def _delete_root_node_with_two_children(self): node_to_move = self.root.right parent_of_node_to_move = None while node_to_move.left: parent_of_node_to_move = node_to_move node_to_move = node_to_move.left self.root.data = node_to_move.data if node_to_move.data < parent_of_node_to_move.data: parent_of_node_to_move.left = None else: parent_of_node_to_move.right = None return True def _find_and_delete_node(self, data): (node, parent) = self._find_node_to_delete_and_parent(data) if self._is_node_to_delete_not_found(node, data): return False elif node.is_without_child(): return self._delete_node_found_without_children(data, parent) elif node.is_with_exactly_one_child(): return self._delete_node_found_with_one_child(node, data, parent) else: return self._delete_node_found_with_two_children(node) def _find_node_to_delete_and_parent(self, data): parent = None node = self.root while node and node.data != data: parent = node if data < node.data: node = node.left elif data > node.data: node = node.right return (node, parent) def _is_node_to_delete_not_found(self, node, data): return node is None or node.data != data def _delete_node_found_without_children(self, data, parent): if data < parent.data: parent.left = None else: parent.right = None return True def _delete_node_found_with_one_child(self, node, data, parent): if node.is_with_left_child(): if data < parent.data: parent.left = node.left else: parent.right = node.left return True elif node.is_with_right_child(): if data < parent.data: parent.left = node.right else: parent.right = node.right return True def _delete_node_found_with_two_children(self, node): parent_of_node_to_move = node node_to_move = node.right while node_to_move.left: parent_of_node_to_move = node_to_move node_to_move = node_to_move.left node.data = node_to_move.data if node_to_move.right: if node_to_move.data < parent_of_node_to_move.data: parent_of_node_to_move.left = node_to_move.right else: parent_of_node_to_move.right = node_to_move.right elif node_to_move.data < parent_of_node_to_move.data: parent_of_node_to_move.left = None else: parent_of_node_to_move.right = None return True def traverse_pre_order(self): if self.root: return self.root.traverse_pre_order([]) return [] def traverse_in_order(self): if self.root: return self.root.traverse_in_order([]) return [] def traverse_post_order(self): if self.root: return self.root.traverse_post_order([]) return [] class Node: def __init__(self, data): self.data = data self.left = None self.right = None def is_without_child(self): return self.is_with_child() is False def is_with_child(self): return self.is_with_left_child() or self.is_with_right_child() def is_with_exactly_one_child(self): return self.is_with_left_child() is not self.is_with_right_child() def is_with_left_child(self): return self.left is not None def is_with_right_child(self): return self.right is not None def insert(self, data): if self.data == data: return False elif data < self.data: if self.left: return self.left.insert(data) else: self.left = node(data) return True elif self.right: return self.right.insert(data) else: self.right = node(data) return True def find(self, data): if self.data == data: return True elif data < self.data and self.left: return self.left.find(data) elif data > self.data and self.right: return self.right.find(data) return False def traverse_pre_order(self, all_elements_so_far): all_elements_so_far.append(self.data) if self.left: self.left.traverse_pre_order(all_elements_so_far) if self.right: self.right.traverse_pre_order(all_elements_so_far) return all_elements_so_far def traverse_in_order(self, all_elements_so_far): if self.left: self.left.traverse_in_order(all_elements_so_far) all_elements_so_far.append(self.data) if self.right: self.right.traverse_in_order(all_elements_so_far) return all_elements_so_far def traverse_post_order(self, all_elements_so_far): if self.left: self.left.traverse_post_order(all_elements_so_far) if self.right: self.right.traverse_post_order(all_elements_so_far) all_elements_so_far.append(self.data) return all_elements_so_far
# An example of function calling another def func_a(): print('A') # func_b() calls system function print() def func_b(): print('B') # func_ab() calls func_a() and func_b() def func_ab(): func_a() func_b() print('Done!') # Main calls func_ab() def main(): func_ab() # Call main() function. main()
def func_a(): print('A') def func_b(): print('B') def func_ab(): func_a() func_b() print('Done!') def main(): func_ab() main()
#Problema 9 res = 0 for a in range(1, 500): for b in range(1, 500): for c in range(1, 500): if (a < b < c) and (a ** 2 + b ** 2 == c ** 2): if a + b + c == 1000: res = a*b*c print(res)
res = 0 for a in range(1, 500): for b in range(1, 500): for c in range(1, 500): if a < b < c and a ** 2 + b ** 2 == c ** 2: if a + b + c == 1000: res = a * b * c print(res)
# Rule for building verilator simulations. # # Copyright 2019 Erik Gilling # # Heavily informed from the rules_foreign_cc package at: # https://github.com/bazelbuild/rules_foreign_cc/ # Since verilator uses make to build its output it shares some actions with # @rules_foreign_cc. load("@rules_foreign_cc//tools/build_defs:cc_toolchain_util.bzl", "get_env_vars") load("@rules_foreign_cc//tools/build_defs:shell_script_helper.bzl", "os_name") def _verilator_sim_impl(ctx): # Get the root the the "copy_verilator". This is a copy of the whole # verilator install directory. This process would be smoother if we # wrote our own BUILD file for verilator. v_files = ctx.attr._verilator_toolchain.files.to_list() verilator_dir = [f for f in v_files if f.path.endswith("copy_verilator/verilator")][0] verilator_path = verilator_dir.path + "/bin/verilator" # Under OSX, we need to pass cc_env here so that wrapped_cc_pp does not # complain that DEVELOPER_DIR is not defined. cc_env = get_env_vars(ctx) execution_os_name = os_name(ctx) out_file = ctx.actions.declare_file(ctx.attr.name) script = [ # Use verilator to generate C++ simulation. "%s -o sim -cc -exe %s" %(verilator_path, " ".join([f.path for f in ctx.files.srcs])), # Build the simulation. "make -j -C obj_dir -f V%s.mk sim" % ctx.attr.toplevel, # Copy the simuation to our output path. "cp obj_dir/sim %s" % out_file.path ] # Wrap out commands in a shell script. wrapper_script_file = ctx.actions.declare_file("build.sh") ctx.actions.write( output = wrapper_script_file, content = "\n".join(script), ) # Run the build script. ctx.actions.run_shell( inputs = depset(ctx.files.srcs, transitive = [ctx.attr._cc_toolchain.files]), outputs = [ out_file ], tools = v_files + [ wrapper_script_file ], use_default_shell_env = execution_os_name != "osx", command = wrapper_script_file.path, env = cc_env, ) return [DefaultInfo(files = depset([out_file]))] verilator_sim = rule( implementation = _verilator_sim_impl, attrs = { "toplevel": attr.string(mandatory = True), "srcs": attr.label_list(allow_files = True), # we need to declare this attribute to access cc_toolchain "_cc_toolchain": attr.label(default = Label("@bazel_tools//tools/cpp:current_cc_toolchain")), "_verilator_toolchain": attr.label(default = Label("//third_party/verilator:verilator")), }, fragments = ["cpp"], toolchains = [ "@rules_foreign_cc//tools/build_defs/shell_toolchain/toolchains:shell_commands", "@bazel_tools//tools/cpp:toolchain_type", ], )
load('@rules_foreign_cc//tools/build_defs:cc_toolchain_util.bzl', 'get_env_vars') load('@rules_foreign_cc//tools/build_defs:shell_script_helper.bzl', 'os_name') def _verilator_sim_impl(ctx): v_files = ctx.attr._verilator_toolchain.files.to_list() verilator_dir = [f for f in v_files if f.path.endswith('copy_verilator/verilator')][0] verilator_path = verilator_dir.path + '/bin/verilator' cc_env = get_env_vars(ctx) execution_os_name = os_name(ctx) out_file = ctx.actions.declare_file(ctx.attr.name) script = ['%s -o sim -cc -exe %s' % (verilator_path, ' '.join([f.path for f in ctx.files.srcs])), 'make -j -C obj_dir -f V%s.mk sim' % ctx.attr.toplevel, 'cp obj_dir/sim %s' % out_file.path] wrapper_script_file = ctx.actions.declare_file('build.sh') ctx.actions.write(output=wrapper_script_file, content='\n'.join(script)) ctx.actions.run_shell(inputs=depset(ctx.files.srcs, transitive=[ctx.attr._cc_toolchain.files]), outputs=[out_file], tools=v_files + [wrapper_script_file], use_default_shell_env=execution_os_name != 'osx', command=wrapper_script_file.path, env=cc_env) return [default_info(files=depset([out_file]))] verilator_sim = rule(implementation=_verilator_sim_impl, attrs={'toplevel': attr.string(mandatory=True), 'srcs': attr.label_list(allow_files=True), '_cc_toolchain': attr.label(default=label('@bazel_tools//tools/cpp:current_cc_toolchain')), '_verilator_toolchain': attr.label(default=label('//third_party/verilator:verilator'))}, fragments=['cpp'], toolchains=['@rules_foreign_cc//tools/build_defs/shell_toolchain/toolchains:shell_commands', '@bazel_tools//tools/cpp:toolchain_type'])
class Node(object): def __init__(self, data): self.data = data self.left = None self.right = None @staticmethod def pre_order(root, nodes): if not root: return nodes.append(root.data) Node.pre_order(root.left, nodes) Node.pre_order(root.right, nodes) @staticmethod def in_order(root, nodes): if not root: return Node.in_order(root.left, nodes) nodes.append(root.data) Node.in_order(root.right, nodes) @staticmethod def post_order(root, nodes): if not root: return Node.post_order(root.left, nodes) Node.post_order(root.right, nodes) nodes.append(root.data) @staticmethod def level_traverse(root, nodes): if not root: return queue = [root] while queue: node = queue.pop(0) nodes.append(node.data) if node.left: queue.append(node.left) if node.right: queue.append(node.right) if __name__ == '__main__': nodes = [Node('A'), Node('B'), Node('C'), Node('D'), Node('E')] nodes[0].left = nodes[1] nodes[0].right = nodes[2] nodes[1].left = nodes[3] nodes[1].right = nodes[4] result = [] Node.pre_order(nodes[0], result) print(result) result.clear() Node.in_order(nodes[0], result) print(result) result.clear() Node.level_traverse(nodes[0], result) print(result)
class Node(object): def __init__(self, data): self.data = data self.left = None self.right = None @staticmethod def pre_order(root, nodes): if not root: return nodes.append(root.data) Node.pre_order(root.left, nodes) Node.pre_order(root.right, nodes) @staticmethod def in_order(root, nodes): if not root: return Node.in_order(root.left, nodes) nodes.append(root.data) Node.in_order(root.right, nodes) @staticmethod def post_order(root, nodes): if not root: return Node.post_order(root.left, nodes) Node.post_order(root.right, nodes) nodes.append(root.data) @staticmethod def level_traverse(root, nodes): if not root: return queue = [root] while queue: node = queue.pop(0) nodes.append(node.data) if node.left: queue.append(node.left) if node.right: queue.append(node.right) if __name__ == '__main__': nodes = [node('A'), node('B'), node('C'), node('D'), node('E')] nodes[0].left = nodes[1] nodes[0].right = nodes[2] nodes[1].left = nodes[3] nodes[1].right = nodes[4] result = [] Node.pre_order(nodes[0], result) print(result) result.clear() Node.in_order(nodes[0], result) print(result) result.clear() Node.level_traverse(nodes[0], result) print(result)
class Node(): def __init__(self, data=None,next_node=None): self.data = data self.next_node = next_node def __str__(self): return self.data def get_next(self): return self.next_node def set_new_next(self, new_next): self.next_node = new_next class LinkedList(): def __init__(self, head=None): self.head = head def append_to(self,value): new_node = Node(value) new_node.__str__() current = self.head if current : while current.get_next() != None: current = current.get_next() current.set_new_next(new_node) else: self.head=Node(value) current=self.head return current.__str__() class HashTable(): def __init__(self): self.size = 1024 self.map = [None] * self.size # to determine the index of the array def hash(self, key): hash = 0 for char in key: hash += ord(char) index = (hash * 599) % self.size return index # takes in the key and returns a boolean, indicating if the key exists in the table already. def contains(self, key): index = self.hash(key) if self.map[index]: temp = self.map[index].head while temp: if key == temp.data[0]: return True temp = temp.next_node return False # to add a new key/value pair to a hashtable def add(self, key, value): index = self.hash(key) key_value = [key, value] if self.contains(key): temp = self.map[index].head while temp: if key == temp.data[0]: temp.data[1] = value temp = temp.next_node return self if self.map[index] is None: self.map[index] = LinkedList() self.map[index].append_to(key_value) return self.__str__() # takes in the key and returns the value from the table. def get(self, key): index = self.hash(key) if self.map[index]: temp = self.map[index].head while temp: if key == temp.data[0] : return temp.data[1] temp = temp.next_node return None def __str__(self): result = "" for i in self.map: if i is not None: temp = i.head while temp: result +="{%s} -> " %(temp.data,) temp = temp.next_node result+='None' return result if __name__ == "__main__": hash_table = HashTable() hash_table.add('Mom','she is dressed in strength') hash_table.add('Mom','she is just reflection of wow') hash_table.add('Mom','home is wherever my mom is') hash_table.add('Dad','home is wherever my dad is') print(hash_table.add('Dad','My dad is my hero')) # print(hash_table.get('Mom')) # print(hash_table.get('Dad')) # print(hash_table)
class Node: def __init__(self, data=None, next_node=None): self.data = data self.next_node = next_node def __str__(self): return self.data def get_next(self): return self.next_node def set_new_next(self, new_next): self.next_node = new_next class Linkedlist: def __init__(self, head=None): self.head = head def append_to(self, value): new_node = node(value) new_node.__str__() current = self.head if current: while current.get_next() != None: current = current.get_next() current.set_new_next(new_node) else: self.head = node(value) current = self.head return current.__str__() class Hashtable: def __init__(self): self.size = 1024 self.map = [None] * self.size def hash(self, key): hash = 0 for char in key: hash += ord(char) index = hash * 599 % self.size return index def contains(self, key): index = self.hash(key) if self.map[index]: temp = self.map[index].head while temp: if key == temp.data[0]: return True temp = temp.next_node return False def add(self, key, value): index = self.hash(key) key_value = [key, value] if self.contains(key): temp = self.map[index].head while temp: if key == temp.data[0]: temp.data[1] = value temp = temp.next_node return self if self.map[index] is None: self.map[index] = linked_list() self.map[index].append_to(key_value) return self.__str__() def get(self, key): index = self.hash(key) if self.map[index]: temp = self.map[index].head while temp: if key == temp.data[0]: return temp.data[1] temp = temp.next_node return None def __str__(self): result = '' for i in self.map: if i is not None: temp = i.head while temp: result += '{%s} -> ' % (temp.data,) temp = temp.next_node result += 'None' return result if __name__ == '__main__': hash_table = hash_table() hash_table.add('Mom', 'she is dressed in strength') hash_table.add('Mom', 'she is just reflection of wow') hash_table.add('Mom', 'home is wherever my mom is') hash_table.add('Dad', 'home is wherever my dad is') print(hash_table.add('Dad', 'My dad is my hero'))
valid_sequence_dict = { "P1": "complete protein", "F1": "protein fragment", \ "DL": "linear DNA", "DC": "circular DNA", "RL": "linear RNA", \ "RC":"circular RNA", "N3": "transfer RNA", "N1": "other" }
valid_sequence_dict = {'P1': 'complete protein', 'F1': 'protein fragment', 'DL': 'linear DNA', 'DC': 'circular DNA', 'RL': 'linear RNA', 'RC': 'circular RNA', 'N3': 'transfer RNA', 'N1': 'other'}
f = open("test.txt") print(f.read())
f = open('test.txt') print(f.read())
def fibonacci(N :int)->int: if N==1 or N==2: return 1 else : return fibonacci(N-1)+fibonacci(N-2) def main(): # input N = int(input()) # compute # output print(fibonacci(N)) if __name__ == '__main__': main()
def fibonacci(N: int) -> int: if N == 1 or N == 2: return 1 else: return fibonacci(N - 1) + fibonacci(N - 2) def main(): n = int(input()) print(fibonacci(N)) if __name__ == '__main__': main()
class ConnectedSIPMessage(object): def __init__(self, a_sip_transport_connection, a_sip_message): self.connection = a_sip_transport_connection self.sip_message = a_sip_message @property def raw_string(self): if self.sip_message: return self.sip_message.raw_string else: return None
class Connectedsipmessage(object): def __init__(self, a_sip_transport_connection, a_sip_message): self.connection = a_sip_transport_connection self.sip_message = a_sip_message @property def raw_string(self): if self.sip_message: return self.sip_message.raw_string else: return None
# Change to API-tokens CONSUMER_KEY='[TWITTER CONSUMER KEY]' CONSUMER_SECRET='[TWITTER CONSUMER SECRET]' # Change to proper username/password ADMIN_NAME='admin' ADMIN_PW='1234' # Change to proper secrete key e.g. `python3 -c 'import os; print(os.urandom(16))'` SECRET_KEY = b'1234'
consumer_key = '[TWITTER CONSUMER KEY]' consumer_secret = '[TWITTER CONSUMER SECRET]' admin_name = 'admin' admin_pw = '1234' secret_key = b'1234'
# Definition for singly-linked list. # class ListNode: # def __init__(self, x): # self.val = x # self.next = None class Solution: def detectCycle(self, head: ListNode) -> ListNode: cs = head cf = head if head == None: return None if cf.next == None: return None else: cf = cf.next while cf.next != None and cf != cs: cs = cs.next cf = cf.next if cf.next != None: cf = cf.next else: return None if cf == cs: cfc = 1 csc = 0 cf = cf.next while cf != cs: cf = cf.next cf = cf.next cfc += 2 cs = cs.next csc += 1 cfc -= csc cs = head while cs.next != None: i = 0 cf = cs.next while i <= cfc: if cf.next == head: return head if cf.next == cs.next: return cf.next cf = cf.next i += 1 cs = cs.next return None
class Solution: def detect_cycle(self, head: ListNode) -> ListNode: cs = head cf = head if head == None: return None if cf.next == None: return None else: cf = cf.next while cf.next != None and cf != cs: cs = cs.next cf = cf.next if cf.next != None: cf = cf.next else: return None if cf == cs: cfc = 1 csc = 0 cf = cf.next while cf != cs: cf = cf.next cf = cf.next cfc += 2 cs = cs.next csc += 1 cfc -= csc cs = head while cs.next != None: i = 0 cf = cs.next while i <= cfc: if cf.next == head: return head if cf.next == cs.next: return cf.next cf = cf.next i += 1 cs = cs.next return None
def toh(disks, source, destination, helper) -> int: # Number of steps it will take to transfer the disks from one tower to another # Base Case if disks == 1: print("move disk {} from {} -> {}".format(disks, source, destination)) return 1 # only one step needed # Hypothesis steps_to_move_remaining_disks__from_src_helper = toh(disks - 1, source, helper, destination) # Induction step print("move last disk({}) from {} -> {}".format(disks, source, destination)) steps_to_move_last_disk__from_src_dest = 1 steps_to_move_remaining_disks__from_helper_dest = toh(disks - 1, helper, destination, source) return steps_to_move_remaining_disks__from_src_helper + steps_to_move_last_disk__from_src_dest + steps_to_move_remaining_disks__from_helper_dest if __name__ == "__main__": disks = 3 print(toh(disks, 'SOURCE', 'DESTINATION', 'HELPER'))
def toh(disks, source, destination, helper) -> int: if disks == 1: print('move disk {} from {} -> {}'.format(disks, source, destination)) return 1 steps_to_move_remaining_disks__from_src_helper = toh(disks - 1, source, helper, destination) print('move last disk({}) from {} -> {}'.format(disks, source, destination)) steps_to_move_last_disk__from_src_dest = 1 steps_to_move_remaining_disks__from_helper_dest = toh(disks - 1, helper, destination, source) return steps_to_move_remaining_disks__from_src_helper + steps_to_move_last_disk__from_src_dest + steps_to_move_remaining_disks__from_helper_dest if __name__ == '__main__': disks = 3 print(toh(disks, 'SOURCE', 'DESTINATION', 'HELPER'))