content
stringlengths
7
1.05M
fixed_cases
stringlengths
1
1.28M
""" dictionary unpacking => It unpacks a dictionary as named arguments to a function. """ class User: def __init__(self, username, password): self.username = username self.password = password @classmethod def from_dict(cls, data): return cls(data['username'], data['password']) def __repr__(self): return f"<User {self.username} with password {self.password}>" users = [ {'username': 'kamran', 'password': '123'}, {'username': 'ali', 'password': '123'} ] user_objects = [ User.from_dict(u) for u in users ] ## With Dictionary Unpacking class User2: def __init__(self, username, password): self.username = username self.password = password # @classmethod # def from_dict(cls, data): # return cls(data['username'], data['password']) def __repr__(self): return f"<User2 {self.username} with password {self.password}>" users = [ {'username': 'kamran', 'password': '123'}, {'username': 'ali', 'password': '123'} ] ## It unpacks a dictionary as named arguments to a function. In this case it's username and password. # So username is data['username'] # Basically it is equivalent to "user_objects_with_unpacking = [ User2(username=u['username'], password=u['password']) for u in users ] " # It's important because dictionary may not be in order. And remember named arguments can be jumbled up and that's fine. user_objects_with_unpacking = [ User2(**u) for u in users ] print(user_objects_with_unpacking) # if data is in form of tuple users_tuple = [ ('kamran', '123'), ('ali', '123') ] user_objects_from_tuples = [User2(*u) for u in users_tuple]
""" dictionary unpacking => It unpacks a dictionary as named arguments to a function. """ class User: def __init__(self, username, password): self.username = username self.password = password @classmethod def from_dict(cls, data): return cls(data['username'], data['password']) def __repr__(self): return f'<User {self.username} with password {self.password}>' users = [{'username': 'kamran', 'password': '123'}, {'username': 'ali', 'password': '123'}] user_objects = [User.from_dict(u) for u in users] class User2: def __init__(self, username, password): self.username = username self.password = password def __repr__(self): return f'<User2 {self.username} with password {self.password}>' users = [{'username': 'kamran', 'password': '123'}, {'username': 'ali', 'password': '123'}] user_objects_with_unpacking = [user2(**u) for u in users] print(user_objects_with_unpacking) users_tuple = [('kamran', '123'), ('ali', '123')] user_objects_from_tuples = [user2(*u) for u in users_tuple]
# an ex. of how you might use a list in practice colors = ["green", "red", "blue"] guess = input("Please guess a color:") if guess in colors: print ("You guessed correctly!") else: print ("Negative! Try again please.")
colors = ['green', 'red', 'blue'] guess = input('Please guess a color:') if guess in colors: print('You guessed correctly!') else: print('Negative! Try again please.')
# Do not edit this file directly. # It was auto-generated by: code/programs/reflexivity/reflexive_refresh load("@bazel_tools//tools/build_defs/repo:http.bzl", "http_archive") def backwardCpp(): http_archive( name="backward_cpp" , build_file="//bazel/deps/backward_cpp:build.BUILD" , sha256="16ea32d5337735ed3e7eacd71d90596a89bc648c557bb6007c521a2cb6b073cc" , strip_prefix="backward-cpp-aa3f253efc7281148e9159eda52b851339fe949e" , urls = [ "https://github.com/Unilang/backward-cpp/archive/aa3f253efc7281148e9159eda52b851339fe949e.tar.gz", ], )
load('@bazel_tools//tools/build_defs/repo:http.bzl', 'http_archive') def backward_cpp(): http_archive(name='backward_cpp', build_file='//bazel/deps/backward_cpp:build.BUILD', sha256='16ea32d5337735ed3e7eacd71d90596a89bc648c557bb6007c521a2cb6b073cc', strip_prefix='backward-cpp-aa3f253efc7281148e9159eda52b851339fe949e', urls=['https://github.com/Unilang/backward-cpp/archive/aa3f253efc7281148e9159eda52b851339fe949e.tar.gz'])
print('~'*30) print('BANCOS AVORIK') print('~'*30) nt50 = nt20 = nt10 = nt1 = 0 saque = int(input('Quantos R$ deseja sacar?\n')) resto = saque while True: if resto > 50: nt50 = resto // 50 resto = resto % 50 print(f'{nt50} nota(s) de R$ 50.') if resto > 20: nt20 = resto // 20 resto = resto % 20 print(f'{nt20} nota(s) de R$ 20.') if resto > 10: nt10 = resto // 10 resto = resto % 10 print(f'{nt10} nota(s) de R$ 10.') if resto > 1: nt1 = resto // 1 resto = resto % 1 print(f'{nt1} nota(s) de R$ 1.') if resto == 0: break print('Fim')
print('~' * 30) print('BANCOS AVORIK') print('~' * 30) nt50 = nt20 = nt10 = nt1 = 0 saque = int(input('Quantos R$ deseja sacar?\n')) resto = saque while True: if resto > 50: nt50 = resto // 50 resto = resto % 50 print(f'{nt50} nota(s) de R$ 50.') if resto > 20: nt20 = resto // 20 resto = resto % 20 print(f'{nt20} nota(s) de R$ 20.') if resto > 10: nt10 = resto // 10 resto = resto % 10 print(f'{nt10} nota(s) de R$ 10.') if resto > 1: nt1 = resto // 1 resto = resto % 1 print(f'{nt1} nota(s) de R$ 1.') if resto == 0: break print('Fim')
s = set(r"""~!@#$%^&*()_+|`-=\{}[]:";'<>?,./ """) while True: up = True low = True digit = True special = True a = input() b = input() t = len(a) if a != b: print('Password settings are not consistent.') elif a == 'END': break else: if not 8 <= t <= 12: print('Password should contain 8 to 12 characters.') continue for char in a: if up and char.isupper(): up = False if low and char.islower(): low = False if digit and char.isdigit(): digit = False if special and char in s: special = False if up: print( 'Password should contain at least one upper-case alphabetical character.') continue if low: print( 'Password should contain at least one lower-case alphabetical character.') continue if digit: print('Password should contain at least one number.') continue if special: print('Password should contain at least one special character.') continue if a == a[::-1]: print('Symmetric password is not allowed.') continue close = False for i in range(3, 7): j = 0 k = 0 while j < t: if k >= i: k = 0 if a[j] != a[k]: break j += 1 k += 1 else: print('Circular password is not allowed.') break else: print('Password is valid.')
s = set('~!@#$%^&*()_+|`-=\\{}[]:";\'<>?,./ ') while True: up = True low = True digit = True special = True a = input() b = input() t = len(a) if a != b: print('Password settings are not consistent.') elif a == 'END': break else: if not 8 <= t <= 12: print('Password should contain 8 to 12 characters.') continue for char in a: if up and char.isupper(): up = False if low and char.islower(): low = False if digit and char.isdigit(): digit = False if special and char in s: special = False if up: print('Password should contain at least one upper-case alphabetical character.') continue if low: print('Password should contain at least one lower-case alphabetical character.') continue if digit: print('Password should contain at least one number.') continue if special: print('Password should contain at least one special character.') continue if a == a[::-1]: print('Symmetric password is not allowed.') continue close = False for i in range(3, 7): j = 0 k = 0 while j < t: if k >= i: k = 0 if a[j] != a[k]: break j += 1 k += 1 else: print('Circular password is not allowed.') break else: print('Password is valid.')
"""Modules for integration between Sans-I/O protocols and I/O drivers. Modules: _trio: integration between Sans-I/O protocols and trio I/O. """
"""Modules for integration between Sans-I/O protocols and I/O drivers. Modules: _trio: integration between Sans-I/O protocols and trio I/O. """
ButtonA, ButtonB, ButtonSelect, ButtonStart, ButtonUp, ButtonDown, ButtonLeft, ButtonRight = range(8) class Controller: def __init__(self): self.buttons = [False for _ in range(8)] self.index = 0 self.strobe = 0 def set_buttons(self, buttons): self.buttons = buttons def read(self): value = 0 if self.index < 8 and self.buttons[self.index]: value = 1 self.index += 1 if self.strobe & 1 == 1: self.index = 0 return value def write(self, value): self.strobe = value if self.strobe & 1 == 1: self.index = 0
(button_a, button_b, button_select, button_start, button_up, button_down, button_left, button_right) = range(8) class Controller: def __init__(self): self.buttons = [False for _ in range(8)] self.index = 0 self.strobe = 0 def set_buttons(self, buttons): self.buttons = buttons def read(self): value = 0 if self.index < 8 and self.buttons[self.index]: value = 1 self.index += 1 if self.strobe & 1 == 1: self.index = 0 return value def write(self, value): self.strobe = value if self.strobe & 1 == 1: self.index = 0
# wordCalculator.py # A program to calculate the number of words in a sentence # by Tung Nguyen def main(): # declare program function: print("This program calculates the number of words in a sentence.") print() # prompt user to input the sentence: sentence = input("Enter a phrase: ") # split the sentence into a list that contains words listWord = sentence.split() # count the number of words inside the list countWord = len(listWord) # print out the number of words as the result print() print("Number of words:", countWord) main()
def main(): print('This program calculates the number of words in a sentence.') print() sentence = input('Enter a phrase: ') list_word = sentence.split() count_word = len(listWord) print() print('Number of words:', countWord) main()
"""Result - Data structure for a result.""" # Is prediction before game is played, then actual once game ahs been played # Return the outcome Briers score, home/away goals scored, Predictions if available, and actual # result if game has been played class Result: """Result - Data structure for a result.""" def __init__(self, status='SCHEDULED', home_team_goals_scored=0, away_team_goals_scored=0): """ Construct a Result object. Parameters ---------- status : str, optional The status of the result of the result. SCHEDULED or FINISHED. Defaults to SCHEDULED home_team_goals_scored : int, optional The number of goals scored by the home team. Defaults to 0. away_team_goals_scored : int, optional The number of goals scored by the away team. Defaults to 0. """ self._status = status # TODO: Can we use an enum? self._home_team_goals_scored = home_team_goals_scored self._away_team_goals_scored = away_team_goals_scored def __eq__(self, other): """ Override the __eq__ method for the Result class to allow for object value comparison. Parameters ---------- other : footy.domain.Result.Result The result object to compare to. Returns ------- bool True/False if the values in the two objects are equal. """ return ( self.__class__ == other.__class__ and self._status == other._status and self._home_team_goals_scored == other._home_team_goals_scored and self._away_team_goals_scored == other._away_team_goals_scored ) @property def status(self): """ Getter method for property status. Returns ------- str The value of property status. """ return self._status @status.setter def status(self, status): """ Getter method for property status. Parameters ---------- status : str The value you wish to set the status property to. """ self._status = status @property def home_team_goals_scored(self): """ Getter method for property home_team_goals_scored. Returns ------- int The value of property home_team_goals_scored. """ return self._home_team_goals_scored @home_team_goals_scored.setter def home_team_goals_scored(self, home_team_goals_scored): """ Getter method for property home_team_goals_scored. Parameters ---------- home_team_goals_scored : int The value you wish to set the home_team_goals_scored property to. """ self._home_team_goals_scored = home_team_goals_scored @property def away_team_goals_scored(self): """ Getter method for property away_team_goals_scored. Returns ------- int The value of property away_team_goals_scored. """ return self._away_team_goals_scored @away_team_goals_scored.setter def away_team_goals_scored(self, away_team_goals_scored): """ Getter method for property away_team_goals_scored. Parameters ---------- away_team_goals_scored : int The value you wish to set the away_team_goals_scored property to. """ self._away_team_goals_scored = away_team_goals_scored
"""Result - Data structure for a result.""" class Result: """Result - Data structure for a result.""" def __init__(self, status='SCHEDULED', home_team_goals_scored=0, away_team_goals_scored=0): """ Construct a Result object. Parameters ---------- status : str, optional The status of the result of the result. SCHEDULED or FINISHED. Defaults to SCHEDULED home_team_goals_scored : int, optional The number of goals scored by the home team. Defaults to 0. away_team_goals_scored : int, optional The number of goals scored by the away team. Defaults to 0. """ self._status = status self._home_team_goals_scored = home_team_goals_scored self._away_team_goals_scored = away_team_goals_scored def __eq__(self, other): """ Override the __eq__ method for the Result class to allow for object value comparison. Parameters ---------- other : footy.domain.Result.Result The result object to compare to. Returns ------- bool True/False if the values in the two objects are equal. """ return self.__class__ == other.__class__ and self._status == other._status and (self._home_team_goals_scored == other._home_team_goals_scored) and (self._away_team_goals_scored == other._away_team_goals_scored) @property def status(self): """ Getter method for property status. Returns ------- str The value of property status. """ return self._status @status.setter def status(self, status): """ Getter method for property status. Parameters ---------- status : str The value you wish to set the status property to. """ self._status = status @property def home_team_goals_scored(self): """ Getter method for property home_team_goals_scored. Returns ------- int The value of property home_team_goals_scored. """ return self._home_team_goals_scored @home_team_goals_scored.setter def home_team_goals_scored(self, home_team_goals_scored): """ Getter method for property home_team_goals_scored. Parameters ---------- home_team_goals_scored : int The value you wish to set the home_team_goals_scored property to. """ self._home_team_goals_scored = home_team_goals_scored @property def away_team_goals_scored(self): """ Getter method for property away_team_goals_scored. Returns ------- int The value of property away_team_goals_scored. """ return self._away_team_goals_scored @away_team_goals_scored.setter def away_team_goals_scored(self, away_team_goals_scored): """ Getter method for property away_team_goals_scored. Parameters ---------- away_team_goals_scored : int The value you wish to set the away_team_goals_scored property to. """ self._away_team_goals_scored = away_team_goals_scored
""" Author: Ao Wang Date: 08/12/19 Description: Caesar cipher encryption and decryption, also a reverse encryption """ # The function reverses the string parameter def reverse(plain_text): cipher_text = "" for letter in range(len(plain_text)): # starts at the end of the string, -1 and moves its way to the left cipher_text += plain_text[-1-letter] return cipher_text # The function encrypts the text with a certain key def caesar_cipher(plain_text, key): cipher_text = "" # loops through each letter of the text for letter in plain_text: # checks if letter is uppercase or lowercase and in the alphabet # if not add it as any other character if letter.isupper() and (ord(letter) >= ord("A") and ord(letter) <= ord("Z")): cipher_text += chr((ord(letter) + key - ord("A")) % 26 + ord("A")) elif letter.islower and (ord(letter) >= ord("a") and ord(letter) <= ord("z")): cipher_text += chr((ord(letter) + key - ord("a")) % 26 + ord("a")) else: cipher_text += letter return cipher_text # The function returns a dictionary that counts the frequency of the alphabet def letter_count(text): letter_dict = {} text = text.upper() for letter in text: # makes sure that spaces are not counted if not " " in letter: if not letter in letter_dict.keys(): letter_dict[letter] = 1 else: letter_dict[letter] += 1 return letter_dict # The function decrypts the cipher by finding the most frequent letter def decrypt(cipher_text): alphabet = [] # storing alphabet in list for letter in range(26): alphabet.append(chr(ord("A")+letter)) letter_dict = letter_count(cipher_text) high = 0 high_key = "" # get the most frequent letter for keys in letter_dict.keys(): if letter_dict.get(keys) > high: high = letter_dict.get(keys) high_key = keys # gets the key by finding where the most frequent letter is in the alphabet and subtract it # where E is in the alphabet (the most frequent letter) break_key = alphabet.index(high_key) - alphabet.index("E") # if key is negative, add 26 if break_key <= 0: break_key = break_key + 26 print("The key is: " + str(break_key)) # 26 - by the key reverses the effect of the cipher # 26 - key + key = 26 nullifies the effect of the cipher return caesar_cipher(cipher_text, 26 - break_key) # The function prints out all the possibilities of the cipher by testing keys from 0-25 def brute_force(cipher_text): for key in range(26): print(caesar_cipher(cipher_text, key)) print("Welcome to the Caesar Cipher/Breaker!") choice = input("Would you like to encrypt (e) or decrypt (d): ") print() if(choice == "e"): text = input("What would you like to encrypt?: ") key = int(input("What is the key?: ")) print() print("Plaintext: " + text) print("Ciphertext: " + caesar_cipher(text, key)) elif(choice == "d"): text = input("What would you like to decrypt?: ") print("Ciphertext: " + text) print("Plaintext: " + decrypt(text)) else: print("Oops there seems to be an error") print() # testing with open("caesar.txt","r") as file: f = file.read() brute_force("Gdkkn sgdqd H gnod xnt zqd njzx") print() print(caesar_cipher("Hello there I hope you are okay", -1)) print() print(decrypt("Gdkkn sgdqd H gnod xnt zqd njzx")) print() print(decrypt(f))
""" Author: Ao Wang Date: 08/12/19 Description: Caesar cipher encryption and decryption, also a reverse encryption """ def reverse(plain_text): cipher_text = '' for letter in range(len(plain_text)): cipher_text += plain_text[-1 - letter] return cipher_text def caesar_cipher(plain_text, key): cipher_text = '' for letter in plain_text: if letter.isupper() and (ord(letter) >= ord('A') and ord(letter) <= ord('Z')): cipher_text += chr((ord(letter) + key - ord('A')) % 26 + ord('A')) elif letter.islower and (ord(letter) >= ord('a') and ord(letter) <= ord('z')): cipher_text += chr((ord(letter) + key - ord('a')) % 26 + ord('a')) else: cipher_text += letter return cipher_text def letter_count(text): letter_dict = {} text = text.upper() for letter in text: if not ' ' in letter: if not letter in letter_dict.keys(): letter_dict[letter] = 1 else: letter_dict[letter] += 1 return letter_dict def decrypt(cipher_text): alphabet = [] for letter in range(26): alphabet.append(chr(ord('A') + letter)) letter_dict = letter_count(cipher_text) high = 0 high_key = '' for keys in letter_dict.keys(): if letter_dict.get(keys) > high: high = letter_dict.get(keys) high_key = keys break_key = alphabet.index(high_key) - alphabet.index('E') if break_key <= 0: break_key = break_key + 26 print('The key is: ' + str(break_key)) return caesar_cipher(cipher_text, 26 - break_key) def brute_force(cipher_text): for key in range(26): print(caesar_cipher(cipher_text, key)) print('Welcome to the Caesar Cipher/Breaker!') choice = input('Would you like to encrypt (e) or decrypt (d): ') print() if choice == 'e': text = input('What would you like to encrypt?: ') key = int(input('What is the key?: ')) print() print('Plaintext: ' + text) print('Ciphertext: ' + caesar_cipher(text, key)) elif choice == 'd': text = input('What would you like to decrypt?: ') print('Ciphertext: ' + text) print('Plaintext: ' + decrypt(text)) else: print('Oops there seems to be an error') print() with open('caesar.txt', 'r') as file: f = file.read() brute_force('Gdkkn sgdqd H gnod xnt zqd njzx') print() print(caesar_cipher('Hello there I hope you are okay', -1)) print() print(decrypt('Gdkkn sgdqd H gnod xnt zqd njzx')) print() print(decrypt(f))
class LexHelper: offset = 0 def get_max_linespan(self, p): defSpan = [1e60, -1] mSpan = [1e60, -1] for sp in range(0, len(p)): csp = p.linespan(sp) if csp[0] == 0 and csp[1] == 0: if hasattr(p[sp], "linespan"): csp = p[sp].linespan else: continue if csp is None or len(csp) != 2: continue if csp[0] == 0 and csp[1] == 0: continue if csp[0] < mSpan[0]: mSpan[0] = csp[0] if csp[1] > mSpan[1]: mSpan[1] = csp[1] if defSpan == mSpan: return (0, 0) return tuple([mSpan[0] - self.offset, mSpan[1] - self.offset]) def get_max_lexspan(self, p): defSpan = [1e60, -1] mSpan = [1e60, -1] for sp in range(0, len(p)): csp = p.lexspan(sp) if csp[0] == 0 and csp[1] == 0: if hasattr(p[sp], "lexspan"): csp = p[sp].lexspan else: continue if csp is None or len(csp) != 2: continue if csp[0] == 0 and csp[1] == 0: continue if csp[0] < mSpan[0]: mSpan[0] = csp[0] if csp[1] > mSpan[1]: mSpan[1] = csp[1] if defSpan == mSpan: return (0, 0) return tuple([mSpan[0] - self.offset, mSpan[1] - self.offset]) def set_parse_object(self, dst, p): dst.setLexData( linespan=self.get_max_linespan(p), lexspan=self.get_max_lexspan(p)) dst.setLexObj(p) class Base(object): parent = None lexspan = None linespan = None def v(self, obj, visitor): if obj is None: return elif hasattr(obj, "accept"): obj.accept(visitor) elif isinstance(obj, list): for s in obj: self.v(s, visitor) pass pass @staticmethod def p(obj, parent): if isinstance(obj, list): for s in obj: Base.p(s, parent) if hasattr(obj, "parent"): obj.parent = parent # Lexical unit - contains lexspan and linespan for later analysis. class LU(Base): def __init__(self, p, idx): self.p = p self.idx = idx self.pval = p[idx] self.lexspan = p.lexspan(idx) self.linespan = p.linespan(idx) # If string is in the value (raw value) and start and stop lexspan is the same, add real span # obtained by string length. if isinstance(self.pval, str) \ and self.lexspan is not None \ and self.lexspan[0] == self.lexspan[1] \ and self.lexspan[0] != 0: self.lexspan = tuple( [self.lexspan[0], self.lexspan[0] + len(self.pval)]) super(LU, self).__init__() @staticmethod def i(p, idx): if isinstance(p[idx], LU): return p[idx] if isinstance(p[idx], str): return LU(p, idx) return p[idx] def describe(self): return "LU(%s,%s)" % (self.pval, self.lexspan) def __str__(self): return self.pval def __repr__(self): return self.describe() def accept(self, visitor): self.v(self.pval, visitor) def __iter__(self): for x in self.pval: yield x # Base node class SourceElement(Base): ''' A SourceElement is the base class for all elements that occur in a Protocol Buffers file parsed by plyproto. ''' def __init__(self, linespan=[], lexspan=[], p=None): super(SourceElement, self).__init__() self._fields = [] # ['linespan', 'lexspan'] self.linespan = linespan self.lexspan = lexspan self.p = p def __repr__(self): equals = ("{0}={1!r}".format(k, getattr(self, k)) for k in self._fields) args = ", ".join(equals) return "{0}({1})".format(self.__class__.__name__, args) def __eq__(self, other): try: return self.__dict__ == other.__dict__ except AttributeError: return False def __ne__(self, other): return not self == other def setLexData(self, linespan, lexspan): self.linespan = linespan self.lexspan = lexspan def setLexObj(self, p): self.p = p def accept(self, visitor): pass class Visitor(object): def __init__(self, verbose=False): self.verbose = verbose def __getattr__(self, name): if not name.startswith('visit_'): raise AttributeError( 'name must start with visit_ but was {}'.format(name)) def f(element): if self.verbose: msg = 'unimplemented call to {}; ignoring ({})' print(msg.format(name, element)) return True return f # visitor.visit_PackageStatement(self) # visitor.visit_ImportStatement(self) # visitor.visit_OptionStatement(self) # visitor.visit_FieldDirective(self) # visitor.visit_FieldType(self) # visitor.visit_FieldDefinition(self) # visitor.visit_EnumFieldDefinition(self) # visitor.visit_EnumDefinition(self) # visitor.visit_MessageDefinition(self) # visitor.visit_MessageExtension(self) # visitor.visit_MethodDefinition(self) # visitor.visit_ServiceDefinition(self) # visitor.visit_ExtensionsDirective(self) # visitor.visit_Literal(self) # visitor.visit_Name(self) # visitor.visit_Proto(self) # visitor.visit_LU(self)
class Lexhelper: offset = 0 def get_max_linespan(self, p): def_span = [1e+60, -1] m_span = [1e+60, -1] for sp in range(0, len(p)): csp = p.linespan(sp) if csp[0] == 0 and csp[1] == 0: if hasattr(p[sp], 'linespan'): csp = p[sp].linespan else: continue if csp is None or len(csp) != 2: continue if csp[0] == 0 and csp[1] == 0: continue if csp[0] < mSpan[0]: mSpan[0] = csp[0] if csp[1] > mSpan[1]: mSpan[1] = csp[1] if defSpan == mSpan: return (0, 0) return tuple([mSpan[0] - self.offset, mSpan[1] - self.offset]) def get_max_lexspan(self, p): def_span = [1e+60, -1] m_span = [1e+60, -1] for sp in range(0, len(p)): csp = p.lexspan(sp) if csp[0] == 0 and csp[1] == 0: if hasattr(p[sp], 'lexspan'): csp = p[sp].lexspan else: continue if csp is None or len(csp) != 2: continue if csp[0] == 0 and csp[1] == 0: continue if csp[0] < mSpan[0]: mSpan[0] = csp[0] if csp[1] > mSpan[1]: mSpan[1] = csp[1] if defSpan == mSpan: return (0, 0) return tuple([mSpan[0] - self.offset, mSpan[1] - self.offset]) def set_parse_object(self, dst, p): dst.setLexData(linespan=self.get_max_linespan(p), lexspan=self.get_max_lexspan(p)) dst.setLexObj(p) class Base(object): parent = None lexspan = None linespan = None def v(self, obj, visitor): if obj is None: return elif hasattr(obj, 'accept'): obj.accept(visitor) elif isinstance(obj, list): for s in obj: self.v(s, visitor) pass pass @staticmethod def p(obj, parent): if isinstance(obj, list): for s in obj: Base.p(s, parent) if hasattr(obj, 'parent'): obj.parent = parent class Lu(Base): def __init__(self, p, idx): self.p = p self.idx = idx self.pval = p[idx] self.lexspan = p.lexspan(idx) self.linespan = p.linespan(idx) if isinstance(self.pval, str) and self.lexspan is not None and (self.lexspan[0] == self.lexspan[1]) and (self.lexspan[0] != 0): self.lexspan = tuple([self.lexspan[0], self.lexspan[0] + len(self.pval)]) super(LU, self).__init__() @staticmethod def i(p, idx): if isinstance(p[idx], LU): return p[idx] if isinstance(p[idx], str): return lu(p, idx) return p[idx] def describe(self): return 'LU(%s,%s)' % (self.pval, self.lexspan) def __str__(self): return self.pval def __repr__(self): return self.describe() def accept(self, visitor): self.v(self.pval, visitor) def __iter__(self): for x in self.pval: yield x class Sourceelement(Base): """ A SourceElement is the base class for all elements that occur in a Protocol Buffers file parsed by plyproto. """ def __init__(self, linespan=[], lexspan=[], p=None): super(SourceElement, self).__init__() self._fields = [] self.linespan = linespan self.lexspan = lexspan self.p = p def __repr__(self): equals = ('{0}={1!r}'.format(k, getattr(self, k)) for k in self._fields) args = ', '.join(equals) return '{0}({1})'.format(self.__class__.__name__, args) def __eq__(self, other): try: return self.__dict__ == other.__dict__ except AttributeError: return False def __ne__(self, other): return not self == other def set_lex_data(self, linespan, lexspan): self.linespan = linespan self.lexspan = lexspan def set_lex_obj(self, p): self.p = p def accept(self, visitor): pass class Visitor(object): def __init__(self, verbose=False): self.verbose = verbose def __getattr__(self, name): if not name.startswith('visit_'): raise attribute_error('name must start with visit_ but was {}'.format(name)) def f(element): if self.verbose: msg = 'unimplemented call to {}; ignoring ({})' print(msg.format(name, element)) return True return f
settings = {} settings['version'] = "0.1" settings['port'] = 36000 settings['product'] = "MOPIDY-PLEX" settings['debug_registration'] = False settings['debug_httpd'] = False settings['host'] = "" settings['token'] = None
settings = {} settings['version'] = '0.1' settings['port'] = 36000 settings['product'] = 'MOPIDY-PLEX' settings['debug_registration'] = False settings['debug_httpd'] = False settings['host'] = '' settings['token'] = None
def is_leap(year): if year >= 1900 and year <= pow(10,5): leap = False if year%4 == 0: if year%100 == 0: if year%400 == 0: leap = True else: leap = False else: leap = True return leap else: return 'Enter valid year!' if __name__ == '__main__': year = int(input()) print(is_leap(year))
def is_leap(year): if year >= 1900 and year <= pow(10, 5): leap = False if year % 4 == 0: if year % 100 == 0: if year % 400 == 0: leap = True else: leap = False else: leap = True return leap else: return 'Enter valid year!' if __name__ == '__main__': year = int(input()) print(is_leap(year))
# Copyright 2017 The Bazel Authors. All rights reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. """Rule for bundling Docker images into a tarball.""" load(":label.bzl", _string_to_label="string_to_label") load(":layers.bzl", _assemble_image="assemble", _get_layers="get_from_target", _incr_load="incremental_load", _layer_tools="tools") load(":list.bzl", "reverse") def _docker_bundle_impl(ctx): """Implementation for the docker_bundle rule.""" # Compute the set of layers from the image_targes. image_target_dict = _string_to_label( ctx.attr.image_targets, ctx.attr.image_target_strings) seen_names = [] layers = [] for image in ctx.attr.image_targets: # TODO(mattmoor): Add support for naked tarballs. for layer in _get_layers(ctx, image): if layer["name"].path in seen_names: continue seen_names.append(layer["name"].path) layers.append(layer) images = dict() for unresolved_tag in ctx.attr.images: # Allow users to put make variables into the tag name. tag = ctx.expand_make_variables("images", unresolved_tag, {}) target = ctx.attr.images[unresolved_tag] target = image_target_dict[target] images[tag] = _get_layers(ctx, target)[0] _incr_load(ctx, layers, images, ctx.outputs.executable) _assemble_image(ctx, reverse(layers), { # Create a new dictionary with the same keyspace that # points to the name of the layer. k: images[k]["name"] for k in images }, ctx.outputs.out) runfiles = ctx.runfiles( files = ([l["name"] for l in layers] + [l["id"] for l in layers] + [l["layer"] for l in layers])) return struct(runfiles = runfiles, files = depset()) docker_bundle_ = rule( implementation = _docker_bundle_impl, attrs = { "images": attr.string_dict(), # Implicit dependencies. "image_targets": attr.label_list(allow_files=True), "image_target_strings": attr.string_list(), } + _layer_tools, outputs = { "out": "%{name}.tar", }, executable = True) # Produces a new docker image tarball compatible with 'docker load', which # contains the N listed 'images', each aliased with their key. # # Example: # docker_bundle( # name = "foo", # images = { # "ubuntu:latest": ":blah", # "foo.io/bar:canary": "//baz:asdf", # } # ) def docker_bundle(**kwargs): """Package several docker images into a single tarball. Args: **kwargs: See above. """ for reserved in ["image_targets", "image_target_strings"]: if reserved in kwargs: fail("reserved for internal use by docker_bundle macro", attr=reserved) if "images" in kwargs: kwargs["image_targets"] = kwargs["images"].values() kwargs["image_target_strings"] = kwargs["images"].values() docker_bundle_(**kwargs)
"""Rule for bundling Docker images into a tarball.""" load(':label.bzl', _string_to_label='string_to_label') load(':layers.bzl', _assemble_image='assemble', _get_layers='get_from_target', _incr_load='incremental_load', _layer_tools='tools') load(':list.bzl', 'reverse') def _docker_bundle_impl(ctx): """Implementation for the docker_bundle rule.""" image_target_dict = _string_to_label(ctx.attr.image_targets, ctx.attr.image_target_strings) seen_names = [] layers = [] for image in ctx.attr.image_targets: for layer in _get_layers(ctx, image): if layer['name'].path in seen_names: continue seen_names.append(layer['name'].path) layers.append(layer) images = dict() for unresolved_tag in ctx.attr.images: tag = ctx.expand_make_variables('images', unresolved_tag, {}) target = ctx.attr.images[unresolved_tag] target = image_target_dict[target] images[tag] = _get_layers(ctx, target)[0] _incr_load(ctx, layers, images, ctx.outputs.executable) _assemble_image(ctx, reverse(layers), {k: images[k]['name'] for k in images}, ctx.outputs.out) runfiles = ctx.runfiles(files=[l['name'] for l in layers] + [l['id'] for l in layers] + [l['layer'] for l in layers]) return struct(runfiles=runfiles, files=depset()) docker_bundle_ = rule(implementation=_docker_bundle_impl, attrs={'images': attr.string_dict(), 'image_targets': attr.label_list(allow_files=True), 'image_target_strings': attr.string_list()} + _layer_tools, outputs={'out': '%{name}.tar'}, executable=True) def docker_bundle(**kwargs): """Package several docker images into a single tarball. Args: **kwargs: See above. """ for reserved in ['image_targets', 'image_target_strings']: if reserved in kwargs: fail('reserved for internal use by docker_bundle macro', attr=reserved) if 'images' in kwargs: kwargs['image_targets'] = kwargs['images'].values() kwargs['image_target_strings'] = kwargs['images'].values() docker_bundle_(**kwargs)
def test_load_case(case_obj, adapter): ## GIVEN a database with no cases assert adapter.case_collection.find_one() is None ## WHEN loading a case adapter._add_case(case_obj) ## THEN assert that the case have been loaded with correct info assert adapter.case_collection.find_one() def test_load_case_rank_model_version(case_obj, adapter): ## GIVEN a database with no cases assert adapter.case_collection.find_one() is None ## WHEN loading a case adapter._add_case(case_obj) ## THEN assert that the case have been loaded with rank_model loaded_case = adapter.case_collection.find_one({"_id": case_obj["_id"]}) assert loaded_case["rank_model_version"] == case_obj["rank_model_version"] assert loaded_case["sv_rank_model_version"] == case_obj["sv_rank_model_version"] def test_load_case_limsid(case_obj, adapter): """Test loading a case with lims_id""" ## GIVEN a database with no cases assert adapter.case_collection.find_one() is None ## WHEN loading a case adapter._add_case(case_obj) ## THEN assert that the case have been loaded with lims id loaded_case = adapter.case_collection.find_one({"_id": case_obj["_id"]}) assert loaded_case["lims_id"] == case_obj["lims_id"]
def test_load_case(case_obj, adapter): assert adapter.case_collection.find_one() is None adapter._add_case(case_obj) assert adapter.case_collection.find_one() def test_load_case_rank_model_version(case_obj, adapter): assert adapter.case_collection.find_one() is None adapter._add_case(case_obj) loaded_case = adapter.case_collection.find_one({'_id': case_obj['_id']}) assert loaded_case['rank_model_version'] == case_obj['rank_model_version'] assert loaded_case['sv_rank_model_version'] == case_obj['sv_rank_model_version'] def test_load_case_limsid(case_obj, adapter): """Test loading a case with lims_id""" assert adapter.case_collection.find_one() is None adapter._add_case(case_obj) loaded_case = adapter.case_collection.find_one({'_id': case_obj['_id']}) assert loaded_case['lims_id'] == case_obj['lims_id']
def threshold_distance_mask(r, h): return r < h
def threshold_distance_mask(r, h): return r < h
load("@bazel_tools//tools/build_defs/repo:jvm.bzl", "jvm_maven_import_external") _default_server_urls = ["https://repo.maven.apache.org/maven2/", "https://mvnrepository.com/artifact", "https://maven-central.storage.googleapis.com", "http://gitblit.github.io/gitblit-maven", "https://repository.mulesoft.org/nexus/content/repositories/public/",] def safe_exodus_maven_import_external(name, artifact, **kwargs): if native.existing_rule(name) == None: exodus_maven_import_external( name = name, artifact = artifact, **kwargs ) def exodus_maven_import_external(name, artifact, **kwargs): fetch_sources = kwargs.get("srcjar_sha256") != None exodus_maven_import_external_sources(name, artifact, fetch_sources, **kwargs) def exodus_snapshot_maven_import_external(name, artifact, **kwargs): exodus_maven_import_external_sources(name, artifact, True, **kwargs) def exodus_maven_import_external_sources(name, artifact, fetch_sources, **kwargs): jvm_maven_import_external( name = name, artifact = artifact, licenses = ["notice"], # Apache 2.0 fetch_sources = fetch_sources, server_urls = _default_server_urls, **kwargs )
load('@bazel_tools//tools/build_defs/repo:jvm.bzl', 'jvm_maven_import_external') _default_server_urls = ['https://repo.maven.apache.org/maven2/', 'https://mvnrepository.com/artifact', 'https://maven-central.storage.googleapis.com', 'http://gitblit.github.io/gitblit-maven', 'https://repository.mulesoft.org/nexus/content/repositories/public/'] def safe_exodus_maven_import_external(name, artifact, **kwargs): if native.existing_rule(name) == None: exodus_maven_import_external(name=name, artifact=artifact, **kwargs) def exodus_maven_import_external(name, artifact, **kwargs): fetch_sources = kwargs.get('srcjar_sha256') != None exodus_maven_import_external_sources(name, artifact, fetch_sources, **kwargs) def exodus_snapshot_maven_import_external(name, artifact, **kwargs): exodus_maven_import_external_sources(name, artifact, True, **kwargs) def exodus_maven_import_external_sources(name, artifact, fetch_sources, **kwargs): jvm_maven_import_external(name=name, artifact=artifact, licenses=['notice'], fetch_sources=fetch_sources, server_urls=_default_server_urls, **kwargs)
#!/usr/bin/env python """ Definitions of classes to work with molecular data. The mol_info_table class is used to store and manipulated information about a molecule. The mol_xyz_table class is used to store and manipulated the xyz coodinate of a molecule. The functions defined here are basically wrappers to MySQL execution lines. Each function returns a MySQL command that should be executed by the calling routine. """ __author__="Pablo Baudin" __email__="[email protected]" mol_info = "mol_info" mol_xyz = "mol_xyz" sql_idd = 'int unsigned NOT NULL auto_increment' sql_int = 'int NOT NULL' sql_str = 'varchar(4) NOT NULL' sql_flt = 'double(40,20) NOT NULL' sql_txt = 'text NOT NULL' # functions in common between the two types of tables # --------------------------------------------------- def mysql_add_row(table): headers = table.headers[1][0] code = '%s' for (lab, typ) in table.headers[2:]: headers += ', {0}'.format(lab) code += ', %s' return "INSERT INTO {0.name} ({1}) VALUES ({2}) ".format(table, headers, code) def mysql_create_table(table): line = "CREATE TABLE {0.name} ( ".format(table) for (lab, typ) in table.headers: line += "{0} {1}, ".format(lab, typ) # add primary key: line += 'PRIMARY KEY (id) ) ' return line # --------------------------------------------------- class mol_info_table(object): """ handle the main database table mol_info""" def __init__(self): self.name = mol_info self.headers = [ ('id', sql_idd), ('name', sql_txt), ('chem_name', sql_txt), ('note', sql_txt), ('charge', sql_int), ('natoms', sql_int), ('natom_types', sql_int) ] self.ncol = len(self.headers) def create_table(self): return mysql_create_table(self) def find_duplicates(self, chem_name): return 'SELECT id, name FROM {0.name} WHERE chem_name = "{1}"'.format(self, chem_name) def get_col(self, headers): s = ', '.join(headers) return "SELECT {0} FROM {1.name}".format(s, self) def get_row(self, idd): return "SELECT * FROM {0.name} WHERE id = {1}".format(self, idd) def add_row(self): return mysql_add_row(self) def delete_row(self, idd): return "DELETE FROM {0.name} WHERE id={1}".format(self, idd) def update(self, col, new, idd): return 'UPDATE {0} SET {1}="{2}" WHERE id={3}'.format(self.name, col, new, idd) class mol_xyz_table(object): """ handle the coordinate database table mol_xyz""" def __init__(self, idd): self.idd = idd self.name = "_".join( [mol_xyz, str(self.idd)] ) self.headers = [ ('id', sql_idd), ('labels', sql_txt), ('charge', sql_int), ('xvals', sql_flt), ('yvals', sql_flt), ('zvals', sql_flt), ] self.ncol = len(self.headers) def create_table(self): return mysql_create_table(self) def get_table(self): return "SELECT * FROM {0.name} ORDER BY charge DESC".format(self) def delete_table(self): return "DROP TABLE IF EXISTS {0.name}".format(self) def add_row(self): return mysql_add_row(self)
""" Definitions of classes to work with molecular data. The mol_info_table class is used to store and manipulated information about a molecule. The mol_xyz_table class is used to store and manipulated the xyz coodinate of a molecule. The functions defined here are basically wrappers to MySQL execution lines. Each function returns a MySQL command that should be executed by the calling routine. """ __author__ = 'Pablo Baudin' __email__ = '[email protected]' mol_info = 'mol_info' mol_xyz = 'mol_xyz' sql_idd = 'int unsigned NOT NULL auto_increment' sql_int = 'int NOT NULL' sql_str = 'varchar(4) NOT NULL' sql_flt = 'double(40,20) NOT NULL' sql_txt = 'text NOT NULL' def mysql_add_row(table): headers = table.headers[1][0] code = '%s' for (lab, typ) in table.headers[2:]: headers += ', {0}'.format(lab) code += ', %s' return 'INSERT INTO {0.name} ({1}) VALUES ({2}) '.format(table, headers, code) def mysql_create_table(table): line = 'CREATE TABLE {0.name} ( '.format(table) for (lab, typ) in table.headers: line += '{0} {1}, '.format(lab, typ) line += 'PRIMARY KEY (id) ) ' return line class Mol_Info_Table(object): """ handle the main database table mol_info""" def __init__(self): self.name = mol_info self.headers = [('id', sql_idd), ('name', sql_txt), ('chem_name', sql_txt), ('note', sql_txt), ('charge', sql_int), ('natoms', sql_int), ('natom_types', sql_int)] self.ncol = len(self.headers) def create_table(self): return mysql_create_table(self) def find_duplicates(self, chem_name): return 'SELECT id, name FROM {0.name} WHERE chem_name = "{1}"'.format(self, chem_name) def get_col(self, headers): s = ', '.join(headers) return 'SELECT {0} FROM {1.name}'.format(s, self) def get_row(self, idd): return 'SELECT * FROM {0.name} WHERE id = {1}'.format(self, idd) def add_row(self): return mysql_add_row(self) def delete_row(self, idd): return 'DELETE FROM {0.name} WHERE id={1}'.format(self, idd) def update(self, col, new, idd): return 'UPDATE {0} SET {1}="{2}" WHERE id={3}'.format(self.name, col, new, idd) class Mol_Xyz_Table(object): """ handle the coordinate database table mol_xyz""" def __init__(self, idd): self.idd = idd self.name = '_'.join([mol_xyz, str(self.idd)]) self.headers = [('id', sql_idd), ('labels', sql_txt), ('charge', sql_int), ('xvals', sql_flt), ('yvals', sql_flt), ('zvals', sql_flt)] self.ncol = len(self.headers) def create_table(self): return mysql_create_table(self) def get_table(self): return 'SELECT * FROM {0.name} ORDER BY charge DESC'.format(self) def delete_table(self): return 'DROP TABLE IF EXISTS {0.name}'.format(self) def add_row(self): return mysql_add_row(self)
class OptionsStub(object): def __init__(self): self.debug = True self.guess_summary = False self.guess_description = False self.tracking = None self.username = None self.password = None self.repository_url = None self.disable_proxy = False self.summary = None self.description = None
class Optionsstub(object): def __init__(self): self.debug = True self.guess_summary = False self.guess_description = False self.tracking = None self.username = None self.password = None self.repository_url = None self.disable_proxy = False self.summary = None self.description = None
# Copyright 2019 AUI, Inc. Washington DC, USA # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ######################## def ddijoin(xds1, xds2): """ .. todo:: This function is not yet implemented Concatenate together two Visibility Datasets of compatible shape Parameters ---------- xds1 : xarray.core.dataset.Dataset first Visibility Dataset to join xds2 : xarray.core.dataset.Dataset second Visibility Dataset to join Returns ------- xarray.core.dataset.Dataset New Visibility Dataset with combined contents """ return {}
def ddijoin(xds1, xds2): """ .. todo:: This function is not yet implemented Concatenate together two Visibility Datasets of compatible shape Parameters ---------- xds1 : xarray.core.dataset.Dataset first Visibility Dataset to join xds2 : xarray.core.dataset.Dataset second Visibility Dataset to join Returns ------- xarray.core.dataset.Dataset New Visibility Dataset with combined contents """ return {}
"""__init__.py - A command-line utility that checks for best practices in Jinja2. """ NAME = 'j2lint' VERSION = '0.1' DESCRIPTION = __doc__ __author__ = "Arista Networks" __license__ = "MIT" __version__ = VERSION
"""__init__.py - A command-line utility that checks for best practices in Jinja2. """ name = 'j2lint' version = '0.1' description = __doc__ __author__ = 'Arista Networks' __license__ = 'MIT' __version__ = VERSION
def binary_search(S, left, right, key): # Find smallest element that's >= key while left <= right: # find midpoint mid = left + (right - left) // 2 # if element found move lower. if S[mid] >= key: right = mid - 1 else: left = mid + 1 # smallest element is left index. return left def len_of_lis(A): """ Computing the Longest Increasing Subsequence O(nlogn) Time O(n) Space """ # error handling for empty list. if len(A) < 1: return 0 # create subsequence list. subseq = [0] * len(A) # set to initial sequence element. subseq[0] = A[0] # create sequence index for adding elements. seqIdx = 0 # iterate through the input sequence for i in range(1, len(A)): # Append to subsequence - basically new LIS. if A[i] > subseq[seqIdx]: seqIdx += 1 subseq[seqIdx] = A[i] # Replace start of sequence elif A[i] < subseq[0]: subseq[0] = A[i] else: # binary search through the subsequence # to find and replace the smallest element # with A[i] idxToReplace = binary_search(subseq, 0, seqIdx, A[i]) subseq[idxToReplace] = A[i] # Longest subsequence is the length of subseq return seqIdx + 1 """ 1 0 8 4 12 2 10 6 14 1 9 5 13 3 11 7 15 Output : 6 """ #T = int(input("Number Test Cases = ")) #for idx in range(T): A = [int(i) for i in input("Sequence ").split()] print("Output: ", len_of_lis(A))
def binary_search(S, left, right, key): while left <= right: mid = left + (right - left) // 2 if S[mid] >= key: right = mid - 1 else: left = mid + 1 return left def len_of_lis(A): """ Computing the Longest Increasing Subsequence O(nlogn) Time O(n) Space """ if len(A) < 1: return 0 subseq = [0] * len(A) subseq[0] = A[0] seq_idx = 0 for i in range(1, len(A)): if A[i] > subseq[seqIdx]: seq_idx += 1 subseq[seqIdx] = A[i] elif A[i] < subseq[0]: subseq[0] = A[i] else: idx_to_replace = binary_search(subseq, 0, seqIdx, A[i]) subseq[idxToReplace] = A[i] return seqIdx + 1 '\n1\n0 8 4 12 2 10 6 14 1 9 5 13 3 11 7 15\nOutput : 6\n' a = [int(i) for i in input('Sequence ').split()] print('Output: ', len_of_lis(A))
service_dict = { 'NetworkService':{ 'getTargetsWithRelationshipTypeForResourceById':{}, 'getTargetsByRelationshipForSourceId':{}, 'getSourcesWithThisTargetByRelationshipCount':{}, 'deleteResource':{}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId':{}, 'getAllAttachmentOnlyResourceIDs':{}, 'getNamesAndAliases':{}, 'containsDirectMemberByNameOrAlias':{}, 'getTargetsWithRelationshipTypeForResource':{}, 'getReverseRelationshipsOfThisAndParents':{}, 'getPersonalResourceRoots':{}, 'getESMVersion':{}, 'getResourceByName':{}, 'hasXPermission':{}, 'findAllIds':{}, 'addRelationship':{}, 'getReverseRelationshipsOfParents':{}, 'getResourcesReferencePages':{}, 'containsDirectMemberByName':{}, 'getTargetsAsURIByRelationshipForSourceId':{}, 'hasWritePermission':{}, 'deleteResources':{}, 'resolveRelationship':{}, 'getAllPathsToRoot':{}, 'getResourcesWithVisibilityToUsers':{}, 'getReferencePages':{}, 'findAll':{}, 'getExclusivelyDependentResources':{}, 'getAllowedUserTypes':{}, 'getResourcesByNameSafely':{}, 'getResourcesByNames':{}, 'getSourceURIWithThisTargetByRelatiobnship':{}, 'getRelationshipsOfParents':{}, 'getMetaGroupID':{}, 'isValidResourceID':{}, 'getServiceMajorVersion':{}, 'hasReverseRelationship':{}, 'containsDirectMemberByName1':{}, 'getChildNamesAndAliases':{}, 'getResourcesByIds':{}, 'getResourceTypesVisibleToUsers':{}, 'update':{}, 'getRelationshipsOfThisAndParents':{}, 'getPersonalAndSharedResourceRoots':{}, 'getSourcesWithThisTargetByRelationship':{}, 'containsDirectMemberByNameOrAlias1':{}, 'hasReadPermission':{}, 'copyResourceIntoGroup':{}, 'deleteByLocalId':{}, 'getDependentResourceIDsForResourceId':{}, 'getResourceIfModified':{}, 'findById':{}, 'getSourcesWithThisTargetByRelationshipForResourceId':{}, 'getSourcesWithThisTargetByACLRelationship':{}, 'delete':{}, 'getAllPathsToRootAsStrings':{}, 'loadAdditional':{}, 'insertResource':{}, 'insertResources':{}, 'getAllUnassignedResourceIDs':{}, 'getEnabledResourceIDs':{}, 'getSourceURIWithThisTargetByRelationship':{}, 'getResourceById':{}, 'updateACLForResourceById':{}, 'getCorruptedResources':{}, 'unloadAdditional':{}, 'isDisabled':{}, 'getTargetsAsURIByRelationship':{}, 'updateResources':{}, 'deleteByUUID':{}, 'getTargetsByRelationship':{}, 'getSourceURIWithThisTargetByRelationshipForResourceId':{}, 'getTargetsByRelationshipCount':{}, 'getPersonalGroup':{}, 'findByUUID':{}, 'resetState':{}, 'insert':{}, 'getServiceMinorVersion':{}, }, 'ViewerConfigurationService':{ 'getTargetsWithRelationshipTypeForResourceById':{}, 'getTargetsByRelationshipForSourceId':{}, 'getSourcesWithThisTargetByRelationshipCount':{}, 'deleteResource':{}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId':{}, 'getAllAttachmentOnlyResourceIDs':{}, 'getNamesAndAliases':{}, 'containsDirectMemberByNameOrAlias':{}, 'getTargetsWithRelationshipTypeForResource':{}, 'getReverseRelationshipsOfThisAndParents':{}, 'getPersonalResourceRoots':{}, 'getESMVersion':{}, 'getResourceByName':{}, 'hasXPermission':{}, 'findAllIds':{}, 'addRelationship':{}, 'getReverseRelationshipsOfParents':{}, 'getResourcesReferencePages':{}, 'containsDirectMemberByName':{}, 'getTargetsAsURIByRelationshipForSourceId':{}, 'hasWritePermission':{}, 'deleteResources':{}, 'resolveRelationship':{}, 'getAllPathsToRoot':{}, 'getResourcesWithVisibilityToUsers':{}, 'getReferencePages':{}, 'findAll':{}, 'getExclusivelyDependentResources':{}, 'getAllowedUserTypes':{}, 'getResourcesByNameSafely':{}, 'getResourcesByNames':{}, 'getSourceURIWithThisTargetByRelatiobnship':{}, 'getRelationshipsOfParents':{}, 'getMetaGroupID':{}, 'isValidResourceID':{}, 'getServiceMajorVersion':{}, 'hasReverseRelationship':{}, 'containsDirectMemberByName1':{}, 'getChildNamesAndAliases':{}, 'getResourcesByIds':{}, 'getResourceTypesVisibleToUsers':{}, 'update':{}, 'getRelationshipsOfThisAndParents':{}, 'getPersonalAndSharedResourceRoots':{}, 'getSourcesWithThisTargetByRelationship':{}, 'containsDirectMemberByNameOrAlias1':{}, 'hasReadPermission':{}, 'copyResourceIntoGroup':{}, 'deleteByLocalId':{}, 'getDependentResourceIDsForResourceId':{}, 'getResourceIfModified':{}, 'findById':{}, 'getSourcesWithThisTargetByRelationshipForResourceId':{}, 'getSourcesWithThisTargetByACLRelationship':{}, 'delete':{}, 'getAllPathsToRootAsStrings':{}, 'loadAdditional':{}, 'insertResource':{}, 'insertResources':{}, 'getEnabledResourceIDs':{}, 'getAllUnassignedResourceIDs':{}, 'getSourceURIWithThisTargetByRelationship':{}, 'getResourceById':{}, 'updateACLForResourceById':{}, 'getCorruptedResources':{}, 'unloadAdditional':{}, 'isDisabled':{}, 'getTargetsAsURIByRelationship':{}, 'updateResources':{}, 'deleteByUUID':{}, 'getTargetsByRelationship':{}, 'getSourceURIWithThisTargetByRelationshipForResourceId':{}, 'getTargetsByRelationshipCount':{}, 'getPersonalGroup':{}, 'getViewerConfigurationIfNewer':{}, 'findByUUID':{}, 'resetState':{}, 'insert':{}, 'getServiceMinorVersion':{}, }, 'DashboardService':{ 'getTargetsWithRelationshipTypeForResourceById':{}, 'getTargetsByRelationshipForSourceId':{}, 'getDataMonitorDataIfNewer':{}, 'getSourcesWithThisTargetByRelationshipCount':{}, 'deleteResource':{}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId':{}, 'getAllAttachmentOnlyResourceIDs':{}, 'getNamesAndAliases':{}, 'containsDirectMemberByNameOrAlias':{}, 'getTargetsWithRelationshipTypeForResource':{}, 'getReverseRelationshipsOfThisAndParents':{}, 'getPersonalResourceRoots':{}, 'getESMVersion':{}, 'getResourceByName':{}, 'hasXPermission':{}, 'findAllIds':{}, 'addRelationship':{}, 'getReverseRelationshipsOfParents':{}, 'getResourcesReferencePages':{}, 'containsDirectMemberByName':{}, 'getTargetsAsURIByRelationshipForSourceId':{}, 'hasWritePermission':{}, 'deleteResources':{}, 'resolveRelationship':{}, 'getAllPathsToRoot':{}, 'getResourcesWithVisibilityToUsers':{}, 'getReferencePages':{}, 'findAll':{}, 'getExclusivelyDependentResources':{}, 'getAllowedUserTypes':{}, 'getDashboardIfNewer':{}, 'getResourcesByNameSafely':{}, 'getResourcesByNames':{}, 'getSourceURIWithThisTargetByRelatiobnship':{}, 'getRelationshipsOfParents':{}, 'getMetaGroupID':{}, 'isValidResourceID':{}, 'getServiceMajorVersion':{}, 'hasReverseRelationship':{}, 'containsDirectMemberByName1':{}, 'getChildNamesAndAliases':{}, 'getResourcesByIds':{}, 'getResourceTypesVisibleToUsers':{}, 'update':{}, 'getRelationshipsOfThisAndParents':{}, 'getPersonalAndSharedResourceRoots':{}, 'getSourcesWithThisTargetByRelationship':{}, 'containsDirectMemberByNameOrAlias1':{}, 'hasReadPermission':{}, 'copyResourceIntoGroup':{}, 'getDependentResourceIDsForResourceId':{}, 'deleteByLocalId':{}, 'getResourceIfModified':{}, 'findById':{}, 'getSourcesWithThisTargetByRelationshipForResourceId':{}, 'getSourcesWithThisTargetByACLRelationship':{}, 'delete':{}, 'getAllPathsToRootAsStrings':{}, 'loadAdditional':{}, 'insertResource':{}, 'insertResources':{}, 'getEnabledResourceIDs':{}, 'getAllUnassignedResourceIDs':{}, 'getSourceURIWithThisTargetByRelationship':{}, 'getResourceById':{}, 'updateACLForResourceById':{}, 'getCorruptedResources':{}, 'unloadAdditional':{}, 'isDisabled':{}, 'getTargetsAsURIByRelationship':{}, 'updateResources':{}, 'deleteByUUID':{}, 'getTargetsByRelationship':{}, 'getSourceURIWithThisTargetByRelationshipForResourceId':{}, 'getTargetsByRelationshipCount':{}, 'getPersonalGroup':{}, 'findByUUID':{}, 'resetState':{}, 'insert':{}, 'getDataMonitorDatasIfNewer':{}, 'getServiceMinorVersion':{}, }, 'DataMonitorQoSService':{ 'disableQoSConstraintsOnDM':{}, 'enableQoSConstraintsOnDM':{}, }, 'DrilldownService':{ 'getTargetsWithRelationshipTypeForResourceById':{}, 'getTargetsByRelationshipForSourceId':{}, 'getSourcesWithThisTargetByRelationshipCount':{}, 'deleteResource':{}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId':{}, 'getAllAttachmentOnlyResourceIDs':{}, 'getNamesAndAliases':{}, 'containsDirectMemberByNameOrAlias':{}, 'getTargetsWithRelationshipTypeForResource':{}, 'getReverseRelationshipsOfThisAndParents':{}, 'getPersonalResourceRoots':{}, 'getESMVersion':{}, 'getResourceByName':{}, 'hasXPermission':{}, 'findAllIds':{}, 'addRelationship':{}, 'getReverseRelationshipsOfParents':{}, 'getResourcesReferencePages':{}, 'containsDirectMemberByName':{}, 'getTargetsAsURIByRelationshipForSourceId':{}, 'hasWritePermission':{}, 'deleteResources':{}, 'resolveRelationship':{}, 'getAllPathsToRoot':{}, 'getResourcesWithVisibilityToUsers':{}, 'getReferencePages':{}, 'findAll':{}, 'getExclusivelyDependentResources':{}, 'getAllowedUserTypes':{}, 'getResourcesByNameSafely':{}, 'getResourcesByNames':{}, 'getSourceURIWithThisTargetByRelatiobnship':{}, 'getRelationshipsOfParents':{}, 'getMetaGroupID':{}, 'isValidResourceID':{}, 'getServiceMajorVersion':{}, 'hasReverseRelationship':{}, 'containsDirectMemberByName1':{}, 'getChildNamesAndAliases':{}, 'getResourcesByIds':{}, 'getResourceTypesVisibleToUsers':{}, 'update':{}, 'getRelationshipsOfThisAndParents':{}, 'getPersonalAndSharedResourceRoots':{}, 'getSourcesWithThisTargetByRelationship':{}, 'containsDirectMemberByNameOrAlias1':{}, 'hasReadPermission':{}, 'copyResourceIntoGroup':{}, 'deleteByLocalId':{}, 'getDependentResourceIDsForResourceId':{}, 'getResourceIfModified':{}, 'findById':{}, 'getSourcesWithThisTargetByRelationshipForResourceId':{}, 'getSourcesWithThisTargetByACLRelationship':{}, 'delete':{}, 'getAllPathsToRootAsStrings':{}, 'loadAdditional':{}, 'insertResource':{}, 'insertResources':{}, 'getAllUnassignedResourceIDs':{}, 'getEnabledResourceIDs':{}, 'getSourceURIWithThisTargetByRelationship':{}, 'getResourceById':{}, 'updateACLForResourceById':{}, 'getCorruptedResources':{}, 'unloadAdditional':{}, 'isDisabled':{}, 'getTargetsAsURIByRelationship':{}, 'updateResources':{}, 'deleteByUUID':{}, 'getTargetsByRelationship':{}, 'getSourceURIWithThisTargetByRelationshipForResourceId':{}, 'getTargetsByRelationshipCount':{}, 'getPersonalGroup':{}, 'findByUUID':{}, 'resetState':{}, 'insert':{}, 'getServiceMinorVersion':{}, }, 'PortletService':{ 'getTargetsWithRelationshipTypeForResourceById':{}, 'getTargetsByRelationshipForSourceId':{}, 'getSourcesWithThisTargetByRelationshipCount':{}, 'deleteResource':{}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId':{}, 'getAllAttachmentOnlyResourceIDs':{}, 'getNamesAndAliases':{}, 'containsDirectMemberByNameOrAlias':{}, 'getTargetsWithRelationshipTypeForResource':{}, 'getReverseRelationshipsOfThisAndParents':{}, 'getPersonalResourceRoots':{}, 'getESMVersion':{}, 'getResourceByName':{}, 'hasXPermission':{}, 'findAllIds':{}, 'addRelationship':{}, 'getReverseRelationshipsOfParents':{}, 'getResourcesReferencePages':{}, 'containsDirectMemberByName':{}, 'getTargetsAsURIByRelationshipForSourceId':{}, 'hasWritePermission':{}, 'deleteResources':{}, 'resolveRelationship':{}, 'getAllPathsToRoot':{}, 'getResourcesWithVisibilityToUsers':{}, 'getReferencePages':{}, 'findAll':{}, 'getExclusivelyDependentResources':{}, 'getAllowedUserTypes':{}, 'getResourcesByNameSafely':{}, 'getResourcesByNames':{}, 'getSourceURIWithThisTargetByRelatiobnship':{}, 'getRelationshipsOfParents':{}, 'getMetaGroupID':{}, 'isValidResourceID':{}, 'getServiceMajorVersion':{}, 'hasReverseRelationship':{}, 'containsDirectMemberByName1':{}, 'getChildNamesAndAliases':{}, 'getResourcesByIds':{}, 'getResourceTypesVisibleToUsers':{}, 'update':{}, 'getRelationshipsOfThisAndParents':{}, 'getPersonalAndSharedResourceRoots':{}, 'getSourcesWithThisTargetByRelationship':{}, 'containsDirectMemberByNameOrAlias1':{}, 'hasReadPermission':{}, 'copyResourceIntoGroup':{}, 'deleteByLocalId':{}, 'getDependentResourceIDsForResourceId':{}, 'getResourceIfModified':{}, 'findById':{}, 'getSourcesWithThisTargetByRelationshipForResourceId':{}, 'getSourcesWithThisTargetByACLRelationship':{}, 'delete':{}, 'getAllPathsToRootAsStrings':{}, 'loadAdditional':{}, 'insertResource':{}, 'insertResources':{}, 'getAllUnassignedResourceIDs':{}, 'getEnabledResourceIDs':{}, 'getSourceURIWithThisTargetByRelationship':{}, 'getResourceById':{}, 'updateACLForResourceById':{}, 'getCorruptedResources':{}, 'unloadAdditional':{}, 'isDisabled':{}, 'getTargetsAsURIByRelationship':{}, 'updateResources':{}, 'deleteByUUID':{}, 'getTargetsByRelationship':{}, 'getSourceURIWithThisTargetByRelationshipForResourceId':{}, 'getTargetsByRelationshipCount':{}, 'getPersonalGroup':{}, 'findByUUID':{}, 'resetState':{}, 'insert':{}, 'getServiceMinorVersion':{}, }, 'QueryService':{ 'getTargetsWithRelationshipTypeForResourceById':{}, 'getTargetsByRelationshipForSourceId':{}, 'getSourcesWithThisTargetByRelationshipCount':{}, 'deleteResource':{}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId':{}, 'getAllAttachmentOnlyResourceIDs':{}, 'getNamesAndAliases':{}, 'containsDirectMemberByNameOrAlias':{}, 'getTargetsWithRelationshipTypeForResource':{}, 'getReverseRelationshipsOfThisAndParents':{}, 'getPersonalResourceRoots':{}, 'getQuerySessionID':{}, 'getESMVersion':{}, 'getResourceByName':{}, 'hasXPermission':{}, 'findAllIds':{}, 'addRelationship':{}, 'getReverseRelationshipsOfParents':{}, 'getResourcesReferencePages':{}, 'containsDirectMemberByName':{}, 'getTargetsAsURIByRelationshipForSourceId':{}, 'hasWritePermission':{}, 'deleteResources':{}, 'resolveRelationship':{}, 'getQuerySQL':{}, 'getAllPathsToRoot':{}, 'getResourcesWithVisibilityToUsers':{}, 'getReferencePages':{}, 'findAll':{}, 'getExclusivelyDependentResources':{}, 'getAllowedUserTypes':{}, 'getResourcesByNameSafely':{}, 'getResourcesByNames':{}, 'getSourceURIWithThisTargetByRelatiobnship':{}, 'getRelationshipsOfParents':{}, 'getMetaGroupID':{}, 'isValidResourceID':{}, 'getServiceMajorVersion':{}, 'hasReverseRelationship':{}, 'containsDirectMemberByName1':{}, 'getChildNamesAndAliases':{}, 'getResourcesByIds':{}, 'getResourceTypesVisibleToUsers':{}, 'update':{}, 'getRelationshipsOfThisAndParents':{}, 'getPersonalAndSharedResourceRoots':{}, 'getSourcesWithThisTargetByRelationship':{}, 'containsDirectMemberByNameOrAlias1':{}, 'hasReadPermission':{}, 'copyResourceIntoGroup':{}, 'getDependentResourceIDsForResourceId':{}, 'deleteByLocalId':{}, 'getResourceIfModified':{}, 'findById':{}, 'getSourcesWithThisTargetByRelationshipForResourceId':{}, 'getSourcesWithThisTargetByACLRelationship':{}, 'delete':{}, 'getAllPathsToRootAsStrings':{}, 'loadAdditional':{}, 'insertResource':{}, 'insertResources':{}, 'getEnabledResourceIDs':{}, 'getAllUnassignedResourceIDs':{}, 'getSourceURIWithThisTargetByRelationship':{}, 'getResourceById':{}, 'updateACLForResourceById':{}, 'getCorruptedResources':{}, 'unloadAdditional':{}, 'isDisabled':{}, 'getTargetsAsURIByRelationship':{}, 'updateResources':{}, 'deleteByUUID':{}, 'getTargetsByRelationship':{}, 'getSourceURIWithThisTargetByRelationshipForResourceId':{}, 'getTargetsByRelationshipCount':{}, 'getPersonalGroup':{}, 'findByUUID':{}, 'resetState':{}, 'insert':{}, 'getServiceMinorVersion':{}, }, 'ConnectorService':{ 'getTargetsWithRelationshipTypeForResourceById':{}, 'getTargetsByRelationshipForSourceId':{}, 'getAllAttachmentOnlyResourceIDs':{}, 'getAllAgents':{}, 'getNamesAndAliases':{}, 'getReverseRelationshipsOfThisAndParents':{}, 'getAllRunningAgentIDs':{}, 'getESMVersion':{}, 'getAllAgentIDs':{}, 'addRelationship':{}, 'containsDirectMemberByName':{}, 'getAgentByName':{}, 'getAllStoppedAgentIDs':{}, 'getResourcesReferencePages':{}, 'getReverseRelationshipsOfParents':{}, 'getTargetsAsURIByRelationshipForSourceId':{}, 'sendCommand':{}, 'getReferencePages':{}, 'getExclusivelyDependentResources':{}, 'getAllowedUserTypes':{}, 'getResourcesByNames':{}, 'getSourceURIWithThisTargetByRelatiobnship':{}, 'getMetaGroupID':{}, 'isValidResourceID':{}, 'getServiceMajorVersion':{}, 'containsDirectMemberByName1':{}, 'getResourcesByIds':{}, 'getResourceTypesVisibleToUsers':{}, 'getConnectorExecStatus':{}, 'getPersonalAndSharedResourceRoots':{}, 'checkImportStatus':{}, 'hasReadPermission':{}, 'containsDirectMemberByNameOrAlias1':{}, 'getSourcesWithThisTargetByRelationship':{}, 'getDeadAgentIDs':{}, 'getAgentsByIDs':{}, 'findById':{}, 'getSourcesWithThisTargetByRelationshipForResourceId':{}, 'delete':{}, 'insertResource':{}, 'insertResources':{}, 'updateACLForResourceById':{}, 'getCorruptedResources':{}, 'unloadAdditional':{}, 'initiateImportConfiguration':{}, 'getTargetsByRelationship':{}, 'getPersonalGroup':{}, 'getTargetsByRelationshipCount':{}, 'getSourceURIWithThisTargetByRelationshipForResourceId':{}, 'getDevicesForAgents':{}, 'findByUUID':{}, 'resetState':{}, 'insert':{}, 'getAgentParameterDescriptor':{}, 'initiateExportConnectorConfiguration':{}, 'deleteResource':{}, 'getSourcesWithThisTargetByRelationshipCount':{}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId':{}, 'getAgentIDsByOperationalStatusType':{}, 'containsDirectMemberByNameOrAlias':{}, 'getTargetsWithRelationshipTypeForResource':{}, 'getPersonalResourceRoots':{}, 'getResourceByName':{}, 'hasXPermission':{}, 'findAllIds':{}, 'hasWritePermission':{}, 'deleteResources':{}, 'resolveRelationship':{}, 'getAllPathsToRoot':{}, 'getAgentParameterDescriptors':{}, 'getResourcesWithVisibilityToUsers':{}, 'findAll':{}, 'getResourcesByNameSafely':{}, 'getLiveAgentIDs':{}, 'getRelationshipsOfParents':{}, 'getAgentByID':{}, 'hasReverseRelationship':{}, 'getCommandsList':{}, 'getChildNamesAndAliases':{}, 'getParameterGroups':{}, 'update':{}, 'getAllPausedAgentIDs':{}, 'getRelationshipsOfThisAndParents':{}, 'updateConnector':{}, 'copyResourceIntoGroup':{}, 'deleteByLocalId':{}, 'getDependentResourceIDsForResourceId':{}, 'getResourceIfModified':{}, 'getSourcesWithThisTargetByACLRelationship':{}, 'getAllPathsToRootAsStrings':{}, 'executeCommand':{}, 'loadAdditional':{}, 'getAllUnassignedResourceIDs':{}, 'getEnabledResourceIDs':{}, 'getSourceURIWithThisTargetByRelationship':{}, 'getResourceById':{}, 'initiateDownloadFile':{}, 'isDisabled':{}, 'getTargetsAsURIByRelationship':{}, 'updateResources':{}, 'deleteByUUID':{}, 'getServiceMinorVersion':{}, }, 'QueryViewerService':{ 'getTargetsWithRelationshipTypeForResourceById':{}, 'getTargetsByRelationshipForSourceId':{}, 'getSourcesWithThisTargetByRelationshipCount':{}, 'deleteResource':{}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId':{}, 'getAllAttachmentOnlyResourceIDs':{}, 'getNamesAndAliases':{}, 'containsDirectMemberByNameOrAlias':{}, 'getTargetsWithRelationshipTypeForResource':{}, 'getReverseRelationshipsOfThisAndParents':{}, 'getPersonalResourceRoots':{}, 'getESMVersion':{}, 'getResourceByName':{}, 'hasXPermission':{}, 'findAllIds':{}, 'addRelationship':{}, 'getReverseRelationshipsOfParents':{}, 'getResourcesReferencePages':{}, 'containsDirectMemberByName':{}, 'getTargetsAsURIByRelationshipForSourceId':{}, 'hasWritePermission':{}, 'deleteResources':{}, 'resolveRelationship':{}, 'getAllPathsToRoot':{}, 'getResourcesWithVisibilityToUsers':{}, 'getReferencePages':{}, 'getMatrixDataForDrilldown':{}, 'findAll':{}, 'getExclusivelyDependentResources':{}, 'getAllowedUserTypes':{}, 'getResourcesByNameSafely':{}, 'getResourcesByNames':{}, 'getSourceURIWithThisTargetByRelatiobnship':{}, 'getRelationshipsOfParents':{}, 'getMetaGroupID':{}, 'isValidResourceID':{}, 'getServiceMajorVersion':{}, 'hasReverseRelationship':{}, 'containsDirectMemberByName1':{}, 'getChildNamesAndAliases':{}, 'getResourcesByIds':{}, 'getResourceTypesVisibleToUsers':{}, 'update':{}, 'getRelationshipsOfThisAndParents':{}, 'getPersonalAndSharedResourceRoots':{}, 'getSourcesWithThisTargetByRelationship':{}, 'containsDirectMemberByNameOrAlias1':{}, 'hasReadPermission':{}, 'copyResourceIntoGroup':{}, 'getDependentResourceIDsForResourceId':{}, 'deleteByLocalId':{}, 'getResourceIfModified':{}, 'findById':{}, 'getSourcesWithThisTargetByRelationshipForResourceId':{}, 'getSourcesWithThisTargetByACLRelationship':{}, 'delete':{}, 'getAllPathsToRootAsStrings':{}, 'loadAdditional':{}, 'insertResource':{}, 'insertResources':{}, 'getEnabledResourceIDs':{}, 'getAllUnassignedResourceIDs':{}, 'getSourceURIWithThisTargetByRelationship':{}, 'getResourceById':{}, 'updateACLForResourceById':{}, 'getCorruptedResources':{}, 'unloadAdditional':{}, 'isDisabled':{}, 'getTargetsAsURIByRelationship':{}, 'updateResources':{}, 'deleteByUUID':{}, 'getTargetsByRelationship':{}, 'getSourceURIWithThisTargetByRelationshipForResourceId':{}, 'getMatrixData':{}, 'getTargetsByRelationshipCount':{}, 'getPersonalGroup':{}, 'findByUUID':{}, 'resetState':{}, 'insert':{}, 'getServiceMinorVersion':{}, }, 'DrilldownListService':{ 'getTargetsWithRelationshipTypeForResourceById':{}, 'getTargetsByRelationshipForSourceId':{}, 'getSourcesWithThisTargetByRelationshipCount':{}, 'deleteResource':{}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId':{}, 'getAllAttachmentOnlyResourceIDs':{}, 'getNamesAndAliases':{}, 'containsDirectMemberByNameOrAlias':{}, 'getTargetsWithRelationshipTypeForResource':{}, 'getReverseRelationshipsOfThisAndParents':{}, 'getPersonalResourceRoots':{}, 'getESMVersion':{}, 'getResourceByName':{}, 'hasXPermission':{}, 'findAllIds':{}, 'addRelationship':{}, 'getReverseRelationshipsOfParents':{}, 'getResourcesReferencePages':{}, 'containsDirectMemberByName':{}, 'getDrilldownList':{}, 'getTargetsAsURIByRelationshipForSourceId':{}, 'hasWritePermission':{}, 'deleteResources':{}, 'resolveRelationship':{}, 'getAllPathsToRoot':{}, 'getResourcesWithVisibilityToUsers':{}, 'getReferencePages':{}, 'findAll':{}, 'getExclusivelyDependentResources':{}, 'getAllowedUserTypes':{}, 'getResourcesByNameSafely':{}, 'getResourcesByNames':{}, 'getSourceURIWithThisTargetByRelatiobnship':{}, 'getRelationshipsOfParents':{}, 'getMetaGroupID':{}, 'isValidResourceID':{}, 'getServiceMajorVersion':{}, 'hasReverseRelationship':{}, 'containsDirectMemberByName1':{}, 'getChildNamesAndAliases':{}, 'getResourcesByIds':{}, 'getResourceTypesVisibleToUsers':{}, 'update':{}, 'getRelationshipsOfThisAndParents':{}, 'getPersonalAndSharedResourceRoots':{}, 'getSourcesWithThisTargetByRelationship':{}, 'containsDirectMemberByNameOrAlias1':{}, 'hasReadPermission':{}, 'copyResourceIntoGroup':{}, 'deleteByLocalId':{}, 'getDependentResourceIDsForResourceId':{}, 'getResourceIfModified':{}, 'findById':{}, 'getSourcesWithThisTargetByRelationshipForResourceId':{}, 'getSourcesWithThisTargetByACLRelationship':{}, 'delete':{}, 'getAllPathsToRootAsStrings':{}, 'loadAdditional':{}, 'insertResource':{}, 'insertResources':{}, 'getEnabledResourceIDs':{}, 'getAllUnassignedResourceIDs':{}, 'getSourceURIWithThisTargetByRelationship':{}, 'getResourceById':{}, 'updateACLForResourceById':{}, 'getCorruptedResources':{}, 'unloadAdditional':{}, 'isDisabled':{}, 'getTargetsAsURIByRelationship':{}, 'updateResources':{}, 'deleteByUUID':{}, 'getTargetsByRelationship':{}, 'getSourceURIWithThisTargetByRelationshipForResourceId':{}, 'getTargetsByRelationshipCount':{}, 'getPersonalGroup':{}, 'findByUUID':{}, 'resetState':{}, 'insert':{}, 'getServiceMinorVersion':{}, }, 'CaseService':{ 'getTargetsWithRelationshipTypeForResourceById':{}, 'getCaseEventIDs':{}, 'getTargetsByRelationshipForSourceId':{}, 'getSourcesWithThisTargetByRelationshipCount':{}, 'deleteResource':{}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId':{}, 'getAllAttachmentOnlyResourceIDs':{}, 'getNamesAndAliases':{}, 'containsDirectMemberByNameOrAlias':{}, 'getTargetsWithRelationshipTypeForResource':{}, 'getReverseRelationshipsOfThisAndParents':{}, 'getPersonalResourceRoots':{}, 'getESMVersion':{}, 'getResourceByName':{}, 'hasXPermission':{}, 'findAllIds':{}, 'addRelationship':{}, 'getCasesGroupID':{}, 'getReverseRelationshipsOfParents':{}, 'getResourcesReferencePages':{}, 'containsDirectMemberByName':{}, 'getTargetsAsURIByRelationshipForSourceId':{}, 'hasWritePermission':{}, 'deleteResources':{}, 'resolveRelationship':{}, 'getAllPathsToRoot':{}, 'getResourcesWithVisibilityToUsers':{}, 'getReferencePages':{}, 'findAll':{}, 'getExclusivelyDependentResources':{}, 'getAllowedUserTypes':{}, 'getResourcesByNameSafely':{}, 'getResourcesByNames':{}, 'getSourceURIWithThisTargetByRelatiobnship':{}, 'getRelationshipsOfParents':{}, 'getMetaGroupID':{}, 'isValidResourceID':{}, 'getServiceMajorVersion':{}, 'hasReverseRelationship':{}, 'getChildNamesAndAliases':{}, 'containsDirectMemberByName1':{}, 'getResourcesByIds':{}, 'getResourceTypesVisibleToUsers':{}, 'update':{}, 'getRelationshipsOfThisAndParents':{}, 'getPersonalAndSharedResourceRoots':{}, 'getSourcesWithThisTargetByRelationship':{}, 'containsDirectMemberByNameOrAlias1':{}, 'hasReadPermission':{}, 'copyResourceIntoGroup':{}, 'getDependentResourceIDsForResourceId':{}, 'deleteByLocalId':{}, 'getResourceIfModified':{}, 'findById':{}, 'getSourcesWithThisTargetByRelationshipForResourceId':{}, 'getSourcesWithThisTargetByACLRelationship':{}, 'delete':{}, 'getAllPathsToRootAsStrings':{}, 'loadAdditional':{}, 'deleteAllCaseEvents':{}, 'insertResource':{}, 'insertResources':{}, 'addCaseEvents':{}, 'getEnabledResourceIDs':{}, 'getAllUnassignedResourceIDs':{}, 'getSourceURIWithThisTargetByRelationship':{}, 'getResourceById':{}, 'updateACLForResourceById':{}, 'getCorruptedResources':{}, 'deleteCaseEvents':{}, 'unloadAdditional':{}, 'isDisabled':{}, 'getTargetsAsURIByRelationship':{}, 'updateResources':{}, 'deleteByUUID':{}, 'getTargetsByRelationship':{}, 'getSourceURIWithThisTargetByRelationshipForResourceId':{}, 'getTargetsByRelationshipCount':{}, 'getPersonalGroup':{}, 'findByUUID':{}, 'resetState':{}, 'getCaseEventsTimeSpan':{}, 'getSystemCasesGroupID':{}, 'insert':{}, 'getServiceMinorVersion':{}, 'getEventExportStatus':{}, }, 'ArchiveReportService':{ 'getTargetsWithRelationshipTypeForResourceById':{}, 'getTargetsByRelationshipForSourceId':{}, 'getSourcesWithThisTargetByRelationshipCount':{}, 'deleteResource':{}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId':{}, 'getAllAttachmentOnlyResourceIDs':{}, 'getNamesAndAliases':{}, 'containsDirectMemberByNameOrAlias':{}, 'getTargetsWithRelationshipTypeForResource':{}, 'getReverseRelationshipsOfThisAndParents':{}, 'getPersonalResourceRoots':{}, 'getDefaultArchiveReportByURI':{}, 'getESMVersion':{}, 'getResourceByName':{}, 'hasXPermission':{}, 'poll':{}, 'findAllIds':{}, 'addRelationship':{}, 'getReverseRelationshipsOfParents':{}, 'getResourcesReferencePages':{}, 'containsDirectMemberByName':{}, 'getTargetsAsURIByRelationshipForSourceId':{}, 'hasWritePermission':{}, 'deleteResources':{}, 'getAllPathsToRoot':{}, 'resolveRelationship':{}, 'getResourcesWithVisibilityToUsers':{}, 'getReferencePages':{}, 'findAll':{}, 'getExclusivelyDependentResources':{}, 'getAllowedUserTypes':{}, 'initDefaultArchiveReportDownloadWithOverwrite':{}, 'getResourcesByNameSafely':{}, 'getResourcesByNames':{}, 'getSourceURIWithThisTargetByRelatiobnship':{}, 'getDefaultArchiveReportById':{}, 'getRelationshipsOfParents':{}, 'getMetaGroupID':{}, 'isValidResourceID':{}, 'archiveReport':{}, 'getServiceMajorVersion':{}, 'initDefaultArchiveReportDownloadByURI':{}, 'hasReverseRelationship':{}, 'getChildNamesAndAliases':{}, 'containsDirectMemberByName1':{}, 'getResourcesByIds':{}, 'getResourceTypesVisibleToUsers':{}, 'update':{}, 'getRelationshipsOfThisAndParents':{}, 'getPersonalAndSharedResourceRoots':{}, 'getSourcesWithThisTargetByRelationship':{}, 'containsDirectMemberByNameOrAlias1':{}, 'hasReadPermission':{}, 'copyResourceIntoGroup':{}, 'getDependentResourceIDsForResourceId':{}, 'deleteByLocalId':{}, 'initDefaultArchiveReportDownloadById':{}, 'getResourceIfModified':{}, 'findById':{}, 'getSourcesWithThisTargetByRelationshipForResourceId':{}, 'getSourcesWithThisTargetByACLRelationship':{}, 'delete':{}, 'getAllPathsToRootAsStrings':{}, 'loadAdditional':{}, 'insertResource':{}, 'insertResources':{}, 'getEnabledResourceIDs':{}, 'getAllUnassignedResourceIDs':{}, 'getSourceURIWithThisTargetByRelationship':{}, 'getResourceById':{}, 'initDefaultArchiveReportDownloadByIdASync':{}, 'updateACLForResourceById':{}, 'getCorruptedResources':{}, 'unloadAdditional':{}, 'isDisabled':{}, 'getTargetsAsURIByRelationship':{}, 'updateResources':{}, 'deleteByUUID':{}, 'getTargetsByRelationship':{}, 'getSourceURIWithThisTargetByRelationshipForResourceId':{}, 'getTargetsByRelationshipCount':{}, 'getPersonalGroup':{}, 'findByUUID':{}, 'resetState':{}, 'insert':{}, 'getServiceMinorVersion':{}, }, 'ActiveListService':{ 'getTargetsWithRelationshipTypeForResourceById':{}, 'getTargetsByRelationshipForSourceId':{}, 'getSourcesWithThisTargetByRelationshipCount':{}, 'deleteResource':{}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId':{}, 'getAllAttachmentOnlyResourceIDs':{}, 'getNamesAndAliases':{}, 'containsDirectMemberByNameOrAlias':{}, 'getTargetsWithRelationshipTypeForResource':{}, 'getReverseRelationshipsOfThisAndParents':{}, 'getPersonalResourceRoots':{}, 'getESMVersion':{}, 'getResourceByName':{}, 'hasXPermission':{}, 'addEntries':{}, 'findAllIds':{}, 'addRelationship':{}, 'getReverseRelationshipsOfParents':{}, 'getResourcesReferencePages':{}, 'containsDirectMemberByName':{}, 'getTargetsAsURIByRelationshipForSourceId':{}, 'hasWritePermission':{}, 'deleteResources':{}, 'resolveRelationship':{}, 'getAllPathsToRoot':{}, 'getResourcesWithVisibilityToUsers':{}, 'getReferencePages':{}, 'findAll':{}, 'getExclusivelyDependentResources':{}, 'getAllowedUserTypes':{}, 'getResourcesByNameSafely':{}, 'getResourcesByNames':{}, 'getSourceURIWithThisTargetByRelatiobnship':{}, 'getRelationshipsOfParents':{}, 'getMetaGroupID':{}, 'isValidResourceID':{}, 'getServiceMajorVersion':{}, 'getEntries':{}, 'hasReverseRelationship':{}, 'getChildNamesAndAliases':{}, 'containsDirectMemberByName1':{}, 'getResourcesByIds':{}, 'getResourceTypesVisibleToUsers':{}, 'update':{}, 'getRelationshipsOfThisAndParents':{}, 'getPersonalAndSharedResourceRoots':{}, 'getSourcesWithThisTargetByRelationship':{}, 'containsDirectMemberByNameOrAlias1':{}, 'hasReadPermission':{}, 'copyResourceIntoGroup':{}, 'getDependentResourceIDsForResourceId':{}, 'deleteByLocalId':{}, 'clearEntries':{}, 'getResourceIfModified':{}, 'findById':{}, 'getSourcesWithThisTargetByRelationshipForResourceId':{}, 'getSourcesWithThisTargetByACLRelationship':{}, 'delete':{}, 'getAllPathsToRootAsStrings':{}, 'loadAdditional':{}, 'deleteEntries':{}, 'insertResource':{}, 'insertResources':{}, 'getEnabledResourceIDs':{}, 'getAllUnassignedResourceIDs':{}, 'getSourceURIWithThisTargetByRelationship':{}, 'getResourceById':{}, 'updateACLForResourceById':{}, 'getCorruptedResources':{}, 'unloadAdditional':{}, 'isDisabled':{}, 'getTargetsAsURIByRelationship':{}, 'updateResources':{}, 'deleteByUUID':{}, 'getTargetsByRelationship':{}, 'getSourceURIWithThisTargetByRelationshipForResourceId':{}, 'getTargetsByRelationshipCount':{}, 'getPersonalGroup':{}, 'findByUUID':{}, 'resetState':{}, 'insert':{}, 'getServiceMinorVersion':{}, }, 'InternalService':{ 'newGroupAttributesParameter':{}, 'newReportDrilldownDefinition':{}, 'newEdge':{}, 'newHierarchyMapGroupByHolder':{}, 'newActiveChannelDrilldownDefinition':{}, 'newMatrixData':{}, 'newIntrospectableFieldListParameter':{}, 'newGraphData':{}, 'newGeoInfoEventGraphNode':{}, 'newIntrospectableFieldListHolder':{}, 'newGroupAttributeEntry':{}, 'newDashboardDrilldownDefinition':{}, 'newListWrapper':{}, 'newFontHolder':{}, 'newEventGraph':{}, 'newPropertyHolder':{}, 'newQueryViewerDrilldownDefinition':{}, 'newGraph':{}, 'newFilterFields':{}, 'newFontParameter':{}, 'newGeographicInformation':{}, 'newNode':{}, 'newHierarchyMapGroupByParameter':{}, 'newErrorCode':{}, 'newEventGraphNode':{}, }, 'SecurityEventService':{ 'getServiceMajorVersion':{}, 'getSecurityEventsWithTimeout':{}, 'getSecurityEvents':{}, 'getServiceMinorVersion':{}, 'getSecurityEventsByProfile':{}, }, 'GraphService':{ 'createSourceTargetGraphFromEventList':{}, 'createSourceTargetGraph':{}, 'createSourceEventTargetGraph':{}, 'getServiceMajorVersion':{}, 'getServiceMinorVersion':{}, 'createSourceEventTargetGraphFromEventList':{}, }, 'GroupService':{ 'getTargetsWithRelationshipTypeForResourceById':{}, 'childAttributesChanged':{}, 'getTargetsByRelationshipForSourceId':{}, 'getAllAttachmentOnlyResourceIDs':{}, 'getNamesAndAliases':{}, 'getReverseRelationshipsOfThisAndParents':{}, 'getESMVersion':{}, 'addRelationship':{}, 'containsDirectMemberByName':{}, 'getResourcesReferencePages':{}, 'getReverseRelationshipsOfParents':{}, 'getTargetsAsURIByRelationshipForSourceId':{}, 'isParentOf':{}, 'insertGroup':{}, 'getAllChildren':{}, 'getReferencePages':{}, 'getGroupChildCount':{}, 'getExclusivelyDependentResources':{}, 'getAllowedUserTypes':{}, 'getResourcesByNames':{}, 'removeChild':{}, 'getSourceURIWithThisTargetByRelatiobnship':{}, 'getMetaGroupID':{}, 'isValidResourceID':{}, 'addChild':{}, 'getServiceMajorVersion':{}, 'containsDirectMemberByName1':{}, 'getResourcesByIds':{}, 'getResourceTypesVisibleToUsers':{}, 'getPersonalAndSharedResourceRoots':{}, 'hasReadPermission':{}, 'containsDirectMemberByNameOrAlias1':{}, 'getSourcesWithThisTargetByRelationship':{}, 'findById':{}, 'getSourcesWithThisTargetByRelationshipForResourceId':{}, 'delete':{}, 'insertResource':{}, 'insertResources':{}, 'getAllChildIDCount':{}, 'updateACLForResourceById':{}, 'getCorruptedResources':{}, 'unloadAdditional':{}, 'getTargetsByRelationship':{}, 'getPersonalGroup':{}, 'getTargetsByRelationshipCount':{}, 'getSourceURIWithThisTargetByRelationshipForResourceId':{}, 'findByUUID':{}, 'resetState':{}, 'insert':{}, 'deleteResource':{}, 'getSourcesWithThisTargetByRelationshipCount':{}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId':{}, 'containsDirectMemberByNameOrAlias':{}, 'removeChildren':{}, 'getTargetsWithRelationshipTypeForResource':{}, 'getPersonalResourceRoots':{}, 'getMetaGroup':{}, 'getChildrenByType':{}, 'getResourceByName':{}, 'hasXPermission':{}, 'findAllIds':{}, 'hasWritePermission':{}, 'deleteResources':{}, 'resolveRelationship':{}, 'getAllPathsToRoot':{}, 'getResourcesWithVisibilityToUsers':{}, 'findAll':{}, 'addChildren':{}, 'getResourcesByNameSafely':{}, 'getRelationshipsOfParents':{}, 'getChildResourcesByType':{}, 'hasReverseRelationship':{}, 'getChildNamesAndAliases':{}, 'update':{}, 'hasChildWithNameOrAlias':{}, 'getRelationshipsOfThisAndParents':{}, 'getChildIDByChildNameOrAlias':{}, 'containsResourcesRecursively':{}, 'copyResourceIntoGroup':{}, 'deleteByLocalId':{}, 'getDependentResourceIDsForResourceId':{}, 'getResourceIfModified':{}, 'isGroup':{}, 'getSourcesWithThisTargetByACLRelationship':{}, 'getAllPathsToRootAsStrings':{}, 'updateGroup':{}, 'loadAdditional':{}, 'getAllUnassignedResourceIDs':{}, 'getEnabledResourceIDs':{}, 'getSourceURIWithThisTargetByRelationship':{}, 'getResourceById':{}, 'getGroupByURI':{}, 'isDisabled':{}, 'getAllChildIDs':{}, 'getTargetsAsURIByRelationship':{}, 'updateResources':{}, 'deleteByUUID':{}, 'getGroupByID':{}, 'getServiceMinorVersion':{}, }, 'ResourceService':{ 'getTargetsWithRelationshipTypeForResourceById':{}, 'getTargetsByRelationshipForSourceId':{}, 'getSourcesWithThisTargetByRelationshipCount':{}, 'deleteResource':{}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId':{}, 'getAllAttachmentOnlyResourceIDs':{}, 'getNamesAndAliases':{}, 'containsDirectMemberByNameOrAlias':{}, 'getTargetsWithRelationshipTypeForResource':{}, 'getReverseRelationshipsOfThisAndParents':{}, 'getPersonalResourceRoots':{}, 'getESMVersion':{}, 'getResourceByName':{}, 'hasXPermission':{}, 'findAllIds':{}, 'addRelationship':{}, 'getReverseRelationshipsOfParents':{}, 'getResourcesReferencePages':{}, 'containsDirectMemberByName':{}, 'getTargetsAsURIByRelationshipForSourceId':{}, 'hasWritePermission':{}, 'deleteResources':{}, 'resolveRelationship':{}, 'getAllPathsToRoot':{}, 'getResourcesWithVisibilityToUsers':{}, 'getReferencePages':{}, 'findAll':{}, 'getExclusivelyDependentResources':{}, 'getAllowedUserTypes':{}, 'getResourcesByNameSafely':{}, 'getResourcesByNames':{}, 'getSourceURIWithThisTargetByRelatiobnship':{}, 'getRelationshipsOfParents':{}, 'getMetaGroupID':{}, 'isValidResourceID':{}, 'getServiceMajorVersion':{}, 'hasReverseRelationship':{}, 'containsDirectMemberByName1':{}, 'getChildNamesAndAliases':{}, 'getResourcesByIds':{}, 'getResourceTypesVisibleToUsers':{}, 'update':{}, 'getRelationshipsOfThisAndParents':{}, 'getPersonalAndSharedResourceRoots':{}, 'getSourcesWithThisTargetByRelationship':{}, 'containsDirectMemberByNameOrAlias1':{}, 'hasReadPermission':{}, 'copyResourceIntoGroup':{}, 'deleteByLocalId':{}, 'getDependentResourceIDsForResourceId':{}, 'getResourceIfModified':{}, 'findById':{}, 'getSourcesWithThisTargetByRelationshipForResourceId':{}, 'getSourcesWithThisTargetByACLRelationship':{}, 'delete':{}, 'getAllPathsToRootAsStrings':{}, 'loadAdditional':{}, 'insertResource':{}, 'insertResources':{}, 'getAllUnassignedResourceIDs':{}, 'getEnabledResourceIDs':{}, 'getSourceURIWithThisTargetByRelationship':{}, 'getResourceById':{}, 'updateACLForResourceById':{}, 'getCorruptedResources':{}, 'unloadAdditional':{}, 'isDisabled':{}, 'getTargetsAsURIByRelationship':{}, 'updateResources':{}, 'deleteByUUID':{}, 'getTargetsByRelationship':{}, 'getSourceURIWithThisTargetByRelationshipForResourceId':{}, 'getTargetsByRelationshipCount':{}, 'getPersonalGroup':{}, 'findByUUID':{}, 'resetState':{}, 'insert':{}, 'getServiceMinorVersion':{}, }, 'UserResourceService':{ 'getTargetsWithRelationshipTypeForResourceById':{}, 'getTargetsByRelationshipForSourceId':{}, 'getAllAttachmentOnlyResourceIDs':{}, 'addUserPreferenceById':{}, 'getNamesAndAliases':{}, 'getReverseRelationshipsOfThisAndParents':{}, 'getESMVersion':{}, 'addRelationship':{}, 'containsDirectMemberByName':{}, 'getResourcesReferencePages':{}, 'getReverseRelationshipsOfParents':{}, 'getTargetsAsURIByRelationshipForSourceId':{}, 'getReferencePages':{}, 'getUserModificationFlag':{}, 'getAllUsers':{}, 'getExclusivelyDependentResources':{}, 'getAllowedUserTypes':{}, 'create':{}, 'getResourcesByNames':{}, 'getSourceURIWithThisTargetByRelatiobnship':{}, 'recordSuccessfulLoginFor':{}, 'updateUserPreferencesByName':{}, 'getMetaGroupID':{}, 'isValidResourceID':{}, 'getServiceMajorVersion':{}, 'changePassword':{}, 'containsDirectMemberByName1':{}, 'getResourcesByIds':{}, 'getResourceTypesVisibleToUsers':{}, 'getCurrentUser':{}, 'getPersonalAndSharedResourceRoots':{}, 'getSourcesWithThisTargetByRelationship':{}, 'hasReadPermission':{}, 'containsDirectMemberByNameOrAlias1':{}, 'getUserByName':{}, 'getSessionProfile':{}, 'findById':{}, 'getSourcesWithThisTargetByRelationshipForResourceId':{}, 'delete':{}, 'getRootUserGroup':{}, 'updateUserPreferencesById':{}, 'getAllUserPreferencesForUserByName':{}, 'insertResource':{}, 'insertResources':{}, 'updateACLForResourceById':{}, 'getCorruptedResources':{}, 'unloadAdditional':{}, 'getFeatureAvailabilities':{}, 'isFeatureAvailable':{}, 'getTargetsByRelationship':{}, 'increaseFailedLoginAttemptsFor':{}, 'getSourceURIWithThisTargetByRelationshipForResourceId':{}, 'getPersonalGroup':{}, 'getTargetsByRelationshipCount':{}, 'findByUUID':{}, 'resetState':{}, 'insert':{}, 'isAdministrator':{}, 'getSourcesWithThisTargetByRelationshipCount':{}, 'deleteResource':{}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId':{}, 'containsDirectMemberByNameOrAlias':{}, 'getTargetsWithRelationshipTypeForResource':{}, 'getPersonalResourceRoots':{}, 'getResourceByName':{}, 'hasXPermission':{}, 'addModuleConfigForUserById':{}, 'findAllIds':{}, 'hasWritePermission':{}, 'deleteResources':{}, 'resolveRelationship':{}, 'getAllPathsToRoot':{}, 'getUserPreferenceForUserByName':{}, 'getAllUserPreferencesForUserById':{}, 'getModuleConfigForUserByName':{}, 'getResourcesWithVisibilityToUsers':{}, 'getUserPreferenceForUserById':{}, 'findAll':{}, 'getResourcesByNameSafely':{}, 'getRelationshipsOfParents':{}, 'getServerDefaultLocale':{}, 'hasReverseRelationship':{}, 'getChildNamesAndAliases':{}, 'updateUser':{}, 'update':{}, 'updateModuleConfigForUserById':{}, 'getRelationshipsOfThisAndParents':{}, 'copyResourceIntoGroup':{}, 'deleteByLocalId':{}, 'getDependentResourceIDsForResourceId':{}, 'checkPassword':{}, 'updateModuleConfigForUserByName':{}, 'getResourceIfModified':{}, 'addModuleConfigForUserByName':{}, 'getSourcesWithThisTargetByACLRelationship':{}, 'getAllPathsToRootAsStrings':{}, 'getRootUserGroupID':{}, 'loadAdditional':{}, 'resetFailedLoginAttemptsFor':{}, 'getAllUnassignedResourceIDs':{}, 'getEnabledResourceIDs':{}, 'getSourceURIWithThisTargetByRelationship':{}, 'getResourceById':{}, 'isDisabled':{}, 'getTargetsAsURIByRelationship':{}, 'updateResources':{}, 'deleteByUUID':{}, 'getRootUserId':{}, 'getModuleConfigForUserById':{}, 'addUserPreferenceByName':{}, 'getServiceMinorVersion':{}, }, 'FileResourceService':{ 'getTargetsWithRelationshipTypeForResourceById':{}, 'getTargetsByRelationshipForSourceId':{}, 'initiateUpload':{}, 'getSourcesWithThisTargetByRelationshipCount':{}, 'initiateDownloadByUUID':{}, 'deleteResource':{}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId':{}, 'getAllAttachmentOnlyResourceIDs':{}, 'getNamesAndAliases':{}, 'containsDirectMemberByNameOrAlias':{}, 'getTargetsWithRelationshipTypeForResource':{}, 'getReverseRelationshipsOfThisAndParents':{}, 'getPersonalResourceRoots':{}, 'getESMVersion':{}, 'getResourceByName':{}, 'hasXPermission':{}, 'findAllIds':{}, 'addRelationship':{}, 'getReverseRelationshipsOfParents':{}, 'getResourcesReferencePages':{}, 'containsDirectMemberByName':{}, 'getTargetsAsURIByRelationshipForSourceId':{}, 'hasWritePermission':{}, 'deleteResources':{}, 'resolveRelationship':{}, 'getAllPathsToRoot':{}, 'getResourcesWithVisibilityToUsers':{}, 'getReferencePages':{}, 'findAll':{}, 'getUploadStatus':{}, 'getExclusivelyDependentResources':{}, 'getAllowedUserTypes':{}, 'getResourcesByNameSafely':{}, 'getResourcesByNames':{}, 'getSourceURIWithThisTargetByRelatiobnship':{}, 'getRelationshipsOfParents':{}, 'getMetaGroupID':{}, 'isValidResourceID':{}, 'getServiceMajorVersion':{}, 'hasReverseRelationship':{}, 'containsDirectMemberByName1':{}, 'getChildNamesAndAliases':{}, 'getResourcesByIds':{}, 'getResourceTypesVisibleToUsers':{}, 'update':{}, 'getRelationshipsOfThisAndParents':{}, 'getPersonalAndSharedResourceRoots':{}, 'getSourcesWithThisTargetByRelationship':{}, 'containsDirectMemberByNameOrAlias1':{}, 'hasReadPermission':{}, 'copyResourceIntoGroup':{}, 'getDependentResourceIDsForResourceId':{}, 'deleteByLocalId':{}, 'getResourceIfModified':{}, 'findById':{}, 'getSourcesWithThisTargetByRelationshipForResourceId':{}, 'getSourcesWithThisTargetByACLRelationship':{}, 'delete':{}, 'getAllPathsToRootAsStrings':{}, 'loadAdditional':{}, 'insertResource':{}, 'insertResources':{}, 'getEnabledResourceIDs':{}, 'getAllUnassignedResourceIDs':{}, 'getSourceURIWithThisTargetByRelationship':{}, 'getResourceById':{}, 'updateACLForResourceById':{}, 'getCorruptedResources':{}, 'unloadAdditional':{}, 'isDisabled':{}, 'getTargetsAsURIByRelationship':{}, 'updateResources':{}, 'deleteByUUID':{}, 'getTargetsByRelationship':{}, 'getSourceURIWithThisTargetByRelationshipForResourceId':{}, 'getTargetsByRelationshipCount':{}, 'getPersonalGroup':{}, 'findByUUID':{}, 'resetState':{}, 'insert':{}, 'getServiceMinorVersion':{}, }, 'InfoService':{ 'getActivationDateMillis':{}, 'getPropertyByEncodedKey':{}, 'isTrial':{}, 'hasErrors':{}, 'getWebServerUrl':{}, 'getWebAdminRelUrlWithOTP':{}, 'getWebAdminRelUrl':{}, 'isPatternDiscoveryEnabled':{}, 'getExpirationDate':{}, 'getWebServerUrlWithOTP':{}, 'isLicenseValid':{}, 'getErrorMessage':{}, 'getManagerVersionString':{}, 'expires':{}, 'isSessionListsEnabled':{}, 'setLicensed':{}, 'getProperty':{}, 'isPartitionArchiveEnabled':{}, 'getStatusString':{}, 'getServiceMajorVersion':{}, 'getCustomerName':{}, 'getCustomerNumber':{}, 'getServiceMinorVersion':{}, }, 'SecurityEventIntrospectorService':{ 'getTimeConstraintFields':{}, 'hasField':{}, 'convertLabelToName':{}, 'getFields':{}, 'getGroupNames':{}, 'getServiceMajorVersion':{}, 'getFieldsByFilter':{}, 'hasFieldName':{}, 'getFieldByName':{}, 'getGroupDisplayName':{}, 'getServiceMinorVersion':{}, 'getRelatedFields':{}, }, 'ConAppService':{ 'getPathToConApp':{}, 'getServiceMajorVersion':{}, 'getServiceMinorVersion':{}, }, 'FieldSetService':{ 'getTargetsWithRelationshipTypeForResourceById':{}, 'getTargetsByRelationshipForSourceId':{}, 'getSourcesWithThisTargetByRelationshipCount':{}, 'deleteResource':{}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId':{}, 'getAllAttachmentOnlyResourceIDs':{}, 'getNamesAndAliases':{}, 'containsDirectMemberByNameOrAlias':{}, 'getTargetsWithRelationshipTypeForResource':{}, 'getReverseRelationshipsOfThisAndParents':{}, 'getPersonalResourceRoots':{}, 'getESMVersion':{}, 'getResourceByName':{}, 'hasXPermission':{}, 'findAllIds':{}, 'addRelationship':{}, 'getReverseRelationshipsOfParents':{}, 'getResourcesReferencePages':{}, 'containsDirectMemberByName':{}, 'getTargetsAsURIByRelationshipForSourceId':{}, 'hasWritePermission':{}, 'deleteResources':{}, 'resolveRelationship':{}, 'getAllPathsToRoot':{}, 'getResourcesWithVisibilityToUsers':{}, 'getReferencePages':{}, 'findAll':{}, 'getExclusivelyDependentResources':{}, 'getAllowedUserTypes':{}, 'getResourcesByNameSafely':{}, 'getResourcesByNames':{}, 'getSourceURIWithThisTargetByRelatiobnship':{}, 'getRelationshipsOfParents':{}, 'getMetaGroupID':{}, 'isValidResourceID':{}, 'getServiceMajorVersion':{}, 'hasReverseRelationship':{}, 'containsDirectMemberByName1':{}, 'getChildNamesAndAliases':{}, 'getResourcesByIds':{}, 'getResourceTypesVisibleToUsers':{}, 'update':{}, 'getRelationshipsOfThisAndParents':{}, 'getPersonalAndSharedResourceRoots':{}, 'getSourcesWithThisTargetByRelationship':{}, 'containsDirectMemberByNameOrAlias1':{}, 'hasReadPermission':{}, 'copyResourceIntoGroup':{}, 'deleteByLocalId':{}, 'getDependentResourceIDsForResourceId':{}, 'getResourceIfModified':{}, 'findById':{}, 'getSourcesWithThisTargetByRelationshipForResourceId':{}, 'getSourcesWithThisTargetByACLRelationship':{}, 'delete':{}, 'getAllPathsToRootAsStrings':{}, 'loadAdditional':{}, 'insertResource':{}, 'insertResources':{}, 'getAllUnassignedResourceIDs':{}, 'getEnabledResourceIDs':{}, 'getSourceURIWithThisTargetByRelationship':{}, 'getResourceById':{}, 'updateACLForResourceById':{}, 'getCorruptedResources':{}, 'unloadAdditional':{}, 'isDisabled':{}, 'getTargetsAsURIByRelationship':{}, 'updateResources':{}, 'deleteByUUID':{}, 'getTargetsByRelationship':{}, 'getSourceURIWithThisTargetByRelationshipForResourceId':{}, 'getTargetsByRelationshipCount':{}, 'getPersonalGroup':{}, 'findByUUID':{}, 'resetState':{}, 'insert':{}, 'getServiceMinorVersion':{}, }, 'ReportService':{ 'getTargetsWithRelationshipTypeForResourceById':{}, 'getTargetsByRelationshipForSourceId':{}, 'getSourcesWithThisTargetByRelationshipCount':{}, 'deleteResource':{}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId':{}, 'getAllAttachmentOnlyResourceIDs':{}, 'getNamesAndAliases':{}, 'containsDirectMemberByNameOrAlias':{}, 'getTargetsWithRelationshipTypeForResource':{}, 'getReverseRelationshipsOfThisAndParents':{}, 'getPersonalResourceRoots':{}, 'getESMVersion':{}, 'getResourceByName':{}, 'hasXPermission':{}, 'findAllIds':{}, 'addRelationship':{}, 'getReverseRelationshipsOfParents':{}, 'getResourcesReferencePages':{}, 'containsDirectMemberByName':{}, 'getTargetsAsURIByRelationshipForSourceId':{}, 'hasWritePermission':{}, 'deleteResources':{}, 'resolveRelationship':{}, 'getAllPathsToRoot':{}, 'getResourcesWithVisibilityToUsers':{}, 'getReferencePages':{}, 'findAll':{}, 'getExclusivelyDependentResources':{}, 'getAllowedUserTypes':{}, 'getResourcesByNameSafely':{}, 'getResourcesByNames':{}, 'getSourceURIWithThisTargetByRelatiobnship':{}, 'getRelationshipsOfParents':{}, 'getMetaGroupID':{}, 'isValidResourceID':{}, 'getServiceMajorVersion':{}, 'hasReverseRelationship':{}, 'containsDirectMemberByName1':{}, 'getChildNamesAndAliases':{}, 'getResourcesByIds':{}, 'getResourceTypesVisibleToUsers':{}, 'update':{}, 'getRelationshipsOfThisAndParents':{}, 'getPersonalAndSharedResourceRoots':{}, 'getSourcesWithThisTargetByRelationship':{}, 'containsDirectMemberByNameOrAlias1':{}, 'hasReadPermission':{}, 'copyResourceIntoGroup':{}, 'deleteByLocalId':{}, 'getDependentResourceIDsForResourceId':{}, 'getResourceIfModified':{}, 'findById':{}, 'getSourcesWithThisTargetByRelationshipForResourceId':{}, 'getSourcesWithThisTargetByACLRelationship':{}, 'delete':{}, 'getAllPathsToRootAsStrings':{}, 'loadAdditional':{}, 'insertResource':{}, 'insertResources':{}, 'getAllUnassignedResourceIDs':{}, 'getEnabledResourceIDs':{}, 'getSourceURIWithThisTargetByRelationship':{}, 'getResourceById':{}, 'updateACLForResourceById':{}, 'getCorruptedResources':{}, 'unloadAdditional':{}, 'isDisabled':{}, 'getTargetsAsURIByRelationship':{}, 'updateResources':{}, 'deleteByUUID':{}, 'getTargetsByRelationship':{}, 'getSourceURIWithThisTargetByRelationshipForResourceId':{}, 'getTargetsByRelationshipCount':{}, 'getPersonalGroup':{}, 'findByUUID':{}, 'resetState':{}, 'insert':{}, 'getServiceMinorVersion':{}, }, 'ManagerAuthenticationService':{ 'getServiceMajorVersion':{}, 'getOTP':{}, 'getServiceMinorVersion':{}, }, 'ManagerSearchService':{ 'search':{}, 'search1':{}, }, 'DataMonitorService':{ 'getTargetsWithRelationshipTypeForResourceById':{}, 'getTargetsByRelationshipForSourceId':{}, 'getSourcesWithThisTargetByRelationshipCount':{}, 'deleteResource':{}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId':{}, 'getAllAttachmentOnlyResourceIDs':{}, 'getNamesAndAliases':{}, 'containsDirectMemberByNameOrAlias':{}, 'getTargetsWithRelationshipTypeForResource':{}, 'getReverseRelationshipsOfThisAndParents':{}, 'getPersonalResourceRoots':{}, 'getESMVersion':{}, 'getResourceByName':{}, 'hasXPermission':{}, 'findAllIds':{}, 'addRelationship':{}, 'getReverseRelationshipsOfParents':{}, 'getResourcesReferencePages':{}, 'containsDirectMemberByName':{}, 'getTargetsAsURIByRelationshipForSourceId':{}, 'hasWritePermission':{}, 'deleteResources':{}, 'resolveRelationship':{}, 'getAllPathsToRoot':{}, 'getResourcesWithVisibilityToUsers':{}, 'getReferencePages':{}, 'findAll':{}, 'getExclusivelyDependentResources':{}, 'getAllowedUserTypes':{}, 'getResourcesByNameSafely':{}, 'getResourcesByNames':{}, 'getSourceURIWithThisTargetByRelatiobnship':{}, 'getDataMonitorIfNewer':{}, 'getRelationshipsOfParents':{}, 'getMetaGroupID':{}, 'isValidResourceID':{}, 'getServiceMajorVersion':{}, 'hasReverseRelationship':{}, 'containsDirectMemberByName1':{}, 'getChildNamesAndAliases':{}, 'getResourcesByIds':{}, 'getResourceTypesVisibleToUsers':{}, 'update':{}, 'getRelationshipsOfThisAndParents':{}, 'getPersonalAndSharedResourceRoots':{}, 'getSourcesWithThisTargetByRelationship':{}, 'containsDirectMemberByNameOrAlias1':{}, 'hasReadPermission':{}, 'copyResourceIntoGroup':{}, 'deleteByLocalId':{}, 'getDependentResourceIDsForResourceId':{}, 'getResourceIfModified':{}, 'findById':{}, 'getSourcesWithThisTargetByRelationshipForResourceId':{}, 'getSourcesWithThisTargetByACLRelationship':{}, 'delete':{}, 'getAllPathsToRootAsStrings':{}, 'loadAdditional':{}, 'insertResource':{}, 'insertResources':{}, 'getEnabledResourceIDs':{}, 'getAllUnassignedResourceIDs':{}, 'getSourceURIWithThisTargetByRelationship':{}, 'getResourceById':{}, 'updateACLForResourceById':{}, 'getCorruptedResources':{}, 'unloadAdditional':{}, 'isDisabled':{}, 'getTargetsAsURIByRelationship':{}, 'updateResources':{}, 'deleteByUUID':{}, 'getTargetsByRelationship':{}, 'getSourceURIWithThisTargetByRelationshipForResourceId':{}, 'getTargetsByRelationshipCount':{}, 'getPersonalGroup':{}, 'findByUUID':{}, 'resetState':{}, 'insert':{}, 'getServiceMinorVersion':{}, }, 'ServerConfigurationService':{ 'getTargetsWithRelationshipTypeForResourceById':{}, 'getTargetsByRelationshipForSourceId':{}, 'getSourcesWithThisTargetByRelationshipCount':{}, 'deleteResource':{}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId':{}, 'getAllAttachmentOnlyResourceIDs':{}, 'getNamesAndAliases':{}, 'containsDirectMemberByNameOrAlias':{}, 'getTargetsWithRelationshipTypeForResource':{}, 'getReverseRelationshipsOfThisAndParents':{}, 'getPersonalResourceRoots':{}, 'getESMVersion':{}, 'getResourceByName':{}, 'hasXPermission':{}, 'findAllIds':{}, 'addRelationship':{}, 'getReverseRelationshipsOfParents':{}, 'getResourcesReferencePages':{}, 'containsDirectMemberByName':{}, 'getTargetsAsURIByRelationshipForSourceId':{}, 'hasWritePermission':{}, 'deleteResources':{}, 'resolveRelationship':{}, 'getAllPathsToRoot':{}, 'getResourcesWithVisibilityToUsers':{}, 'getReferencePages':{}, 'findAll':{}, 'getExclusivelyDependentResources':{}, 'getAllowedUserTypes':{}, 'getResourcesByNameSafely':{}, 'getResourcesByNames':{}, 'getSourceURIWithThisTargetByRelatiobnship':{}, 'getRelationshipsOfParents':{}, 'getMetaGroupID':{}, 'isValidResourceID':{}, 'getServiceMajorVersion':{}, 'hasReverseRelationship':{}, 'containsDirectMemberByName1':{}, 'getChildNamesAndAliases':{}, 'getResourcesByIds':{}, 'getResourceTypesVisibleToUsers':{}, 'update':{}, 'getRelationshipsOfThisAndParents':{}, 'getPersonalAndSharedResourceRoots':{}, 'getSourcesWithThisTargetByRelationship':{}, 'containsDirectMemberByNameOrAlias1':{}, 'hasReadPermission':{}, 'copyResourceIntoGroup':{}, 'deleteByLocalId':{}, 'getDependentResourceIDsForResourceId':{}, 'getResourceIfModified':{}, 'findById':{}, 'getSourcesWithThisTargetByRelationshipForResourceId':{}, 'getSourcesWithThisTargetByACLRelationship':{}, 'delete':{}, 'getAllPathsToRootAsStrings':{}, 'loadAdditional':{}, 'insertResource':{}, 'insertResources':{}, 'getAllUnassignedResourceIDs':{}, 'getEnabledResourceIDs':{}, 'getSourceURIWithThisTargetByRelationship':{}, 'getResourceById':{}, 'updateACLForResourceById':{}, 'getCorruptedResources':{}, 'unloadAdditional':{}, 'isDisabled':{}, 'getTargetsAsURIByRelationship':{}, 'updateResources':{}, 'deleteByUUID':{}, 'getTargetsByRelationship':{}, 'getSourceURIWithThisTargetByRelationshipForResourceId':{}, 'getTargetsByRelationshipCount':{}, 'getPersonalGroup':{}, 'findByUUID':{}, 'resetState':{}, 'insert':{}, 'getServiceMinorVersion':{}, }, }
service_dict = {'NetworkService': {'getTargetsWithRelationshipTypeForResourceById': {}, 'getTargetsByRelationshipForSourceId': {}, 'getSourcesWithThisTargetByRelationshipCount': {}, 'deleteResource': {}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId': {}, 'getAllAttachmentOnlyResourceIDs': {}, 'getNamesAndAliases': {}, 'containsDirectMemberByNameOrAlias': {}, 'getTargetsWithRelationshipTypeForResource': {}, 'getReverseRelationshipsOfThisAndParents': {}, 'getPersonalResourceRoots': {}, 'getESMVersion': {}, 'getResourceByName': {}, 'hasXPermission': {}, 'findAllIds': {}, 'addRelationship': {}, 'getReverseRelationshipsOfParents': {}, 'getResourcesReferencePages': {}, 'containsDirectMemberByName': {}, 'getTargetsAsURIByRelationshipForSourceId': {}, 'hasWritePermission': {}, 'deleteResources': {}, 'resolveRelationship': {}, 'getAllPathsToRoot': {}, 'getResourcesWithVisibilityToUsers': {}, 'getReferencePages': {}, 'findAll': {}, 'getExclusivelyDependentResources': {}, 'getAllowedUserTypes': {}, 'getResourcesByNameSafely': {}, 'getResourcesByNames': {}, 'getSourceURIWithThisTargetByRelatiobnship': {}, 'getRelationshipsOfParents': {}, 'getMetaGroupID': {}, 'isValidResourceID': {}, 'getServiceMajorVersion': {}, 'hasReverseRelationship': {}, 'containsDirectMemberByName1': {}, 'getChildNamesAndAliases': {}, 'getResourcesByIds': {}, 'getResourceTypesVisibleToUsers': {}, 'update': {}, 'getRelationshipsOfThisAndParents': {}, 'getPersonalAndSharedResourceRoots': {}, 'getSourcesWithThisTargetByRelationship': {}, 'containsDirectMemberByNameOrAlias1': {}, 'hasReadPermission': {}, 'copyResourceIntoGroup': {}, 'deleteByLocalId': {}, 'getDependentResourceIDsForResourceId': {}, 'getResourceIfModified': {}, 'findById': {}, 'getSourcesWithThisTargetByRelationshipForResourceId': {}, 'getSourcesWithThisTargetByACLRelationship': {}, 'delete': {}, 'getAllPathsToRootAsStrings': {}, 'loadAdditional': {}, 'insertResource': {}, 'insertResources': {}, 'getAllUnassignedResourceIDs': {}, 'getEnabledResourceIDs': {}, 'getSourceURIWithThisTargetByRelationship': {}, 'getResourceById': {}, 'updateACLForResourceById': {}, 'getCorruptedResources': {}, 'unloadAdditional': {}, 'isDisabled': {}, 'getTargetsAsURIByRelationship': {}, 'updateResources': {}, 'deleteByUUID': {}, 'getTargetsByRelationship': {}, 'getSourceURIWithThisTargetByRelationshipForResourceId': {}, 'getTargetsByRelationshipCount': {}, 'getPersonalGroup': {}, 'findByUUID': {}, 'resetState': {}, 'insert': {}, 'getServiceMinorVersion': {}}, 'ViewerConfigurationService': {'getTargetsWithRelationshipTypeForResourceById': {}, 'getTargetsByRelationshipForSourceId': {}, 'getSourcesWithThisTargetByRelationshipCount': {}, 'deleteResource': {}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId': {}, 'getAllAttachmentOnlyResourceIDs': {}, 'getNamesAndAliases': {}, 'containsDirectMemberByNameOrAlias': {}, 'getTargetsWithRelationshipTypeForResource': {}, 'getReverseRelationshipsOfThisAndParents': {}, 'getPersonalResourceRoots': {}, 'getESMVersion': {}, 'getResourceByName': {}, 'hasXPermission': {}, 'findAllIds': {}, 'addRelationship': {}, 'getReverseRelationshipsOfParents': {}, 'getResourcesReferencePages': {}, 'containsDirectMemberByName': {}, 'getTargetsAsURIByRelationshipForSourceId': {}, 'hasWritePermission': {}, 'deleteResources': {}, 'resolveRelationship': {}, 'getAllPathsToRoot': {}, 'getResourcesWithVisibilityToUsers': {}, 'getReferencePages': {}, 'findAll': {}, 'getExclusivelyDependentResources': {}, 'getAllowedUserTypes': {}, 'getResourcesByNameSafely': {}, 'getResourcesByNames': {}, 'getSourceURIWithThisTargetByRelatiobnship': {}, 'getRelationshipsOfParents': {}, 'getMetaGroupID': {}, 'isValidResourceID': {}, 'getServiceMajorVersion': {}, 'hasReverseRelationship': {}, 'containsDirectMemberByName1': {}, 'getChildNamesAndAliases': {}, 'getResourcesByIds': {}, 'getResourceTypesVisibleToUsers': {}, 'update': {}, 'getRelationshipsOfThisAndParents': {}, 'getPersonalAndSharedResourceRoots': {}, 'getSourcesWithThisTargetByRelationship': {}, 'containsDirectMemberByNameOrAlias1': {}, 'hasReadPermission': {}, 'copyResourceIntoGroup': {}, 'deleteByLocalId': {}, 'getDependentResourceIDsForResourceId': {}, 'getResourceIfModified': {}, 'findById': {}, 'getSourcesWithThisTargetByRelationshipForResourceId': {}, 'getSourcesWithThisTargetByACLRelationship': {}, 'delete': {}, 'getAllPathsToRootAsStrings': {}, 'loadAdditional': {}, 'insertResource': {}, 'insertResources': {}, 'getEnabledResourceIDs': {}, 'getAllUnassignedResourceIDs': {}, 'getSourceURIWithThisTargetByRelationship': {}, 'getResourceById': {}, 'updateACLForResourceById': {}, 'getCorruptedResources': {}, 'unloadAdditional': {}, 'isDisabled': {}, 'getTargetsAsURIByRelationship': {}, 'updateResources': {}, 'deleteByUUID': {}, 'getTargetsByRelationship': {}, 'getSourceURIWithThisTargetByRelationshipForResourceId': {}, 'getTargetsByRelationshipCount': {}, 'getPersonalGroup': {}, 'getViewerConfigurationIfNewer': {}, 'findByUUID': {}, 'resetState': {}, 'insert': {}, 'getServiceMinorVersion': {}}, 'DashboardService': {'getTargetsWithRelationshipTypeForResourceById': {}, 'getTargetsByRelationshipForSourceId': {}, 'getDataMonitorDataIfNewer': {}, 'getSourcesWithThisTargetByRelationshipCount': {}, 'deleteResource': {}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId': {}, 'getAllAttachmentOnlyResourceIDs': {}, 'getNamesAndAliases': {}, 'containsDirectMemberByNameOrAlias': {}, 'getTargetsWithRelationshipTypeForResource': {}, 'getReverseRelationshipsOfThisAndParents': {}, 'getPersonalResourceRoots': {}, 'getESMVersion': {}, 'getResourceByName': {}, 'hasXPermission': {}, 'findAllIds': {}, 'addRelationship': {}, 'getReverseRelationshipsOfParents': {}, 'getResourcesReferencePages': {}, 'containsDirectMemberByName': {}, 'getTargetsAsURIByRelationshipForSourceId': {}, 'hasWritePermission': {}, 'deleteResources': {}, 'resolveRelationship': {}, 'getAllPathsToRoot': {}, 'getResourcesWithVisibilityToUsers': {}, 'getReferencePages': {}, 'findAll': {}, 'getExclusivelyDependentResources': {}, 'getAllowedUserTypes': {}, 'getDashboardIfNewer': {}, 'getResourcesByNameSafely': {}, 'getResourcesByNames': {}, 'getSourceURIWithThisTargetByRelatiobnship': {}, 'getRelationshipsOfParents': {}, 'getMetaGroupID': {}, 'isValidResourceID': {}, 'getServiceMajorVersion': {}, 'hasReverseRelationship': {}, 'containsDirectMemberByName1': {}, 'getChildNamesAndAliases': {}, 'getResourcesByIds': {}, 'getResourceTypesVisibleToUsers': {}, 'update': {}, 'getRelationshipsOfThisAndParents': {}, 'getPersonalAndSharedResourceRoots': {}, 'getSourcesWithThisTargetByRelationship': {}, 'containsDirectMemberByNameOrAlias1': {}, 'hasReadPermission': {}, 'copyResourceIntoGroup': {}, 'getDependentResourceIDsForResourceId': {}, 'deleteByLocalId': {}, 'getResourceIfModified': {}, 'findById': {}, 'getSourcesWithThisTargetByRelationshipForResourceId': {}, 'getSourcesWithThisTargetByACLRelationship': {}, 'delete': {}, 'getAllPathsToRootAsStrings': {}, 'loadAdditional': {}, 'insertResource': {}, 'insertResources': {}, 'getEnabledResourceIDs': {}, 'getAllUnassignedResourceIDs': {}, 'getSourceURIWithThisTargetByRelationship': {}, 'getResourceById': {}, 'updateACLForResourceById': {}, 'getCorruptedResources': {}, 'unloadAdditional': {}, 'isDisabled': {}, 'getTargetsAsURIByRelationship': {}, 'updateResources': {}, 'deleteByUUID': {}, 'getTargetsByRelationship': {}, 'getSourceURIWithThisTargetByRelationshipForResourceId': {}, 'getTargetsByRelationshipCount': {}, 'getPersonalGroup': {}, 'findByUUID': {}, 'resetState': {}, 'insert': {}, 'getDataMonitorDatasIfNewer': {}, 'getServiceMinorVersion': {}}, 'DataMonitorQoSService': {'disableQoSConstraintsOnDM': {}, 'enableQoSConstraintsOnDM': {}}, 'DrilldownService': {'getTargetsWithRelationshipTypeForResourceById': {}, 'getTargetsByRelationshipForSourceId': {}, 'getSourcesWithThisTargetByRelationshipCount': {}, 'deleteResource': {}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId': {}, 'getAllAttachmentOnlyResourceIDs': {}, 'getNamesAndAliases': {}, 'containsDirectMemberByNameOrAlias': {}, 'getTargetsWithRelationshipTypeForResource': {}, 'getReverseRelationshipsOfThisAndParents': {}, 'getPersonalResourceRoots': {}, 'getESMVersion': {}, 'getResourceByName': {}, 'hasXPermission': {}, 'findAllIds': {}, 'addRelationship': {}, 'getReverseRelationshipsOfParents': {}, 'getResourcesReferencePages': {}, 'containsDirectMemberByName': {}, 'getTargetsAsURIByRelationshipForSourceId': {}, 'hasWritePermission': {}, 'deleteResources': {}, 'resolveRelationship': {}, 'getAllPathsToRoot': {}, 'getResourcesWithVisibilityToUsers': {}, 'getReferencePages': {}, 'findAll': {}, 'getExclusivelyDependentResources': {}, 'getAllowedUserTypes': {}, 'getResourcesByNameSafely': {}, 'getResourcesByNames': {}, 'getSourceURIWithThisTargetByRelatiobnship': {}, 'getRelationshipsOfParents': {}, 'getMetaGroupID': {}, 'isValidResourceID': {}, 'getServiceMajorVersion': {}, 'hasReverseRelationship': {}, 'containsDirectMemberByName1': {}, 'getChildNamesAndAliases': {}, 'getResourcesByIds': {}, 'getResourceTypesVisibleToUsers': {}, 'update': {}, 'getRelationshipsOfThisAndParents': {}, 'getPersonalAndSharedResourceRoots': {}, 'getSourcesWithThisTargetByRelationship': {}, 'containsDirectMemberByNameOrAlias1': {}, 'hasReadPermission': {}, 'copyResourceIntoGroup': {}, 'deleteByLocalId': {}, 'getDependentResourceIDsForResourceId': {}, 'getResourceIfModified': {}, 'findById': {}, 'getSourcesWithThisTargetByRelationshipForResourceId': {}, 'getSourcesWithThisTargetByACLRelationship': {}, 'delete': {}, 'getAllPathsToRootAsStrings': {}, 'loadAdditional': {}, 'insertResource': {}, 'insertResources': {}, 'getAllUnassignedResourceIDs': {}, 'getEnabledResourceIDs': {}, 'getSourceURIWithThisTargetByRelationship': {}, 'getResourceById': {}, 'updateACLForResourceById': {}, 'getCorruptedResources': {}, 'unloadAdditional': {}, 'isDisabled': {}, 'getTargetsAsURIByRelationship': {}, 'updateResources': {}, 'deleteByUUID': {}, 'getTargetsByRelationship': {}, 'getSourceURIWithThisTargetByRelationshipForResourceId': {}, 'getTargetsByRelationshipCount': {}, 'getPersonalGroup': {}, 'findByUUID': {}, 'resetState': {}, 'insert': {}, 'getServiceMinorVersion': {}}, 'PortletService': {'getTargetsWithRelationshipTypeForResourceById': {}, 'getTargetsByRelationshipForSourceId': {}, 'getSourcesWithThisTargetByRelationshipCount': {}, 'deleteResource': {}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId': {}, 'getAllAttachmentOnlyResourceIDs': {}, 'getNamesAndAliases': {}, 'containsDirectMemberByNameOrAlias': {}, 'getTargetsWithRelationshipTypeForResource': {}, 'getReverseRelationshipsOfThisAndParents': {}, 'getPersonalResourceRoots': {}, 'getESMVersion': {}, 'getResourceByName': {}, 'hasXPermission': {}, 'findAllIds': {}, 'addRelationship': {}, 'getReverseRelationshipsOfParents': {}, 'getResourcesReferencePages': {}, 'containsDirectMemberByName': {}, 'getTargetsAsURIByRelationshipForSourceId': {}, 'hasWritePermission': {}, 'deleteResources': {}, 'resolveRelationship': {}, 'getAllPathsToRoot': {}, 'getResourcesWithVisibilityToUsers': {}, 'getReferencePages': {}, 'findAll': {}, 'getExclusivelyDependentResources': {}, 'getAllowedUserTypes': {}, 'getResourcesByNameSafely': {}, 'getResourcesByNames': {}, 'getSourceURIWithThisTargetByRelatiobnship': {}, 'getRelationshipsOfParents': {}, 'getMetaGroupID': {}, 'isValidResourceID': {}, 'getServiceMajorVersion': {}, 'hasReverseRelationship': {}, 'containsDirectMemberByName1': {}, 'getChildNamesAndAliases': {}, 'getResourcesByIds': {}, 'getResourceTypesVisibleToUsers': {}, 'update': {}, 'getRelationshipsOfThisAndParents': {}, 'getPersonalAndSharedResourceRoots': {}, 'getSourcesWithThisTargetByRelationship': {}, 'containsDirectMemberByNameOrAlias1': {}, 'hasReadPermission': {}, 'copyResourceIntoGroup': {}, 'deleteByLocalId': {}, 'getDependentResourceIDsForResourceId': {}, 'getResourceIfModified': {}, 'findById': {}, 'getSourcesWithThisTargetByRelationshipForResourceId': {}, 'getSourcesWithThisTargetByACLRelationship': {}, 'delete': {}, 'getAllPathsToRootAsStrings': {}, 'loadAdditional': {}, 'insertResource': {}, 'insertResources': {}, 'getAllUnassignedResourceIDs': {}, 'getEnabledResourceIDs': {}, 'getSourceURIWithThisTargetByRelationship': {}, 'getResourceById': {}, 'updateACLForResourceById': {}, 'getCorruptedResources': {}, 'unloadAdditional': {}, 'isDisabled': {}, 'getTargetsAsURIByRelationship': {}, 'updateResources': {}, 'deleteByUUID': {}, 'getTargetsByRelationship': {}, 'getSourceURIWithThisTargetByRelationshipForResourceId': {}, 'getTargetsByRelationshipCount': {}, 'getPersonalGroup': {}, 'findByUUID': {}, 'resetState': {}, 'insert': {}, 'getServiceMinorVersion': {}}, 'QueryService': {'getTargetsWithRelationshipTypeForResourceById': {}, 'getTargetsByRelationshipForSourceId': {}, 'getSourcesWithThisTargetByRelationshipCount': {}, 'deleteResource': {}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId': {}, 'getAllAttachmentOnlyResourceIDs': {}, 'getNamesAndAliases': {}, 'containsDirectMemberByNameOrAlias': {}, 'getTargetsWithRelationshipTypeForResource': {}, 'getReverseRelationshipsOfThisAndParents': {}, 'getPersonalResourceRoots': {}, 'getQuerySessionID': {}, 'getESMVersion': {}, 'getResourceByName': {}, 'hasXPermission': {}, 'findAllIds': {}, 'addRelationship': {}, 'getReverseRelationshipsOfParents': {}, 'getResourcesReferencePages': {}, 'containsDirectMemberByName': {}, 'getTargetsAsURIByRelationshipForSourceId': {}, 'hasWritePermission': {}, 'deleteResources': {}, 'resolveRelationship': {}, 'getQuerySQL': {}, 'getAllPathsToRoot': {}, 'getResourcesWithVisibilityToUsers': {}, 'getReferencePages': {}, 'findAll': {}, 'getExclusivelyDependentResources': {}, 'getAllowedUserTypes': {}, 'getResourcesByNameSafely': {}, 'getResourcesByNames': {}, 'getSourceURIWithThisTargetByRelatiobnship': {}, 'getRelationshipsOfParents': {}, 'getMetaGroupID': {}, 'isValidResourceID': {}, 'getServiceMajorVersion': {}, 'hasReverseRelationship': {}, 'containsDirectMemberByName1': {}, 'getChildNamesAndAliases': {}, 'getResourcesByIds': {}, 'getResourceTypesVisibleToUsers': {}, 'update': {}, 'getRelationshipsOfThisAndParents': {}, 'getPersonalAndSharedResourceRoots': {}, 'getSourcesWithThisTargetByRelationship': {}, 'containsDirectMemberByNameOrAlias1': {}, 'hasReadPermission': {}, 'copyResourceIntoGroup': {}, 'getDependentResourceIDsForResourceId': {}, 'deleteByLocalId': {}, 'getResourceIfModified': {}, 'findById': {}, 'getSourcesWithThisTargetByRelationshipForResourceId': {}, 'getSourcesWithThisTargetByACLRelationship': {}, 'delete': {}, 'getAllPathsToRootAsStrings': {}, 'loadAdditional': {}, 'insertResource': {}, 'insertResources': {}, 'getEnabledResourceIDs': {}, 'getAllUnassignedResourceIDs': {}, 'getSourceURIWithThisTargetByRelationship': {}, 'getResourceById': {}, 'updateACLForResourceById': {}, 'getCorruptedResources': {}, 'unloadAdditional': {}, 'isDisabled': {}, 'getTargetsAsURIByRelationship': {}, 'updateResources': {}, 'deleteByUUID': {}, 'getTargetsByRelationship': {}, 'getSourceURIWithThisTargetByRelationshipForResourceId': {}, 'getTargetsByRelationshipCount': {}, 'getPersonalGroup': {}, 'findByUUID': {}, 'resetState': {}, 'insert': {}, 'getServiceMinorVersion': {}}, 'ConnectorService': {'getTargetsWithRelationshipTypeForResourceById': {}, 'getTargetsByRelationshipForSourceId': {}, 'getAllAttachmentOnlyResourceIDs': {}, 'getAllAgents': {}, 'getNamesAndAliases': {}, 'getReverseRelationshipsOfThisAndParents': {}, 'getAllRunningAgentIDs': {}, 'getESMVersion': {}, 'getAllAgentIDs': {}, 'addRelationship': {}, 'containsDirectMemberByName': {}, 'getAgentByName': {}, 'getAllStoppedAgentIDs': {}, 'getResourcesReferencePages': {}, 'getReverseRelationshipsOfParents': {}, 'getTargetsAsURIByRelationshipForSourceId': {}, 'sendCommand': {}, 'getReferencePages': {}, 'getExclusivelyDependentResources': {}, 'getAllowedUserTypes': {}, 'getResourcesByNames': {}, 'getSourceURIWithThisTargetByRelatiobnship': {}, 'getMetaGroupID': {}, 'isValidResourceID': {}, 'getServiceMajorVersion': {}, 'containsDirectMemberByName1': {}, 'getResourcesByIds': {}, 'getResourceTypesVisibleToUsers': {}, 'getConnectorExecStatus': {}, 'getPersonalAndSharedResourceRoots': {}, 'checkImportStatus': {}, 'hasReadPermission': {}, 'containsDirectMemberByNameOrAlias1': {}, 'getSourcesWithThisTargetByRelationship': {}, 'getDeadAgentIDs': {}, 'getAgentsByIDs': {}, 'findById': {}, 'getSourcesWithThisTargetByRelationshipForResourceId': {}, 'delete': {}, 'insertResource': {}, 'insertResources': {}, 'updateACLForResourceById': {}, 'getCorruptedResources': {}, 'unloadAdditional': {}, 'initiateImportConfiguration': {}, 'getTargetsByRelationship': {}, 'getPersonalGroup': {}, 'getTargetsByRelationshipCount': {}, 'getSourceURIWithThisTargetByRelationshipForResourceId': {}, 'getDevicesForAgents': {}, 'findByUUID': {}, 'resetState': {}, 'insert': {}, 'getAgentParameterDescriptor': {}, 'initiateExportConnectorConfiguration': {}, 'deleteResource': {}, 'getSourcesWithThisTargetByRelationshipCount': {}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId': {}, 'getAgentIDsByOperationalStatusType': {}, 'containsDirectMemberByNameOrAlias': {}, 'getTargetsWithRelationshipTypeForResource': {}, 'getPersonalResourceRoots': {}, 'getResourceByName': {}, 'hasXPermission': {}, 'findAllIds': {}, 'hasWritePermission': {}, 'deleteResources': {}, 'resolveRelationship': {}, 'getAllPathsToRoot': {}, 'getAgentParameterDescriptors': {}, 'getResourcesWithVisibilityToUsers': {}, 'findAll': {}, 'getResourcesByNameSafely': {}, 'getLiveAgentIDs': {}, 'getRelationshipsOfParents': {}, 'getAgentByID': {}, 'hasReverseRelationship': {}, 'getCommandsList': {}, 'getChildNamesAndAliases': {}, 'getParameterGroups': {}, 'update': {}, 'getAllPausedAgentIDs': {}, 'getRelationshipsOfThisAndParents': {}, 'updateConnector': {}, 'copyResourceIntoGroup': {}, 'deleteByLocalId': {}, 'getDependentResourceIDsForResourceId': {}, 'getResourceIfModified': {}, 'getSourcesWithThisTargetByACLRelationship': {}, 'getAllPathsToRootAsStrings': {}, 'executeCommand': {}, 'loadAdditional': {}, 'getAllUnassignedResourceIDs': {}, 'getEnabledResourceIDs': {}, 'getSourceURIWithThisTargetByRelationship': {}, 'getResourceById': {}, 'initiateDownloadFile': {}, 'isDisabled': {}, 'getTargetsAsURIByRelationship': {}, 'updateResources': {}, 'deleteByUUID': {}, 'getServiceMinorVersion': {}}, 'QueryViewerService': {'getTargetsWithRelationshipTypeForResourceById': {}, 'getTargetsByRelationshipForSourceId': {}, 'getSourcesWithThisTargetByRelationshipCount': {}, 'deleteResource': {}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId': {}, 'getAllAttachmentOnlyResourceIDs': {}, 'getNamesAndAliases': {}, 'containsDirectMemberByNameOrAlias': {}, 'getTargetsWithRelationshipTypeForResource': {}, 'getReverseRelationshipsOfThisAndParents': {}, 'getPersonalResourceRoots': {}, 'getESMVersion': {}, 'getResourceByName': {}, 'hasXPermission': {}, 'findAllIds': {}, 'addRelationship': {}, 'getReverseRelationshipsOfParents': {}, 'getResourcesReferencePages': {}, 'containsDirectMemberByName': {}, 'getTargetsAsURIByRelationshipForSourceId': {}, 'hasWritePermission': {}, 'deleteResources': {}, 'resolveRelationship': {}, 'getAllPathsToRoot': {}, 'getResourcesWithVisibilityToUsers': {}, 'getReferencePages': {}, 'getMatrixDataForDrilldown': {}, 'findAll': {}, 'getExclusivelyDependentResources': {}, 'getAllowedUserTypes': {}, 'getResourcesByNameSafely': {}, 'getResourcesByNames': {}, 'getSourceURIWithThisTargetByRelatiobnship': {}, 'getRelationshipsOfParents': {}, 'getMetaGroupID': {}, 'isValidResourceID': {}, 'getServiceMajorVersion': {}, 'hasReverseRelationship': {}, 'containsDirectMemberByName1': {}, 'getChildNamesAndAliases': {}, 'getResourcesByIds': {}, 'getResourceTypesVisibleToUsers': {}, 'update': {}, 'getRelationshipsOfThisAndParents': {}, 'getPersonalAndSharedResourceRoots': {}, 'getSourcesWithThisTargetByRelationship': {}, 'containsDirectMemberByNameOrAlias1': {}, 'hasReadPermission': {}, 'copyResourceIntoGroup': {}, 'getDependentResourceIDsForResourceId': {}, 'deleteByLocalId': {}, 'getResourceIfModified': {}, 'findById': {}, 'getSourcesWithThisTargetByRelationshipForResourceId': {}, 'getSourcesWithThisTargetByACLRelationship': {}, 'delete': {}, 'getAllPathsToRootAsStrings': {}, 'loadAdditional': {}, 'insertResource': {}, 'insertResources': {}, 'getEnabledResourceIDs': {}, 'getAllUnassignedResourceIDs': {}, 'getSourceURIWithThisTargetByRelationship': {}, 'getResourceById': {}, 'updateACLForResourceById': {}, 'getCorruptedResources': {}, 'unloadAdditional': {}, 'isDisabled': {}, 'getTargetsAsURIByRelationship': {}, 'updateResources': {}, 'deleteByUUID': {}, 'getTargetsByRelationship': {}, 'getSourceURIWithThisTargetByRelationshipForResourceId': {}, 'getMatrixData': {}, 'getTargetsByRelationshipCount': {}, 'getPersonalGroup': {}, 'findByUUID': {}, 'resetState': {}, 'insert': {}, 'getServiceMinorVersion': {}}, 'DrilldownListService': {'getTargetsWithRelationshipTypeForResourceById': {}, 'getTargetsByRelationshipForSourceId': {}, 'getSourcesWithThisTargetByRelationshipCount': {}, 'deleteResource': {}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId': {}, 'getAllAttachmentOnlyResourceIDs': {}, 'getNamesAndAliases': {}, 'containsDirectMemberByNameOrAlias': {}, 'getTargetsWithRelationshipTypeForResource': {}, 'getReverseRelationshipsOfThisAndParents': {}, 'getPersonalResourceRoots': {}, 'getESMVersion': {}, 'getResourceByName': {}, 'hasXPermission': {}, 'findAllIds': {}, 'addRelationship': {}, 'getReverseRelationshipsOfParents': {}, 'getResourcesReferencePages': {}, 'containsDirectMemberByName': {}, 'getDrilldownList': {}, 'getTargetsAsURIByRelationshipForSourceId': {}, 'hasWritePermission': {}, 'deleteResources': {}, 'resolveRelationship': {}, 'getAllPathsToRoot': {}, 'getResourcesWithVisibilityToUsers': {}, 'getReferencePages': {}, 'findAll': {}, 'getExclusivelyDependentResources': {}, 'getAllowedUserTypes': {}, 'getResourcesByNameSafely': {}, 'getResourcesByNames': {}, 'getSourceURIWithThisTargetByRelatiobnship': {}, 'getRelationshipsOfParents': {}, 'getMetaGroupID': {}, 'isValidResourceID': {}, 'getServiceMajorVersion': {}, 'hasReverseRelationship': {}, 'containsDirectMemberByName1': {}, 'getChildNamesAndAliases': {}, 'getResourcesByIds': {}, 'getResourceTypesVisibleToUsers': {}, 'update': {}, 'getRelationshipsOfThisAndParents': {}, 'getPersonalAndSharedResourceRoots': {}, 'getSourcesWithThisTargetByRelationship': {}, 'containsDirectMemberByNameOrAlias1': {}, 'hasReadPermission': {}, 'copyResourceIntoGroup': {}, 'deleteByLocalId': {}, 'getDependentResourceIDsForResourceId': {}, 'getResourceIfModified': {}, 'findById': {}, 'getSourcesWithThisTargetByRelationshipForResourceId': {}, 'getSourcesWithThisTargetByACLRelationship': {}, 'delete': {}, 'getAllPathsToRootAsStrings': {}, 'loadAdditional': {}, 'insertResource': {}, 'insertResources': {}, 'getEnabledResourceIDs': {}, 'getAllUnassignedResourceIDs': {}, 'getSourceURIWithThisTargetByRelationship': {}, 'getResourceById': {}, 'updateACLForResourceById': {}, 'getCorruptedResources': {}, 'unloadAdditional': {}, 'isDisabled': {}, 'getTargetsAsURIByRelationship': {}, 'updateResources': {}, 'deleteByUUID': {}, 'getTargetsByRelationship': {}, 'getSourceURIWithThisTargetByRelationshipForResourceId': {}, 'getTargetsByRelationshipCount': {}, 'getPersonalGroup': {}, 'findByUUID': {}, 'resetState': {}, 'insert': {}, 'getServiceMinorVersion': {}}, 'CaseService': {'getTargetsWithRelationshipTypeForResourceById': {}, 'getCaseEventIDs': {}, 'getTargetsByRelationshipForSourceId': {}, 'getSourcesWithThisTargetByRelationshipCount': {}, 'deleteResource': {}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId': {}, 'getAllAttachmentOnlyResourceIDs': {}, 'getNamesAndAliases': {}, 'containsDirectMemberByNameOrAlias': {}, 'getTargetsWithRelationshipTypeForResource': {}, 'getReverseRelationshipsOfThisAndParents': {}, 'getPersonalResourceRoots': {}, 'getESMVersion': {}, 'getResourceByName': {}, 'hasXPermission': {}, 'findAllIds': {}, 'addRelationship': {}, 'getCasesGroupID': {}, 'getReverseRelationshipsOfParents': {}, 'getResourcesReferencePages': {}, 'containsDirectMemberByName': {}, 'getTargetsAsURIByRelationshipForSourceId': {}, 'hasWritePermission': {}, 'deleteResources': {}, 'resolveRelationship': {}, 'getAllPathsToRoot': {}, 'getResourcesWithVisibilityToUsers': {}, 'getReferencePages': {}, 'findAll': {}, 'getExclusivelyDependentResources': {}, 'getAllowedUserTypes': {}, 'getResourcesByNameSafely': {}, 'getResourcesByNames': {}, 'getSourceURIWithThisTargetByRelatiobnship': {}, 'getRelationshipsOfParents': {}, 'getMetaGroupID': {}, 'isValidResourceID': {}, 'getServiceMajorVersion': {}, 'hasReverseRelationship': {}, 'getChildNamesAndAliases': {}, 'containsDirectMemberByName1': {}, 'getResourcesByIds': {}, 'getResourceTypesVisibleToUsers': {}, 'update': {}, 'getRelationshipsOfThisAndParents': {}, 'getPersonalAndSharedResourceRoots': {}, 'getSourcesWithThisTargetByRelationship': {}, 'containsDirectMemberByNameOrAlias1': {}, 'hasReadPermission': {}, 'copyResourceIntoGroup': {}, 'getDependentResourceIDsForResourceId': {}, 'deleteByLocalId': {}, 'getResourceIfModified': {}, 'findById': {}, 'getSourcesWithThisTargetByRelationshipForResourceId': {}, 'getSourcesWithThisTargetByACLRelationship': {}, 'delete': {}, 'getAllPathsToRootAsStrings': {}, 'loadAdditional': {}, 'deleteAllCaseEvents': {}, 'insertResource': {}, 'insertResources': {}, 'addCaseEvents': {}, 'getEnabledResourceIDs': {}, 'getAllUnassignedResourceIDs': {}, 'getSourceURIWithThisTargetByRelationship': {}, 'getResourceById': {}, 'updateACLForResourceById': {}, 'getCorruptedResources': {}, 'deleteCaseEvents': {}, 'unloadAdditional': {}, 'isDisabled': {}, 'getTargetsAsURIByRelationship': {}, 'updateResources': {}, 'deleteByUUID': {}, 'getTargetsByRelationship': {}, 'getSourceURIWithThisTargetByRelationshipForResourceId': {}, 'getTargetsByRelationshipCount': {}, 'getPersonalGroup': {}, 'findByUUID': {}, 'resetState': {}, 'getCaseEventsTimeSpan': {}, 'getSystemCasesGroupID': {}, 'insert': {}, 'getServiceMinorVersion': {}, 'getEventExportStatus': {}}, 'ArchiveReportService': {'getTargetsWithRelationshipTypeForResourceById': {}, 'getTargetsByRelationshipForSourceId': {}, 'getSourcesWithThisTargetByRelationshipCount': {}, 'deleteResource': {}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId': {}, 'getAllAttachmentOnlyResourceIDs': {}, 'getNamesAndAliases': {}, 'containsDirectMemberByNameOrAlias': {}, 'getTargetsWithRelationshipTypeForResource': {}, 'getReverseRelationshipsOfThisAndParents': {}, 'getPersonalResourceRoots': {}, 'getDefaultArchiveReportByURI': {}, 'getESMVersion': {}, 'getResourceByName': {}, 'hasXPermission': {}, 'poll': {}, 'findAllIds': {}, 'addRelationship': {}, 'getReverseRelationshipsOfParents': {}, 'getResourcesReferencePages': {}, 'containsDirectMemberByName': {}, 'getTargetsAsURIByRelationshipForSourceId': {}, 'hasWritePermission': {}, 'deleteResources': {}, 'getAllPathsToRoot': {}, 'resolveRelationship': {}, 'getResourcesWithVisibilityToUsers': {}, 'getReferencePages': {}, 'findAll': {}, 'getExclusivelyDependentResources': {}, 'getAllowedUserTypes': {}, 'initDefaultArchiveReportDownloadWithOverwrite': {}, 'getResourcesByNameSafely': {}, 'getResourcesByNames': {}, 'getSourceURIWithThisTargetByRelatiobnship': {}, 'getDefaultArchiveReportById': {}, 'getRelationshipsOfParents': {}, 'getMetaGroupID': {}, 'isValidResourceID': {}, 'archiveReport': {}, 'getServiceMajorVersion': {}, 'initDefaultArchiveReportDownloadByURI': {}, 'hasReverseRelationship': {}, 'getChildNamesAndAliases': {}, 'containsDirectMemberByName1': {}, 'getResourcesByIds': {}, 'getResourceTypesVisibleToUsers': {}, 'update': {}, 'getRelationshipsOfThisAndParents': {}, 'getPersonalAndSharedResourceRoots': {}, 'getSourcesWithThisTargetByRelationship': {}, 'containsDirectMemberByNameOrAlias1': {}, 'hasReadPermission': {}, 'copyResourceIntoGroup': {}, 'getDependentResourceIDsForResourceId': {}, 'deleteByLocalId': {}, 'initDefaultArchiveReportDownloadById': {}, 'getResourceIfModified': {}, 'findById': {}, 'getSourcesWithThisTargetByRelationshipForResourceId': {}, 'getSourcesWithThisTargetByACLRelationship': {}, 'delete': {}, 'getAllPathsToRootAsStrings': {}, 'loadAdditional': {}, 'insertResource': {}, 'insertResources': {}, 'getEnabledResourceIDs': {}, 'getAllUnassignedResourceIDs': {}, 'getSourceURIWithThisTargetByRelationship': {}, 'getResourceById': {}, 'initDefaultArchiveReportDownloadByIdASync': {}, 'updateACLForResourceById': {}, 'getCorruptedResources': {}, 'unloadAdditional': {}, 'isDisabled': {}, 'getTargetsAsURIByRelationship': {}, 'updateResources': {}, 'deleteByUUID': {}, 'getTargetsByRelationship': {}, 'getSourceURIWithThisTargetByRelationshipForResourceId': {}, 'getTargetsByRelationshipCount': {}, 'getPersonalGroup': {}, 'findByUUID': {}, 'resetState': {}, 'insert': {}, 'getServiceMinorVersion': {}}, 'ActiveListService': {'getTargetsWithRelationshipTypeForResourceById': {}, 'getTargetsByRelationshipForSourceId': {}, 'getSourcesWithThisTargetByRelationshipCount': {}, 'deleteResource': {}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId': {}, 'getAllAttachmentOnlyResourceIDs': {}, 'getNamesAndAliases': {}, 'containsDirectMemberByNameOrAlias': {}, 'getTargetsWithRelationshipTypeForResource': {}, 'getReverseRelationshipsOfThisAndParents': {}, 'getPersonalResourceRoots': {}, 'getESMVersion': {}, 'getResourceByName': {}, 'hasXPermission': {}, 'addEntries': {}, 'findAllIds': {}, 'addRelationship': {}, 'getReverseRelationshipsOfParents': {}, 'getResourcesReferencePages': {}, 'containsDirectMemberByName': {}, 'getTargetsAsURIByRelationshipForSourceId': {}, 'hasWritePermission': {}, 'deleteResources': {}, 'resolveRelationship': {}, 'getAllPathsToRoot': {}, 'getResourcesWithVisibilityToUsers': {}, 'getReferencePages': {}, 'findAll': {}, 'getExclusivelyDependentResources': {}, 'getAllowedUserTypes': {}, 'getResourcesByNameSafely': {}, 'getResourcesByNames': {}, 'getSourceURIWithThisTargetByRelatiobnship': {}, 'getRelationshipsOfParents': {}, 'getMetaGroupID': {}, 'isValidResourceID': {}, 'getServiceMajorVersion': {}, 'getEntries': {}, 'hasReverseRelationship': {}, 'getChildNamesAndAliases': {}, 'containsDirectMemberByName1': {}, 'getResourcesByIds': {}, 'getResourceTypesVisibleToUsers': {}, 'update': {}, 'getRelationshipsOfThisAndParents': {}, 'getPersonalAndSharedResourceRoots': {}, 'getSourcesWithThisTargetByRelationship': {}, 'containsDirectMemberByNameOrAlias1': {}, 'hasReadPermission': {}, 'copyResourceIntoGroup': {}, 'getDependentResourceIDsForResourceId': {}, 'deleteByLocalId': {}, 'clearEntries': {}, 'getResourceIfModified': {}, 'findById': {}, 'getSourcesWithThisTargetByRelationshipForResourceId': {}, 'getSourcesWithThisTargetByACLRelationship': {}, 'delete': {}, 'getAllPathsToRootAsStrings': {}, 'loadAdditional': {}, 'deleteEntries': {}, 'insertResource': {}, 'insertResources': {}, 'getEnabledResourceIDs': {}, 'getAllUnassignedResourceIDs': {}, 'getSourceURIWithThisTargetByRelationship': {}, 'getResourceById': {}, 'updateACLForResourceById': {}, 'getCorruptedResources': {}, 'unloadAdditional': {}, 'isDisabled': {}, 'getTargetsAsURIByRelationship': {}, 'updateResources': {}, 'deleteByUUID': {}, 'getTargetsByRelationship': {}, 'getSourceURIWithThisTargetByRelationshipForResourceId': {}, 'getTargetsByRelationshipCount': {}, 'getPersonalGroup': {}, 'findByUUID': {}, 'resetState': {}, 'insert': {}, 'getServiceMinorVersion': {}}, 'InternalService': {'newGroupAttributesParameter': {}, 'newReportDrilldownDefinition': {}, 'newEdge': {}, 'newHierarchyMapGroupByHolder': {}, 'newActiveChannelDrilldownDefinition': {}, 'newMatrixData': {}, 'newIntrospectableFieldListParameter': {}, 'newGraphData': {}, 'newGeoInfoEventGraphNode': {}, 'newIntrospectableFieldListHolder': {}, 'newGroupAttributeEntry': {}, 'newDashboardDrilldownDefinition': {}, 'newListWrapper': {}, 'newFontHolder': {}, 'newEventGraph': {}, 'newPropertyHolder': {}, 'newQueryViewerDrilldownDefinition': {}, 'newGraph': {}, 'newFilterFields': {}, 'newFontParameter': {}, 'newGeographicInformation': {}, 'newNode': {}, 'newHierarchyMapGroupByParameter': {}, 'newErrorCode': {}, 'newEventGraphNode': {}}, 'SecurityEventService': {'getServiceMajorVersion': {}, 'getSecurityEventsWithTimeout': {}, 'getSecurityEvents': {}, 'getServiceMinorVersion': {}, 'getSecurityEventsByProfile': {}}, 'GraphService': {'createSourceTargetGraphFromEventList': {}, 'createSourceTargetGraph': {}, 'createSourceEventTargetGraph': {}, 'getServiceMajorVersion': {}, 'getServiceMinorVersion': {}, 'createSourceEventTargetGraphFromEventList': {}}, 'GroupService': {'getTargetsWithRelationshipTypeForResourceById': {}, 'childAttributesChanged': {}, 'getTargetsByRelationshipForSourceId': {}, 'getAllAttachmentOnlyResourceIDs': {}, 'getNamesAndAliases': {}, 'getReverseRelationshipsOfThisAndParents': {}, 'getESMVersion': {}, 'addRelationship': {}, 'containsDirectMemberByName': {}, 'getResourcesReferencePages': {}, 'getReverseRelationshipsOfParents': {}, 'getTargetsAsURIByRelationshipForSourceId': {}, 'isParentOf': {}, 'insertGroup': {}, 'getAllChildren': {}, 'getReferencePages': {}, 'getGroupChildCount': {}, 'getExclusivelyDependentResources': {}, 'getAllowedUserTypes': {}, 'getResourcesByNames': {}, 'removeChild': {}, 'getSourceURIWithThisTargetByRelatiobnship': {}, 'getMetaGroupID': {}, 'isValidResourceID': {}, 'addChild': {}, 'getServiceMajorVersion': {}, 'containsDirectMemberByName1': {}, 'getResourcesByIds': {}, 'getResourceTypesVisibleToUsers': {}, 'getPersonalAndSharedResourceRoots': {}, 'hasReadPermission': {}, 'containsDirectMemberByNameOrAlias1': {}, 'getSourcesWithThisTargetByRelationship': {}, 'findById': {}, 'getSourcesWithThisTargetByRelationshipForResourceId': {}, 'delete': {}, 'insertResource': {}, 'insertResources': {}, 'getAllChildIDCount': {}, 'updateACLForResourceById': {}, 'getCorruptedResources': {}, 'unloadAdditional': {}, 'getTargetsByRelationship': {}, 'getPersonalGroup': {}, 'getTargetsByRelationshipCount': {}, 'getSourceURIWithThisTargetByRelationshipForResourceId': {}, 'findByUUID': {}, 'resetState': {}, 'insert': {}, 'deleteResource': {}, 'getSourcesWithThisTargetByRelationshipCount': {}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId': {}, 'containsDirectMemberByNameOrAlias': {}, 'removeChildren': {}, 'getTargetsWithRelationshipTypeForResource': {}, 'getPersonalResourceRoots': {}, 'getMetaGroup': {}, 'getChildrenByType': {}, 'getResourceByName': {}, 'hasXPermission': {}, 'findAllIds': {}, 'hasWritePermission': {}, 'deleteResources': {}, 'resolveRelationship': {}, 'getAllPathsToRoot': {}, 'getResourcesWithVisibilityToUsers': {}, 'findAll': {}, 'addChildren': {}, 'getResourcesByNameSafely': {}, 'getRelationshipsOfParents': {}, 'getChildResourcesByType': {}, 'hasReverseRelationship': {}, 'getChildNamesAndAliases': {}, 'update': {}, 'hasChildWithNameOrAlias': {}, 'getRelationshipsOfThisAndParents': {}, 'getChildIDByChildNameOrAlias': {}, 'containsResourcesRecursively': {}, 'copyResourceIntoGroup': {}, 'deleteByLocalId': {}, 'getDependentResourceIDsForResourceId': {}, 'getResourceIfModified': {}, 'isGroup': {}, 'getSourcesWithThisTargetByACLRelationship': {}, 'getAllPathsToRootAsStrings': {}, 'updateGroup': {}, 'loadAdditional': {}, 'getAllUnassignedResourceIDs': {}, 'getEnabledResourceIDs': {}, 'getSourceURIWithThisTargetByRelationship': {}, 'getResourceById': {}, 'getGroupByURI': {}, 'isDisabled': {}, 'getAllChildIDs': {}, 'getTargetsAsURIByRelationship': {}, 'updateResources': {}, 'deleteByUUID': {}, 'getGroupByID': {}, 'getServiceMinorVersion': {}}, 'ResourceService': {'getTargetsWithRelationshipTypeForResourceById': {}, 'getTargetsByRelationshipForSourceId': {}, 'getSourcesWithThisTargetByRelationshipCount': {}, 'deleteResource': {}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId': {}, 'getAllAttachmentOnlyResourceIDs': {}, 'getNamesAndAliases': {}, 'containsDirectMemberByNameOrAlias': {}, 'getTargetsWithRelationshipTypeForResource': {}, 'getReverseRelationshipsOfThisAndParents': {}, 'getPersonalResourceRoots': {}, 'getESMVersion': {}, 'getResourceByName': {}, 'hasXPermission': {}, 'findAllIds': {}, 'addRelationship': {}, 'getReverseRelationshipsOfParents': {}, 'getResourcesReferencePages': {}, 'containsDirectMemberByName': {}, 'getTargetsAsURIByRelationshipForSourceId': {}, 'hasWritePermission': {}, 'deleteResources': {}, 'resolveRelationship': {}, 'getAllPathsToRoot': {}, 'getResourcesWithVisibilityToUsers': {}, 'getReferencePages': {}, 'findAll': {}, 'getExclusivelyDependentResources': {}, 'getAllowedUserTypes': {}, 'getResourcesByNameSafely': {}, 'getResourcesByNames': {}, 'getSourceURIWithThisTargetByRelatiobnship': {}, 'getRelationshipsOfParents': {}, 'getMetaGroupID': {}, 'isValidResourceID': {}, 'getServiceMajorVersion': {}, 'hasReverseRelationship': {}, 'containsDirectMemberByName1': {}, 'getChildNamesAndAliases': {}, 'getResourcesByIds': {}, 'getResourceTypesVisibleToUsers': {}, 'update': {}, 'getRelationshipsOfThisAndParents': {}, 'getPersonalAndSharedResourceRoots': {}, 'getSourcesWithThisTargetByRelationship': {}, 'containsDirectMemberByNameOrAlias1': {}, 'hasReadPermission': {}, 'copyResourceIntoGroup': {}, 'deleteByLocalId': {}, 'getDependentResourceIDsForResourceId': {}, 'getResourceIfModified': {}, 'findById': {}, 'getSourcesWithThisTargetByRelationshipForResourceId': {}, 'getSourcesWithThisTargetByACLRelationship': {}, 'delete': {}, 'getAllPathsToRootAsStrings': {}, 'loadAdditional': {}, 'insertResource': {}, 'insertResources': {}, 'getAllUnassignedResourceIDs': {}, 'getEnabledResourceIDs': {}, 'getSourceURIWithThisTargetByRelationship': {}, 'getResourceById': {}, 'updateACLForResourceById': {}, 'getCorruptedResources': {}, 'unloadAdditional': {}, 'isDisabled': {}, 'getTargetsAsURIByRelationship': {}, 'updateResources': {}, 'deleteByUUID': {}, 'getTargetsByRelationship': {}, 'getSourceURIWithThisTargetByRelationshipForResourceId': {}, 'getTargetsByRelationshipCount': {}, 'getPersonalGroup': {}, 'findByUUID': {}, 'resetState': {}, 'insert': {}, 'getServiceMinorVersion': {}}, 'UserResourceService': {'getTargetsWithRelationshipTypeForResourceById': {}, 'getTargetsByRelationshipForSourceId': {}, 'getAllAttachmentOnlyResourceIDs': {}, 'addUserPreferenceById': {}, 'getNamesAndAliases': {}, 'getReverseRelationshipsOfThisAndParents': {}, 'getESMVersion': {}, 'addRelationship': {}, 'containsDirectMemberByName': {}, 'getResourcesReferencePages': {}, 'getReverseRelationshipsOfParents': {}, 'getTargetsAsURIByRelationshipForSourceId': {}, 'getReferencePages': {}, 'getUserModificationFlag': {}, 'getAllUsers': {}, 'getExclusivelyDependentResources': {}, 'getAllowedUserTypes': {}, 'create': {}, 'getResourcesByNames': {}, 'getSourceURIWithThisTargetByRelatiobnship': {}, 'recordSuccessfulLoginFor': {}, 'updateUserPreferencesByName': {}, 'getMetaGroupID': {}, 'isValidResourceID': {}, 'getServiceMajorVersion': {}, 'changePassword': {}, 'containsDirectMemberByName1': {}, 'getResourcesByIds': {}, 'getResourceTypesVisibleToUsers': {}, 'getCurrentUser': {}, 'getPersonalAndSharedResourceRoots': {}, 'getSourcesWithThisTargetByRelationship': {}, 'hasReadPermission': {}, 'containsDirectMemberByNameOrAlias1': {}, 'getUserByName': {}, 'getSessionProfile': {}, 'findById': {}, 'getSourcesWithThisTargetByRelationshipForResourceId': {}, 'delete': {}, 'getRootUserGroup': {}, 'updateUserPreferencesById': {}, 'getAllUserPreferencesForUserByName': {}, 'insertResource': {}, 'insertResources': {}, 'updateACLForResourceById': {}, 'getCorruptedResources': {}, 'unloadAdditional': {}, 'getFeatureAvailabilities': {}, 'isFeatureAvailable': {}, 'getTargetsByRelationship': {}, 'increaseFailedLoginAttemptsFor': {}, 'getSourceURIWithThisTargetByRelationshipForResourceId': {}, 'getPersonalGroup': {}, 'getTargetsByRelationshipCount': {}, 'findByUUID': {}, 'resetState': {}, 'insert': {}, 'isAdministrator': {}, 'getSourcesWithThisTargetByRelationshipCount': {}, 'deleteResource': {}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId': {}, 'containsDirectMemberByNameOrAlias': {}, 'getTargetsWithRelationshipTypeForResource': {}, 'getPersonalResourceRoots': {}, 'getResourceByName': {}, 'hasXPermission': {}, 'addModuleConfigForUserById': {}, 'findAllIds': {}, 'hasWritePermission': {}, 'deleteResources': {}, 'resolveRelationship': {}, 'getAllPathsToRoot': {}, 'getUserPreferenceForUserByName': {}, 'getAllUserPreferencesForUserById': {}, 'getModuleConfigForUserByName': {}, 'getResourcesWithVisibilityToUsers': {}, 'getUserPreferenceForUserById': {}, 'findAll': {}, 'getResourcesByNameSafely': {}, 'getRelationshipsOfParents': {}, 'getServerDefaultLocale': {}, 'hasReverseRelationship': {}, 'getChildNamesAndAliases': {}, 'updateUser': {}, 'update': {}, 'updateModuleConfigForUserById': {}, 'getRelationshipsOfThisAndParents': {}, 'copyResourceIntoGroup': {}, 'deleteByLocalId': {}, 'getDependentResourceIDsForResourceId': {}, 'checkPassword': {}, 'updateModuleConfigForUserByName': {}, 'getResourceIfModified': {}, 'addModuleConfigForUserByName': {}, 'getSourcesWithThisTargetByACLRelationship': {}, 'getAllPathsToRootAsStrings': {}, 'getRootUserGroupID': {}, 'loadAdditional': {}, 'resetFailedLoginAttemptsFor': {}, 'getAllUnassignedResourceIDs': {}, 'getEnabledResourceIDs': {}, 'getSourceURIWithThisTargetByRelationship': {}, 'getResourceById': {}, 'isDisabled': {}, 'getTargetsAsURIByRelationship': {}, 'updateResources': {}, 'deleteByUUID': {}, 'getRootUserId': {}, 'getModuleConfigForUserById': {}, 'addUserPreferenceByName': {}, 'getServiceMinorVersion': {}}, 'FileResourceService': {'getTargetsWithRelationshipTypeForResourceById': {}, 'getTargetsByRelationshipForSourceId': {}, 'initiateUpload': {}, 'getSourcesWithThisTargetByRelationshipCount': {}, 'initiateDownloadByUUID': {}, 'deleteResource': {}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId': {}, 'getAllAttachmentOnlyResourceIDs': {}, 'getNamesAndAliases': {}, 'containsDirectMemberByNameOrAlias': {}, 'getTargetsWithRelationshipTypeForResource': {}, 'getReverseRelationshipsOfThisAndParents': {}, 'getPersonalResourceRoots': {}, 'getESMVersion': {}, 'getResourceByName': {}, 'hasXPermission': {}, 'findAllIds': {}, 'addRelationship': {}, 'getReverseRelationshipsOfParents': {}, 'getResourcesReferencePages': {}, 'containsDirectMemberByName': {}, 'getTargetsAsURIByRelationshipForSourceId': {}, 'hasWritePermission': {}, 'deleteResources': {}, 'resolveRelationship': {}, 'getAllPathsToRoot': {}, 'getResourcesWithVisibilityToUsers': {}, 'getReferencePages': {}, 'findAll': {}, 'getUploadStatus': {}, 'getExclusivelyDependentResources': {}, 'getAllowedUserTypes': {}, 'getResourcesByNameSafely': {}, 'getResourcesByNames': {}, 'getSourceURIWithThisTargetByRelatiobnship': {}, 'getRelationshipsOfParents': {}, 'getMetaGroupID': {}, 'isValidResourceID': {}, 'getServiceMajorVersion': {}, 'hasReverseRelationship': {}, 'containsDirectMemberByName1': {}, 'getChildNamesAndAliases': {}, 'getResourcesByIds': {}, 'getResourceTypesVisibleToUsers': {}, 'update': {}, 'getRelationshipsOfThisAndParents': {}, 'getPersonalAndSharedResourceRoots': {}, 'getSourcesWithThisTargetByRelationship': {}, 'containsDirectMemberByNameOrAlias1': {}, 'hasReadPermission': {}, 'copyResourceIntoGroup': {}, 'getDependentResourceIDsForResourceId': {}, 'deleteByLocalId': {}, 'getResourceIfModified': {}, 'findById': {}, 'getSourcesWithThisTargetByRelationshipForResourceId': {}, 'getSourcesWithThisTargetByACLRelationship': {}, 'delete': {}, 'getAllPathsToRootAsStrings': {}, 'loadAdditional': {}, 'insertResource': {}, 'insertResources': {}, 'getEnabledResourceIDs': {}, 'getAllUnassignedResourceIDs': {}, 'getSourceURIWithThisTargetByRelationship': {}, 'getResourceById': {}, 'updateACLForResourceById': {}, 'getCorruptedResources': {}, 'unloadAdditional': {}, 'isDisabled': {}, 'getTargetsAsURIByRelationship': {}, 'updateResources': {}, 'deleteByUUID': {}, 'getTargetsByRelationship': {}, 'getSourceURIWithThisTargetByRelationshipForResourceId': {}, 'getTargetsByRelationshipCount': {}, 'getPersonalGroup': {}, 'findByUUID': {}, 'resetState': {}, 'insert': {}, 'getServiceMinorVersion': {}}, 'InfoService': {'getActivationDateMillis': {}, 'getPropertyByEncodedKey': {}, 'isTrial': {}, 'hasErrors': {}, 'getWebServerUrl': {}, 'getWebAdminRelUrlWithOTP': {}, 'getWebAdminRelUrl': {}, 'isPatternDiscoveryEnabled': {}, 'getExpirationDate': {}, 'getWebServerUrlWithOTP': {}, 'isLicenseValid': {}, 'getErrorMessage': {}, 'getManagerVersionString': {}, 'expires': {}, 'isSessionListsEnabled': {}, 'setLicensed': {}, 'getProperty': {}, 'isPartitionArchiveEnabled': {}, 'getStatusString': {}, 'getServiceMajorVersion': {}, 'getCustomerName': {}, 'getCustomerNumber': {}, 'getServiceMinorVersion': {}}, 'SecurityEventIntrospectorService': {'getTimeConstraintFields': {}, 'hasField': {}, 'convertLabelToName': {}, 'getFields': {}, 'getGroupNames': {}, 'getServiceMajorVersion': {}, 'getFieldsByFilter': {}, 'hasFieldName': {}, 'getFieldByName': {}, 'getGroupDisplayName': {}, 'getServiceMinorVersion': {}, 'getRelatedFields': {}}, 'ConAppService': {'getPathToConApp': {}, 'getServiceMajorVersion': {}, 'getServiceMinorVersion': {}}, 'FieldSetService': {'getTargetsWithRelationshipTypeForResourceById': {}, 'getTargetsByRelationshipForSourceId': {}, 'getSourcesWithThisTargetByRelationshipCount': {}, 'deleteResource': {}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId': {}, 'getAllAttachmentOnlyResourceIDs': {}, 'getNamesAndAliases': {}, 'containsDirectMemberByNameOrAlias': {}, 'getTargetsWithRelationshipTypeForResource': {}, 'getReverseRelationshipsOfThisAndParents': {}, 'getPersonalResourceRoots': {}, 'getESMVersion': {}, 'getResourceByName': {}, 'hasXPermission': {}, 'findAllIds': {}, 'addRelationship': {}, 'getReverseRelationshipsOfParents': {}, 'getResourcesReferencePages': {}, 'containsDirectMemberByName': {}, 'getTargetsAsURIByRelationshipForSourceId': {}, 'hasWritePermission': {}, 'deleteResources': {}, 'resolveRelationship': {}, 'getAllPathsToRoot': {}, 'getResourcesWithVisibilityToUsers': {}, 'getReferencePages': {}, 'findAll': {}, 'getExclusivelyDependentResources': {}, 'getAllowedUserTypes': {}, 'getResourcesByNameSafely': {}, 'getResourcesByNames': {}, 'getSourceURIWithThisTargetByRelatiobnship': {}, 'getRelationshipsOfParents': {}, 'getMetaGroupID': {}, 'isValidResourceID': {}, 'getServiceMajorVersion': {}, 'hasReverseRelationship': {}, 'containsDirectMemberByName1': {}, 'getChildNamesAndAliases': {}, 'getResourcesByIds': {}, 'getResourceTypesVisibleToUsers': {}, 'update': {}, 'getRelationshipsOfThisAndParents': {}, 'getPersonalAndSharedResourceRoots': {}, 'getSourcesWithThisTargetByRelationship': {}, 'containsDirectMemberByNameOrAlias1': {}, 'hasReadPermission': {}, 'copyResourceIntoGroup': {}, 'deleteByLocalId': {}, 'getDependentResourceIDsForResourceId': {}, 'getResourceIfModified': {}, 'findById': {}, 'getSourcesWithThisTargetByRelationshipForResourceId': {}, 'getSourcesWithThisTargetByACLRelationship': {}, 'delete': {}, 'getAllPathsToRootAsStrings': {}, 'loadAdditional': {}, 'insertResource': {}, 'insertResources': {}, 'getAllUnassignedResourceIDs': {}, 'getEnabledResourceIDs': {}, 'getSourceURIWithThisTargetByRelationship': {}, 'getResourceById': {}, 'updateACLForResourceById': {}, 'getCorruptedResources': {}, 'unloadAdditional': {}, 'isDisabled': {}, 'getTargetsAsURIByRelationship': {}, 'updateResources': {}, 'deleteByUUID': {}, 'getTargetsByRelationship': {}, 'getSourceURIWithThisTargetByRelationshipForResourceId': {}, 'getTargetsByRelationshipCount': {}, 'getPersonalGroup': {}, 'findByUUID': {}, 'resetState': {}, 'insert': {}, 'getServiceMinorVersion': {}}, 'ReportService': {'getTargetsWithRelationshipTypeForResourceById': {}, 'getTargetsByRelationshipForSourceId': {}, 'getSourcesWithThisTargetByRelationshipCount': {}, 'deleteResource': {}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId': {}, 'getAllAttachmentOnlyResourceIDs': {}, 'getNamesAndAliases': {}, 'containsDirectMemberByNameOrAlias': {}, 'getTargetsWithRelationshipTypeForResource': {}, 'getReverseRelationshipsOfThisAndParents': {}, 'getPersonalResourceRoots': {}, 'getESMVersion': {}, 'getResourceByName': {}, 'hasXPermission': {}, 'findAllIds': {}, 'addRelationship': {}, 'getReverseRelationshipsOfParents': {}, 'getResourcesReferencePages': {}, 'containsDirectMemberByName': {}, 'getTargetsAsURIByRelationshipForSourceId': {}, 'hasWritePermission': {}, 'deleteResources': {}, 'resolveRelationship': {}, 'getAllPathsToRoot': {}, 'getResourcesWithVisibilityToUsers': {}, 'getReferencePages': {}, 'findAll': {}, 'getExclusivelyDependentResources': {}, 'getAllowedUserTypes': {}, 'getResourcesByNameSafely': {}, 'getResourcesByNames': {}, 'getSourceURIWithThisTargetByRelatiobnship': {}, 'getRelationshipsOfParents': {}, 'getMetaGroupID': {}, 'isValidResourceID': {}, 'getServiceMajorVersion': {}, 'hasReverseRelationship': {}, 'containsDirectMemberByName1': {}, 'getChildNamesAndAliases': {}, 'getResourcesByIds': {}, 'getResourceTypesVisibleToUsers': {}, 'update': {}, 'getRelationshipsOfThisAndParents': {}, 'getPersonalAndSharedResourceRoots': {}, 'getSourcesWithThisTargetByRelationship': {}, 'containsDirectMemberByNameOrAlias1': {}, 'hasReadPermission': {}, 'copyResourceIntoGroup': {}, 'deleteByLocalId': {}, 'getDependentResourceIDsForResourceId': {}, 'getResourceIfModified': {}, 'findById': {}, 'getSourcesWithThisTargetByRelationshipForResourceId': {}, 'getSourcesWithThisTargetByACLRelationship': {}, 'delete': {}, 'getAllPathsToRootAsStrings': {}, 'loadAdditional': {}, 'insertResource': {}, 'insertResources': {}, 'getAllUnassignedResourceIDs': {}, 'getEnabledResourceIDs': {}, 'getSourceURIWithThisTargetByRelationship': {}, 'getResourceById': {}, 'updateACLForResourceById': {}, 'getCorruptedResources': {}, 'unloadAdditional': {}, 'isDisabled': {}, 'getTargetsAsURIByRelationship': {}, 'updateResources': {}, 'deleteByUUID': {}, 'getTargetsByRelationship': {}, 'getSourceURIWithThisTargetByRelationshipForResourceId': {}, 'getTargetsByRelationshipCount': {}, 'getPersonalGroup': {}, 'findByUUID': {}, 'resetState': {}, 'insert': {}, 'getServiceMinorVersion': {}}, 'ManagerAuthenticationService': {'getServiceMajorVersion': {}, 'getOTP': {}, 'getServiceMinorVersion': {}}, 'ManagerSearchService': {'search': {}, 'search1': {}}, 'DataMonitorService': {'getTargetsWithRelationshipTypeForResourceById': {}, 'getTargetsByRelationshipForSourceId': {}, 'getSourcesWithThisTargetByRelationshipCount': {}, 'deleteResource': {}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId': {}, 'getAllAttachmentOnlyResourceIDs': {}, 'getNamesAndAliases': {}, 'containsDirectMemberByNameOrAlias': {}, 'getTargetsWithRelationshipTypeForResource': {}, 'getReverseRelationshipsOfThisAndParents': {}, 'getPersonalResourceRoots': {}, 'getESMVersion': {}, 'getResourceByName': {}, 'hasXPermission': {}, 'findAllIds': {}, 'addRelationship': {}, 'getReverseRelationshipsOfParents': {}, 'getResourcesReferencePages': {}, 'containsDirectMemberByName': {}, 'getTargetsAsURIByRelationshipForSourceId': {}, 'hasWritePermission': {}, 'deleteResources': {}, 'resolveRelationship': {}, 'getAllPathsToRoot': {}, 'getResourcesWithVisibilityToUsers': {}, 'getReferencePages': {}, 'findAll': {}, 'getExclusivelyDependentResources': {}, 'getAllowedUserTypes': {}, 'getResourcesByNameSafely': {}, 'getResourcesByNames': {}, 'getSourceURIWithThisTargetByRelatiobnship': {}, 'getDataMonitorIfNewer': {}, 'getRelationshipsOfParents': {}, 'getMetaGroupID': {}, 'isValidResourceID': {}, 'getServiceMajorVersion': {}, 'hasReverseRelationship': {}, 'containsDirectMemberByName1': {}, 'getChildNamesAndAliases': {}, 'getResourcesByIds': {}, 'getResourceTypesVisibleToUsers': {}, 'update': {}, 'getRelationshipsOfThisAndParents': {}, 'getPersonalAndSharedResourceRoots': {}, 'getSourcesWithThisTargetByRelationship': {}, 'containsDirectMemberByNameOrAlias1': {}, 'hasReadPermission': {}, 'copyResourceIntoGroup': {}, 'deleteByLocalId': {}, 'getDependentResourceIDsForResourceId': {}, 'getResourceIfModified': {}, 'findById': {}, 'getSourcesWithThisTargetByRelationshipForResourceId': {}, 'getSourcesWithThisTargetByACLRelationship': {}, 'delete': {}, 'getAllPathsToRootAsStrings': {}, 'loadAdditional': {}, 'insertResource': {}, 'insertResources': {}, 'getEnabledResourceIDs': {}, 'getAllUnassignedResourceIDs': {}, 'getSourceURIWithThisTargetByRelationship': {}, 'getResourceById': {}, 'updateACLForResourceById': {}, 'getCorruptedResources': {}, 'unloadAdditional': {}, 'isDisabled': {}, 'getTargetsAsURIByRelationship': {}, 'updateResources': {}, 'deleteByUUID': {}, 'getTargetsByRelationship': {}, 'getSourceURIWithThisTargetByRelationshipForResourceId': {}, 'getTargetsByRelationshipCount': {}, 'getPersonalGroup': {}, 'findByUUID': {}, 'resetState': {}, 'insert': {}, 'getServiceMinorVersion': {}}, 'ServerConfigurationService': {'getTargetsWithRelationshipTypeForResourceById': {}, 'getTargetsByRelationshipForSourceId': {}, 'getSourcesWithThisTargetByRelationshipCount': {}, 'deleteResource': {}, 'getSourceURIWithThisTargetByRelatiobnshipForResourceId': {}, 'getAllAttachmentOnlyResourceIDs': {}, 'getNamesAndAliases': {}, 'containsDirectMemberByNameOrAlias': {}, 'getTargetsWithRelationshipTypeForResource': {}, 'getReverseRelationshipsOfThisAndParents': {}, 'getPersonalResourceRoots': {}, 'getESMVersion': {}, 'getResourceByName': {}, 'hasXPermission': {}, 'findAllIds': {}, 'addRelationship': {}, 'getReverseRelationshipsOfParents': {}, 'getResourcesReferencePages': {}, 'containsDirectMemberByName': {}, 'getTargetsAsURIByRelationshipForSourceId': {}, 'hasWritePermission': {}, 'deleteResources': {}, 'resolveRelationship': {}, 'getAllPathsToRoot': {}, 'getResourcesWithVisibilityToUsers': {}, 'getReferencePages': {}, 'findAll': {}, 'getExclusivelyDependentResources': {}, 'getAllowedUserTypes': {}, 'getResourcesByNameSafely': {}, 'getResourcesByNames': {}, 'getSourceURIWithThisTargetByRelatiobnship': {}, 'getRelationshipsOfParents': {}, 'getMetaGroupID': {}, 'isValidResourceID': {}, 'getServiceMajorVersion': {}, 'hasReverseRelationship': {}, 'containsDirectMemberByName1': {}, 'getChildNamesAndAliases': {}, 'getResourcesByIds': {}, 'getResourceTypesVisibleToUsers': {}, 'update': {}, 'getRelationshipsOfThisAndParents': {}, 'getPersonalAndSharedResourceRoots': {}, 'getSourcesWithThisTargetByRelationship': {}, 'containsDirectMemberByNameOrAlias1': {}, 'hasReadPermission': {}, 'copyResourceIntoGroup': {}, 'deleteByLocalId': {}, 'getDependentResourceIDsForResourceId': {}, 'getResourceIfModified': {}, 'findById': {}, 'getSourcesWithThisTargetByRelationshipForResourceId': {}, 'getSourcesWithThisTargetByACLRelationship': {}, 'delete': {}, 'getAllPathsToRootAsStrings': {}, 'loadAdditional': {}, 'insertResource': {}, 'insertResources': {}, 'getAllUnassignedResourceIDs': {}, 'getEnabledResourceIDs': {}, 'getSourceURIWithThisTargetByRelationship': {}, 'getResourceById': {}, 'updateACLForResourceById': {}, 'getCorruptedResources': {}, 'unloadAdditional': {}, 'isDisabled': {}, 'getTargetsAsURIByRelationship': {}, 'updateResources': {}, 'deleteByUUID': {}, 'getTargetsByRelationship': {}, 'getSourceURIWithThisTargetByRelationshipForResourceId': {}, 'getTargetsByRelationshipCount': {}, 'getPersonalGroup': {}, 'findByUUID': {}, 'resetState': {}, 'insert': {}, 'getServiceMinorVersion': {}}}
def test_a_cohama_adb(style_checker): """Style check test against a-cohama.adb.""" style_checker.set_year(2006) p = style_checker.run_style_checker('trunk/gnat', 'a-cohama.adb') style_checker.assertEqual(p.status, 0, p.image) style_checker.assertRunOutputEmpty(p) def test_a_cohamb_adb(style_checker): """Style check test against a-cohamb.adb.""" p = style_checker.run_style_checker('trunk/gnat', 'a-cohamb.adb') style_checker.assertNotEqual(p.status, 0, p.image) style_checker.assertRunOutputEqual(p, """\ a-cohamb.adb: Copyright notice missing, must occur before line 24 """) def test_a_cohata_ads(style_checker): """Style check test against a-cohata.ads.""" style_checker.set_year(2006) p = style_checker.run_style_checker('trunk/gnat', 'a-cohata.ads') style_checker.assertEqual(p.status, 0, p.image) style_checker.assertRunOutputEmpty(p) def test_a_except_ads(style_checker): """Style check test against a-except.ads.""" style_checker.set_year(2006) p = style_checker.run_style_checker('trunk/gnat', 'a-except.ads') style_checker.assertNotEqual(p.status, 0, p.image) style_checker.assertRunOutputEqual(p, """\ a-except.ads:9: Copyright notice must include current year (found 2005, expected 2006) """) def test_exceptions_ads(style_checker): """Style check test against exceptions.ads.""" style_checker.set_year(2006) p = style_checker.run_style_checker('trunk/gnat', 'exceptions.ads') style_checker.assertNotEqual(p.status, 0, p.image) style_checker.assertRunOutputEqual(p, """\ exceptions.ads:9: Copyright notice must include current year (found 2005, expected 2006) """) def test_a_zttest_ads(style_checker): """Style check test against a-zttest.ads """ p = style_checker.run_style_checker('trunk/gnat', 'a-zttest.ads') style_checker.assertEqual(p.status, 0, p.image) style_checker.assertRunOutputEmpty(p) def test_directio_ads(style_checker): """Style check test against directio.ads """ p = style_checker.run_style_checker('trunk/gnat', 'directio.ads') style_checker.assertEqual(p.status, 0, p.image) style_checker.assertRunOutputEmpty(p) def test_i_c_ads(style_checker): """Style check test against i-c.ads """ p = style_checker.run_style_checker('trunk/gnat', 'i-c.ads') style_checker.assertEqual(p.status, 0, p.image) style_checker.assertRunOutputEmpty(p) def test_s_taprop_linux_adb(style_checker): """Style check test s-taprop-linux.adb """ style_checker.set_year(2010) p = style_checker.run_style_checker('trunk/gnat', 's-taprop-linux.adb') style_checker.assertEqual(p.status, 0, p.image) style_checker.assertRunOutputEmpty(p)
def test_a_cohama_adb(style_checker): """Style check test against a-cohama.adb.""" style_checker.set_year(2006) p = style_checker.run_style_checker('trunk/gnat', 'a-cohama.adb') style_checker.assertEqual(p.status, 0, p.image) style_checker.assertRunOutputEmpty(p) def test_a_cohamb_adb(style_checker): """Style check test against a-cohamb.adb.""" p = style_checker.run_style_checker('trunk/gnat', 'a-cohamb.adb') style_checker.assertNotEqual(p.status, 0, p.image) style_checker.assertRunOutputEqual(p, 'a-cohamb.adb: Copyright notice missing, must occur before line 24\n') def test_a_cohata_ads(style_checker): """Style check test against a-cohata.ads.""" style_checker.set_year(2006) p = style_checker.run_style_checker('trunk/gnat', 'a-cohata.ads') style_checker.assertEqual(p.status, 0, p.image) style_checker.assertRunOutputEmpty(p) def test_a_except_ads(style_checker): """Style check test against a-except.ads.""" style_checker.set_year(2006) p = style_checker.run_style_checker('trunk/gnat', 'a-except.ads') style_checker.assertNotEqual(p.status, 0, p.image) style_checker.assertRunOutputEqual(p, 'a-except.ads:9: Copyright notice must include current year (found 2005, expected 2006)\n') def test_exceptions_ads(style_checker): """Style check test against exceptions.ads.""" style_checker.set_year(2006) p = style_checker.run_style_checker('trunk/gnat', 'exceptions.ads') style_checker.assertNotEqual(p.status, 0, p.image) style_checker.assertRunOutputEqual(p, 'exceptions.ads:9: Copyright notice must include current year (found 2005, expected 2006)\n') def test_a_zttest_ads(style_checker): """Style check test against a-zttest.ads """ p = style_checker.run_style_checker('trunk/gnat', 'a-zttest.ads') style_checker.assertEqual(p.status, 0, p.image) style_checker.assertRunOutputEmpty(p) def test_directio_ads(style_checker): """Style check test against directio.ads """ p = style_checker.run_style_checker('trunk/gnat', 'directio.ads') style_checker.assertEqual(p.status, 0, p.image) style_checker.assertRunOutputEmpty(p) def test_i_c_ads(style_checker): """Style check test against i-c.ads """ p = style_checker.run_style_checker('trunk/gnat', 'i-c.ads') style_checker.assertEqual(p.status, 0, p.image) style_checker.assertRunOutputEmpty(p) def test_s_taprop_linux_adb(style_checker): """Style check test s-taprop-linux.adb """ style_checker.set_year(2010) p = style_checker.run_style_checker('trunk/gnat', 's-taprop-linux.adb') style_checker.assertEqual(p.status, 0, p.image) style_checker.assertRunOutputEmpty(p)
### Stupid, but extensible spam detector STOP_SPAM_WORDS = ["Loan", "Lender", ".trade", ".bid", ".men", ".win"] def is_spam(request): if 'email' in request.form: if any( [ word.upper() in request.form['email'].upper() for word in STOP_SPAM_WORDS]): return True if 'username' in request.form: if any( [ word.upper() in request.form['username'].upper() for word in STOP_SPAM_WORDS]): return True return False
stop_spam_words = ['Loan', 'Lender', '.trade', '.bid', '.men', '.win'] def is_spam(request): if 'email' in request.form: if any([word.upper() in request.form['email'].upper() for word in STOP_SPAM_WORDS]): return True if 'username' in request.form: if any([word.upper() in request.form['username'].upper() for word in STOP_SPAM_WORDS]): return True return False
EMAIL_HOST = 'smtp.gmail.com' EMAIL_PORT = 587 EMAIL_HOST_USER = '[email protected]' EMAIL_HOST_PASSWORD = 'Qwerty1@' EMAIL_USE_TLS = True
email_host = 'smtp.gmail.com' email_port = 587 email_host_user = '[email protected]' email_host_password = 'Qwerty1@' email_use_tls = True
#! /usr/bin/env Python3 list_of_tuples = [] list_of_tuples_comprehension = ([(i, j, i * j) for i in range(1, 11) for j in range(1, 11)]) for i in range(1, 11): for j in range(1, 11): list_of_tuples.append((i, j, i * j)) print(list_of_tuples) print('************') print(list_of_tuples_comprehension)
list_of_tuples = [] list_of_tuples_comprehension = [(i, j, i * j) for i in range(1, 11) for j in range(1, 11)] for i in range(1, 11): for j in range(1, 11): list_of_tuples.append((i, j, i * j)) print(list_of_tuples) print('************') print(list_of_tuples_comprehension)
TARGET_BAG = 'shiny gold' def get_data(filepath): return [line.strip() for line in open(filepath).readlines()] def parse_rule(rule): rule = rule.split(' ') adj, color = rule[0], rule[1] container_bag = '%s %s' % (adj, color) bags_contained = {} if rule[4:] == ['no', 'other', 'bags.']: pass else: for i in range(4, len(rule), 4): quantity, adj, color = rule[i], rule[i + 1], rule[i + 2] bags_contained['%s %s' % (adj, color)] = int(quantity) return container_bag, bags_contained def parse_bag_rules(inputs): bag_rules = {} for line in inputs: container_bag, bags_contained = parse_rule(line) bag_rules[container_bag] = bags_contained return bag_rules def bag_contains_target(bag_rules, bag_to_search, target_bag): if bag_rules[bag_to_search]: for bag in bag_rules[bag_to_search]: if bag == target_bag: return True else: if bag_contains_target(bag_rules, bag, target_bag): return True else: return False def solve(inputs): bag_rules = parse_bag_rules(inputs) good_bags = [] for bag in bag_rules.keys(): if bag_contains_target(bag_rules, bag, TARGET_BAG): good_bags.append(bag) return len(good_bags) def search_bags(bag_rules, bag_to_search, num_bags): num_bags_total = num_bags for bag in bag_rules[bag_to_search]: num_bags_inside = bag_rules[bag_to_search][bag] num_bags_total += num_bags * search_bags(bag_rules, bag, num_bags_inside) return num_bags_total def solve2(inputs): bag_rules = parse_bag_rules(inputs) return search_bags(bag_rules, TARGET_BAG, 1) - 1 # Bag count does not include target bag assert solve(get_data('test')) == 4 print('Part 1: %d' % solve(get_data('input'))) assert solve2(get_data('test')) == 32 assert solve2(get_data('test2')) == 126 print('Part 2: %d' % solve2(get_data('input')))
target_bag = 'shiny gold' def get_data(filepath): return [line.strip() for line in open(filepath).readlines()] def parse_rule(rule): rule = rule.split(' ') (adj, color) = (rule[0], rule[1]) container_bag = '%s %s' % (adj, color) bags_contained = {} if rule[4:] == ['no', 'other', 'bags.']: pass else: for i in range(4, len(rule), 4): (quantity, adj, color) = (rule[i], rule[i + 1], rule[i + 2]) bags_contained['%s %s' % (adj, color)] = int(quantity) return (container_bag, bags_contained) def parse_bag_rules(inputs): bag_rules = {} for line in inputs: (container_bag, bags_contained) = parse_rule(line) bag_rules[container_bag] = bags_contained return bag_rules def bag_contains_target(bag_rules, bag_to_search, target_bag): if bag_rules[bag_to_search]: for bag in bag_rules[bag_to_search]: if bag == target_bag: return True elif bag_contains_target(bag_rules, bag, target_bag): return True else: return False def solve(inputs): bag_rules = parse_bag_rules(inputs) good_bags = [] for bag in bag_rules.keys(): if bag_contains_target(bag_rules, bag, TARGET_BAG): good_bags.append(bag) return len(good_bags) def search_bags(bag_rules, bag_to_search, num_bags): num_bags_total = num_bags for bag in bag_rules[bag_to_search]: num_bags_inside = bag_rules[bag_to_search][bag] num_bags_total += num_bags * search_bags(bag_rules, bag, num_bags_inside) return num_bags_total def solve2(inputs): bag_rules = parse_bag_rules(inputs) return search_bags(bag_rules, TARGET_BAG, 1) - 1 assert solve(get_data('test')) == 4 print('Part 1: %d' % solve(get_data('input'))) assert solve2(get_data('test')) == 32 assert solve2(get_data('test2')) == 126 print('Part 2: %d' % solve2(get_data('input')))
class Instance: def __init__ (self, alloyfp): self.bitwidth = '4' self.maxseq = '4' self.mintrace = '-1' self.maxtrace = '-1' self.filename = alloyfp self.tracel = '1' self.backl = '0' self.sigs = [] self.fields = [] def add_sig(self, sig): self.sigs.append(sig) def add_field(self, field): self.fields.append(field)
class Instance: def __init__(self, alloyfp): self.bitwidth = '4' self.maxseq = '4' self.mintrace = '-1' self.maxtrace = '-1' self.filename = alloyfp self.tracel = '1' self.backl = '0' self.sigs = [] self.fields = [] def add_sig(self, sig): self.sigs.append(sig) def add_field(self, field): self.fields.append(field)
# Find square root using newton raphson num = 987 eps = 1e-6 iteration = 0 sroot = num/2 while abs(sroot**2-num)>eps: iteration+=1 if sroot**2==num: print(f'At Iteration {iteration} : Found It!, the cube root for {num} is {sroot}') break sroot = sroot - (sroot**2-num)/(2*sroot) print(f'At Iteration {iteration} : the square root approximation for {num} is {sroot}')
num = 987 eps = 1e-06 iteration = 0 sroot = num / 2 while abs(sroot ** 2 - num) > eps: iteration += 1 if sroot ** 2 == num: print(f'At Iteration {iteration} : Found It!, the cube root for {num} is {sroot}') break sroot = sroot - (sroot ** 2 - num) / (2 * sroot) print(f'At Iteration {iteration} : the square root approximation for {num} is {sroot}')
""" https://www.practicepython.org Exercise 14: List Remove Duplicates 2 chilis Write a program (function!) that takes a list and returns a new list that contains all the elements of the first list minus all the duplicates. Extras: - Write two different functions to do this - one using a loop and constructing a list, and another using sets. - Go back and do Exercise 5 using sets, and write the solution for that in a different function. """ def remove_common_items(list1): answer = [ ] for item in list1: if item not in answer: answer.append(item) return answer def rci2(list1): return [list1[idx] for idx in range(len(list1)) if list1[idx] not in list1[idx+1:]] def rci3(list1, list2): return set(list1 + list2) a = [1, 1, 2, 3, 5, 8, 8, 4, 21, 34, 5, 7, 6, 8, "sdfg", "rstl"] b = [1, 2, 3, 4, 5, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, "sdfg", "zyxw"] common_list = remove_common_items(a + b) print(common_list) common_list = rci2(a + b) print(common_list) common_list = rci3(a, b) print(common_list)
""" https://www.practicepython.org Exercise 14: List Remove Duplicates 2 chilis Write a program (function!) that takes a list and returns a new list that contains all the elements of the first list minus all the duplicates. Extras: - Write two different functions to do this - one using a loop and constructing a list, and another using sets. - Go back and do Exercise 5 using sets, and write the solution for that in a different function. """ def remove_common_items(list1): answer = [] for item in list1: if item not in answer: answer.append(item) return answer def rci2(list1): return [list1[idx] for idx in range(len(list1)) if list1[idx] not in list1[idx + 1:]] def rci3(list1, list2): return set(list1 + list2) a = [1, 1, 2, 3, 5, 8, 8, 4, 21, 34, 5, 7, 6, 8, 'sdfg', 'rstl'] b = [1, 2, 3, 4, 5, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 'sdfg', 'zyxw'] common_list = remove_common_items(a + b) print(common_list) common_list = rci2(a + b) print(common_list) common_list = rci3(a, b) print(common_list)
HEADLINE = "time_elapsed\tsystem_time\tyear\tmonth\tday\tseasonal_factor\ttreatment_coverage_0_1\ttreatment_coverage_0_10\tpopulation\tsep\teir\tsep\tbsp_2_10\tbsp_0_5\tblood_slide_prevalence\tsep\tmonthly_new_infection\tsep\tmonthly_new_treatment\tsep\tmonthly_clinical_episode\tsep\tmonthly_ntf_raw\tsep\tKNY--C1x\tKNY--C1X\tKNY--C2x\tKNY--C2X\tKNY--Y1x\tKNY--Y1X\tKNY--Y2x\tKNY--Y2X\tKYY--C1x\tKYY--C1X\tKYY--C2x\tKYY--C2X\tKYY--Y1x\tKYY--Y1X\tKYY--Y2x\tKYY--Y2X\tKNF--C1x\tKNF--C1X\tKNF--C2x\tKNF--C2X\tKNF--Y1x\tKNF--Y1X\tKNF--Y2x\tKNF--Y2X\tKYF--C1x\tKYF--C1X\tKYF--C2x\tKYF--C2X\tKYF--Y1x\tKYF--Y1X\tKYF--Y2x\tKYF--Y2X\tKNYNYC1x\tKNYNYC1X\tKNYNYC2x\tKNYNYC2X\tKNYNYY1x\tKNYNYY1X\tKNYNYY2x\tKNYNYY2X\tKYYYYC1x\tKYYYYC1X\tKYYYYC2x\tKYYYYC2X\tKYYYYY1x\tKYYYYY1X\tKYYYYY2x\tKYYYYY2X\tKNFNFC1x\tKNFNFC1X\tKNFNFC2x\tKNFNFC2X\tKNFNFY1x\tKNFNFY1X\tKNFNFY2x\tKNFNFY2X\tKYFYFC1x\tKYFYFC1X\tKYFYFC2x\tKYFYFC2X\tKYFYFY1x\tKYFYFY1X\tKYFYFY2x\tKYFYFY2X\tTNY--C1x\tTNY--C1X\tTNY--C2x\tTNY--C2X\tTNY--Y1x\tTNY--Y1X\tTNY--Y2x\tTNY--Y2X\tTYY--C1x\tTYY--C1X\tTYY--C2x\tTYY--C2X\tTYY--Y1x\tTYY--Y1X\tTYY--Y2x\tTYY--Y2X\tTNF--C1x\tTNF--C1X\tTNF--C2x\tTNF--C2X\tTNF--Y1x\tTNF--Y1X\tTNF--Y2x\tTNF--Y2X\tTYF--C1x\tTYF--C1X\tTYF--C2x\tTYF--C2X\tTYF--Y1x\tTYF--Y1X\tTYF--Y2x\tTYF--Y2X\tTNYNYC1x\tTNYNYC1X\tTNYNYC2x\tTNYNYC2X\tTNYNYY1x\tTNYNYY1X\tTNYNYY2x\tTNYNYY2X\tTYYYYC1x\tTYYYYC1X\tTYYYYC2x\tTYYYYC2X\tTYYYYY1x\tTYYYYY1X\tTYYYYY2x\tTYYYYY2X\tTNFNFC1x\tTNFNFC1X\tTNFNFC2x\tTNFNFC2X\tTNFNFY1x\tTNFNFY1X\tTNFNFY2x\tTNFNFY2X\tTYFYFC1x\tTYFYFC1X\tTYFYFC2x\tTYFYFC2X\tTYFYFY1x\tTYFYFY1X\tTYFYFY2x\tTYFYFY2X\tsep\tKNY--C1x\tKNY--C1X\tKNY--C2x\tKNY--C2X\tKNY--Y1x\tKNY--Y1X\tKNY--Y2x\tKNY--Y2X\tKYY--C1x\tKYY--C1X\tKYY--C2x\tKYY--C2X\tKYY--Y1x\tKYY--Y1X\tKYY--Y2x\tKYY--Y2X\tKNF--C1x\tKNF--C1X\tKNF--C2x\tKNF--C2X\tKNF--Y1x\tKNF--Y1X\tKNF--Y2x\tKNF--Y2X\tKYF--C1x\tKYF--C1X\tKYF--C2x\tKYF--C2X\tKYF--Y1x\tKYF--Y1X\tKYF--Y2x\tKYF--Y2X\tKNYNYC1x\tKNYNYC1X\tKNYNYC2x\tKNYNYC2X\tKNYNYY1x\tKNYNYY1X\tKNYNYY2x\tKNYNYY2X\tKYYYYC1x\tKYYYYC1X\tKYYYYC2x\tKYYYYC2X\tKYYYYY1x\tKYYYYY1X\tKYYYYY2x\tKYYYYY2X\tKNFNFC1x\tKNFNFC1X\tKNFNFC2x\tKNFNFC2X\tKNFNFY1x\tKNFNFY1X\tKNFNFY2x\tKNFNFY2X\tKYFYFC1x\tKYFYFC1X\tKYFYFC2x\tKYFYFC2X\tKYFYFY1x\tKYFYFY1X\tKYFYFY2x\tKYFYFY2X\tTNY--C1x\tTNY--C1X\tTNY--C2x\tTNY--C2X\tTNY--Y1x\tTNY--Y1X\tTNY--Y2x\tTNY--Y2X\tTYY--C1x\tTYY--C1X\tTYY--C2x\tTYY--C2X\tTYY--Y1x\tTYY--Y1X\tTYY--Y2x\tTYY--Y2X\tTNF--C1x\tTNF--C1X\tTNF--C2x\tTNF--C2X\tTNF--Y1x\tTNF--Y1X\tTNF--Y2x\tTNF--Y2X\tTYF--C1x\tTYF--C1X\tTYF--C2x\tTYF--C2X\tTYF--Y1x\tTYF--Y1X\tTYF--Y2x\tTYF--Y2X\tTNYNYC1x\tTNYNYC1X\tTNYNYC2x\tTNYNYC2X\tTNYNYY1x\tTNYNYY1X\tTNYNYY2x\tTNYNYY2X\tTYYYYC1x\tTYYYYC1X\tTYYYYC2x\tTYYYYC2X\tTYYYYY1x\tTYYYYY1X\tTYYYYY2x\tTYYYYY2X\tTNFNFC1x\tTNFNFC1X\tTNFNFC2x\tTNFNFC2X\tTNFNFY1x\tTNFNFY1X\tTNFNFY2x\tTNFNFY2X\tTYFYFC1x\tTYFYFC1X\tTYFYFC2x\tTYFYFC2X\tTYFYFY1x\tTYFYFY1X\tTYFYFY2x\tTYFYFY2X\tsep\ttotal_count" HEADER_NAME = [ 'time_elapsed', 'system_time', 'year', 'month', 'day', 'seasonal_factor', 'treatment_coverage_0_1', 'treatment_coverage_0_10', 'population', 'sep1', 'eir', 'sep2', 'bsp_2_10', 'bsp_0_5', 'blood_slide_prevalence', 'sep3', 'monthly_new_infection', 'sep4', 'monthly_new_treatment', 'sep5', 'monthly_clinical_episode', 'sep6', 'monthly_ntf_raw', 'sep7', 'KNY--C1x', 'KNY--C1X', 'KNY--C2x', 'KNY--C2X', 'KNY--Y1x', 'KNY--Y1X', 'KNY--Y2x', 'KNY--Y2X', 'KYY--C1x', 'KYY--C1X', 'KYY--C2x', 'KYY--C2X', 'KYY--Y1x', 'KYY--Y1X', 'KYY--Y2x', 'KYY--Y2X', 'KNF--C1x', 'KNF--C1X', 'KNF--C2x', 'KNF--C2X', 'KNF--Y1x', 'KNF--Y1X', 'KNF--Y2x', 'KNF--Y2X', 'KYF--C1x', 'KYF--C1X', 'KYF--C2x', 'KYF--C2X', 'KYF--Y1x', 'KYF--Y1X', 'KYF--Y2x', 'KYF--Y2X', 'KNYNYC1x', 'KNYNYC1X', 'KNYNYC2x', 'KNYNYC2X', 'KNYNYY1x', 'KNYNYY1X', 'KNYNYY2x', 'KNYNYY2X', 'KYYYYC1x', 'KYYYYC1X', 'KYYYYC2x', 'KYYYYC2X', 'KYYYYY1x', 'KYYYYY1X', 'KYYYYY2x', 'KYYYYY2X', 'KNFNFC1x', 'KNFNFC1X', 'KNFNFC2x', 'KNFNFC2X', 'KNFNFY1x', 'KNFNFY1X', 'KNFNFY2x', 'KNFNFY2X', 'KYFYFC1x', 'KYFYFC1X', 'KYFYFC2x', 'KYFYFC2X', 'KYFYFY1x', 'KYFYFY1X', 'KYFYFY2x', 'KYFYFY2X', 'TNY--C1x', 'TNY--C1X', 'TNY--C2x', 'TNY--C2X', 'TNY--Y1x', 'TNY--Y1X', 'TNY--Y2x', 'TNY--Y2X', 'TYY--C1x', 'TYY--C1X', 'TYY--C2x', 'TYY--C2X', 'TYY--Y1x', 'TYY--Y1X', 'TYY--Y2x', 'TYY--Y2X', 'TNF--C1x', 'TNF--C1X', 'TNF--C2x', 'TNF--C2X', 'TNF--Y1x', 'TNF--Y1X', 'TNF--Y2x', 'TNF--Y2X', 'TYF--C1x', 'TYF--C1X', 'TYF--C2x', 'TYF--C2X', 'TYF--Y1x', 'TYF--Y1X', 'TYF--Y2x', 'TYF--Y2X', 'TNYNYC1x', 'TNYNYC1X', 'TNYNYC2x', 'TNYNYC2X', 'TNYNYY1x', 'TNYNYY1X', 'TNYNYY2x', 'TNYNYY2X', 'TYYYYC1x', 'TYYYYC1X', 'TYYYYC2x', 'TYYYYC2X', 'TYYYYY1x', 'TYYYYY1X', 'TYYYYY2x', 'TYYYYY2X', 'TNFNFC1x', 'TNFNFC1X', 'TNFNFC2x', 'TNFNFC2X', 'TNFNFY1x', 'TNFNFY1X', 'TNFNFY2x', 'TNFNFY2X', 'TYFYFC1x', 'TYFYFC1X', 'TYFYFC2x', 'TYFYFC2X', 'TYFYFY1x', 'TYFYFY1X', 'TYFYFY2x', 'TYFYFY2X', 'sep8', 'n_KNY--C1x', 'n_KNY--C1X', 'n_KNY--C2x', 'n_KNY--C2X', 'n_KNY--Y1x', 'n_KNY--Y1X', 'n_KNY--Y2x', 'n_KNY--Y2X', 'n_KYY--C1x', 'n_KYY--C1X', 'n_KYY--C2x', 'n_KYY--C2X', 'n_KYY--Y1x', 'n_KYY--Y1X', 'n_KYY--Y2x', 'n_KYY--Y2X', 'n_KNF--C1x', 'n_KNF--C1X', 'n_KNF--C2x', 'n_KNF--C2X', 'n_KNF--Y1x', 'n_KNF--Y1X', 'n_KNF--Y2x', 'n_KNF--Y2X', 'n_KYF--C1x', 'n_KYF--C1X', 'n_KYF--C2x', 'n_KYF--C2X', 'n_KYF--Y1x', 'n_KYF--Y1X', 'n_KYF--Y2x', 'n_KYF--Y2X', 'n_KNYNYC1x', 'n_KNYNYC1X', 'n_KNYNYC2x', 'n_KNYNYC2X', 'n_KNYNYY1x', 'n_KNYNYY1X', 'n_KNYNYY2x', 'n_KNYNYY2X', 'n_KYYYYC1x', 'n_KYYYYC1X', 'n_KYYYYC2x', 'n_KYYYYC2X', 'n_KYYYYY1x', 'n_KYYYYY1X', 'n_KYYYYY2x', 'n_KYYYYY2X', 'n_KNFNFC1x', 'n_KNFNFC1X', 'n_KNFNFC2x', 'n_KNFNFC2X', 'n_KNFNFY1x', 'n_KNFNFY1X', 'n_KNFNFY2x', 'n_KNFNFY2X', 'n_KYFYFC1x', 'n_KYFYFC1X', 'n_KYFYFC2x', 'n_KYFYFC2X', 'n_KYFYFY1x', 'n_KYFYFY1X', 'n_KYFYFY2x', 'n_KYFYFY2X', 'n_TNY--C1x', 'n_TNY--C1X', 'n_TNY--C2x', 'n_TNY--C2X', 'n_TNY--Y1x', 'n_TNY--Y1X', 'n_TNY--Y2x', 'n_TNY--Y2X', 'n_TYY--C1x', 'n_TYY--C1X', 'n_TYY--C2x', 'n_TYY--C2X', 'n_TYY--Y1x', 'n_TYY--Y1X', 'n_TYY--Y2x', 'n_TYY--Y2X', 'n_TNF--C1x', 'n_TNF--C1X', 'n_TNF--C2x', 'n_TNF--C2X', 'n_TNF--Y1x', 'n_TNF--Y1X', 'n_TNF--Y2x', 'n_TNF--Y2X', 'n_TYF--C1x', 'n_TYF--C1X', 'n_TYF--C2x', 'n_TYF--C2X', 'n_TYF--Y1x', 'n_TYF--Y1X', 'n_TYF--Y2x', 'n_TYF--Y2X', 'n_TNYNYC1x', 'n_TNYNYC1X', 'n_TNYNYC2x', 'n_TNYNYC2X', 'n_TNYNYY1x', 'n_TNYNYY1X', 'n_TNYNYY2x', 'n_TNYNYY2X', 'n_TYYYYC1x', 'n_TYYYYC1X', 'n_TYYYYC2x', 'n_TYYYYC2X', 'n_TYYYYY1x', 'n_TYYYYY1X', 'n_TYYYYY2x', 'n_TYYYYY2X', 'n_TNFNFC1x', 'n_TNFNFC1X', 'n_TNFNFC2x', 'n_TNFNFC2X', 'n_TNFNFY1x', 'n_TNFNFY1X', 'n_TNFNFY2x', 'n_TNFNFY2X', 'n_TYFYFC1x', 'n_TYFYFC1X', 'n_TYFYFC2x', 'n_TYFYFC2X', 'n_TYFYFY1x', 'n_TYFYFY1X', 'n_TYFYFY2x', 'n_TYFYFY2X', 'sep9', 'total_count' ] COLUMNS_TO_DROP = [ 'n_KNY--C1x', 'n_KNY--C1X', 'n_KNY--C2x', 'n_KNY--C2X', 'n_KNY--Y1x', 'n_KNY--Y1X', 'n_KNY--Y2x', 'n_KNY--Y2X', 'n_KYY--C1x', 'n_KYY--C1X', 'n_KYY--C2x', 'n_KYY--C2X', 'n_KYY--Y1x', 'n_KYY--Y1X', 'n_KYY--Y2x', 'n_KYY--Y2X', 'n_KNF--C1x', 'n_KNF--C1X', 'n_KNF--C2x', 'n_KNF--C2X', 'n_KNF--Y1x', 'n_KNF--Y1X', 'n_KNF--Y2x', 'n_KNF--Y2X', 'n_KYF--C1x', 'n_KYF--C1X', 'n_KYF--C2x', 'n_KYF--C2X', 'n_KYF--Y1x', 'n_KYF--Y1X', 'n_KYF--Y2x', 'n_KYF--Y2X', 'n_KNYNYC1x', 'n_KNYNYC1X', 'n_KNYNYC2x', 'n_KNYNYC2X', 'n_KNYNYY1x', 'n_KNYNYY1X', 'n_KNYNYY2x', 'n_KNYNYY2X', 'n_KYYYYC1x', 'n_KYYYYC1X', 'n_KYYYYC2x', 'n_KYYYYC2X', 'n_KYYYYY1x', 'n_KYYYYY1X', 'n_KYYYYY2x', 'n_KYYYYY2X', 'n_KNFNFC1x', 'n_KNFNFC1X', 'n_KNFNFC2x', 'n_KNFNFC2X', 'n_KNFNFY1x', 'n_KNFNFY1X', 'n_KNFNFY2x', 'n_KNFNFY2X', 'n_KYFYFC1x', 'n_KYFYFC1X', 'n_KYFYFC2x', 'n_KYFYFC2X', 'n_KYFYFY1x', 'n_KYFYFY1X', 'n_KYFYFY2x', 'n_KYFYFY2X', 'n_TNY--C1x', 'n_TNY--C1X', 'n_TNY--C2x', 'n_TNY--C2X', 'n_TNY--Y1x', 'n_TNY--Y1X', 'n_TNY--Y2x', 'n_TNY--Y2X', 'n_TYY--C1x', 'n_TYY--C1X', 'n_TYY--C2x', 'n_TYY--C2X', 'n_TYY--Y1x', 'n_TYY--Y1X', 'n_TYY--Y2x', 'n_TYY--Y2X', 'n_TNF--C1x', 'n_TNF--C1X', 'n_TNF--C2x', 'n_TNF--C2X', 'n_TNF--Y1x', 'n_TNF--Y1X', 'n_TNF--Y2x', 'n_TNF--Y2X', 'n_TYF--C1x', 'n_TYF--C1X', 'n_TYF--C2x', 'n_TYF--C2X', 'n_TYF--Y1x', 'n_TYF--Y1X', 'n_TYF--Y2x', 'n_TYF--Y2X', 'n_TNYNYC1x', 'n_TNYNYC1X', 'n_TNYNYC2x', 'n_TNYNYC2X', 'n_TNYNYY1x', 'n_TNYNYY1X', 'n_TNYNYY2x', 'n_TNYNYY2X', 'n_TYYYYC1x', 'n_TYYYYC1X', 'n_TYYYYC2x', 'n_TYYYYC2X', 'n_TYYYYY1x', 'n_TYYYYY1X', 'n_TYYYYY2x', 'n_TYYYYY2X', 'n_TNFNFC1x', 'n_TNFNFC1X', 'n_TNFNFC2x', 'n_TNFNFC2X', 'n_TNFNFY1x', 'n_TNFNFY1X', 'n_TNFNFY2x', 'n_TNFNFY2X', 'n_TYFYFC1x', 'n_TYFYFC1X', 'n_TYFYFC2x', 'n_TYFYFC2X', 'n_TYFYFY1x', 'n_TYFYFY1X', 'n_TYFYFY2x', 'n_TYFYFY2X', 'time_elapsed', 'sep1', 'sep2', 'sep3', 'sep4', 'sep5', 'sep6', 'sep7', 'sep8', 'sep9', 'system_time', 'year', 'month', 'day', 'seasonal_factor', 'total_count', 'treatment_coverage_0_1', 'treatment_coverage_0_10', 'population', 'eir', 'bsp_2_10', 'bsp_0_5', 'blood_slide_prevalence', 'monthly_new_infection', 'monthly_new_treatment', 'monthly_clinical_episode', 'monthly_ntf_raw' ] # Also used in Fig.4 Flow Diagram Common Constants ENCODINGDB = [ 'KNY--C1x', 'KNY--C1X', 'KNY--C2x', 'KNY--C2X', 'KNY--Y1x', 'KNY--Y1X', 'KNY--Y2x', 'KNY--Y2X', 'KYY--C1x', 'KYY--C1X', 'KYY--C2x', 'KYY--C2X', 'KYY--Y1x', 'KYY--Y1X', 'KYY--Y2x', 'KYY--Y2X', 'KNF--C1x', 'KNF--C1X', 'KNF--C2x', 'KNF--C2X', 'KNF--Y1x', 'KNF--Y1X', 'KNF--Y2x', 'KNF--Y2X', 'KYF--C1x', 'KYF--C1X', 'KYF--C2x', 'KYF--C2X', 'KYF--Y1x', 'KYF--Y1X', 'KYF--Y2x', 'KYF--Y2X', 'KNYNYC1x', 'KNYNYC1X', 'KNYNYC2x', 'KNYNYC2X', 'KNYNYY1x', 'KNYNYY1X', 'KNYNYY2x', 'KNYNYY2X', 'KYYYYC1x', 'KYYYYC1X', 'KYYYYC2x', 'KYYYYC2X', 'KYYYYY1x', 'KYYYYY1X', 'KYYYYY2x', 'KYYYYY2X', 'KNFNFC1x', 'KNFNFC1X', 'KNFNFC2x', 'KNFNFC2X', 'KNFNFY1x', 'KNFNFY1X', 'KNFNFY2x', 'KNFNFY2X', 'KYFYFC1x', 'KYFYFC1X', 'KYFYFC2x', 'KYFYFC2X', 'KYFYFY1x', 'KYFYFY1X', 'KYFYFY2x', 'KYFYFY2X', 'TNY--C1x', 'TNY--C1X', 'TNY--C2x', 'TNY--C2X', 'TNY--Y1x', 'TNY--Y1X', 'TNY--Y2x', 'TNY--Y2X', 'TYY--C1x', 'TYY--C1X', 'TYY--C2x', 'TYY--C2X', 'TYY--Y1x', 'TYY--Y1X', 'TYY--Y2x', 'TYY--Y2X', 'TNF--C1x', 'TNF--C1X', 'TNF--C2x', 'TNF--C2X', 'TNF--Y1x', 'TNF--Y1X', 'TNF--Y2x', 'TNF--Y2X', 'TYF--C1x', 'TYF--C1X', 'TYF--C2x', 'TYF--C2X', 'TYF--Y1x', 'TYF--Y1X', 'TYF--Y2x', 'TYF--Y2X', 'TNYNYC1x', 'TNYNYC1X', 'TNYNYC2x', 'TNYNYC2X', 'TNYNYY1x', 'TNYNYY1X', 'TNYNYY2x', 'TNYNYY2X', 'TYYYYC1x', 'TYYYYC1X', 'TYYYYC2x', 'TYYYYC2X', 'TYYYYY1x', 'TYYYYY1X', 'TYYYYY2x', 'TYYYYY2X', 'TNFNFC1x', 'TNFNFC1X', 'TNFNFC2x', 'TNFNFC2X', 'TNFNFY1x', 'TNFNFY1X', 'TNFNFY2x', 'TNFNFY2X', 'TYFYFC1x', 'TYFYFC1X', 'TYFYFC2x', 'TYFYFC2X', 'TYFYFY1x', 'TYFYFY1X', 'TYFYFY2x', 'TYFYFY2X' ] REPORTDAYS = [ 0, 31, 60, 91, 121, 152, 182, 213, 244, 274, 305, 335, 366, 397, 425, 456, 486, 517, 547, 578, 609, 639, 670, 700, 731, 762, 790, 821, 851, 882, 912, 943, 974, 1004, 1035, 1065, 1096, 1127, 1155, 1186, 1216, 1247, 1277, 1308, 1339, 1369, 1400, 1430, 1461, 1492, 1521, 1552, 1582, 1613, 1643, 1674, 1705, 1735, 1766, 1796, 1827, 1858, 1886, 1917, 1947, 1978, 2008, 2039, 2070, 2100, 2131, 2161, 2192, 2223, 2251, 2282, 2312, 2343, 2373, 2404, 2435, 2465, 2496, 2526, 2557, 2588, 2616, 2647, 2677, 2708, 2738, 2769, 2800, 2830, 2861, 2891, 2922, 2953, 2982, 3013, 3043, 3074, 3104, 3135, 3166, 3196, 3227, 3257, 3288, 3319, 3347, 3378, 3408, 3439, 3469, 3500, 3531, 3561, 3592, 3622, 3653, 3684, 3712, 3743, 3773, 3804, 3834, 3865, 3896, 3926, 3957, 3987, 4018, 4049, 4077, 4108, 4138, 4169, 4199, 4230, 4261, 4291, 4322, 4352, 4383, 4414, 4443, 4474, 4504, 4535, 4565, 4596, 4627, 4657, 4688, 4718, 4749, 4780, 4808, 4839, 4869, 4900, 4930, 4961, 4992, 5022, 5053, 5083, 5114, 5145, 5173, 5204, 5234, 5265, 5295, 5326, 5357, 5387, 5418, 5448, 5479, 5510, 5538, 5569, 5599, 5630, 5660, 5691, 5722, 5752, 5783, 5813, 5844, 5875, 5904, 5935, 5965, 5996, 6026, 6057, 6088, 6118, 6149, 6179, 6210, 6241, 6269, 6300, 6330, 6361, 6391, 6422, 6453, 6483, 6514, 6544, 6575, 6606, 6634, 6665, 6695, 6726, 6756, 6787, 6818, 6848, 6879, 6909, 6940, 6971, 6999, 7030, 7060, 7091, 7121, 7152, 7183, 7213, 7244, 7274, 7305, 7336, 7365, 7396, 7426, 7457, 7487, 7518, 7549, 7579, 7610, 7640, 7671, 7702, 7730, 7761, 7791, 7822, 7852, 7883, 7914, 7944, 7975, 8005, 8036, 8067, 8095, 8126, 8156, 8187, 8217, 8248, 8279, 8309, 8340, 8370, 8401, 8432, 8460, 8491, 8521, 8552, 8582, 8613, 8644, 8674, 8705, 8735, 8766, 8797, 8826, 8857, 8887, 8918, 8948, 8979, 9010, 9040, 9071, 9101, 9132, 9163, 9191, 9222, 9252, 9283, 9313, 9344, 9375, 9405, 9436, 9466, 9497, 9528, 9556, 9587, 9617, 9648, 9678, 9709, 9740, 9770, 9801, 9831, 9862, 9893, 9921, 9952, 9982, 10013, 10043, 10074, 10105, 10135, 10166, 10196, 10227, 10258, 10287, 10318, 10348, 10379, 10409, 10440, 10471, 10501, 10532, 10562, 10593, 10624, 10652, 10683, 10713, 10744, 10774, 10805, 10836, 10866, 10897, 10927, 10958 ] FIVE_YR_CYCLING_SWITCH_DAYS = [ 0, 3653, # Burn-in 5478, # First Five-Year Period 7303, # Second Period 9128, # Third 10953, # Fourth / Last 10958 # Residue due to 365-and-calendar difference ] FIRST_ROW_AFTER_BURNIN = 120 ANNOTATION_X_LOCATION = 3833 fig4_mft_most_dang_double_2_2_geno_index = [ 6, 7, 14, 15, 22, 23, 30, 31, 38, 39, 46, 47, 54, 55, 62, 63, 70, 71, 78, 79, 86, 87, 94, 95, 102, 103, 110, 111, 118, 119, 126, 127 ] fig4_mft_most_dang_double_2_4_geno_index = [ 20, 21, 22, 23, 52, 53, 54, 55, 76, 77, 78, 79, 108, 109, 110, 111 ] res_count_by_genotype_dhappq = [ '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2' ] res_count_by_genotype_asaq = [ '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '2-2', '2-2', '1-2', '1-2', '1-2', '1-2', '2-3', '2-3', '2-3', '2-3', '0-0', '0-0', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '2-2', '2-2', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '2-2', '2-2', '1-2', '1-2', '1-2', '1-2', '2-3', '2-3', '2-3', '2-3', '0-0', '0-0', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '2-2', '2-2', '1-2', '1-2', '1-2', '1-2', '2-3', '2-3', '2-3', '2-3', '1-3', '1-3', '1-3', '1-3', '2-4', '2-4', '2-4', '2-4', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '2-2', '2-2', '1-2', '1-2', '1-2', '1-2', '2-3', '2-3', '2-3', '2-3', '1-2', '1-2', '1-2', '1-2', '2-3', '2-3', '2-3', '2-3', '1-3', '1-3', '1-3', '1-3', '2-4', '2-4', '2-4', '2-4', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '2-2', '2-2', '1-2', '1-2', '1-2', '1-2', '2-3', '2-3', '2-3', '2-3' ] res_count_by_genotype_al = [ '1-2', '1-2', '1-2', '1-2', '2-3', '2-3', '2-3', '2-3', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '2-2', '2-2', '1-3', '1-3', '1-3', '1-3', '2-4', '2-4', '2-4', '2-4', '1-2', '1-2', '1-2', '1-2', '2-3', '2-3', '2-3', '2-3', '1-2', '1-2', '1-2', '1-2', '2-3', '2-3', '2-3', '2-3', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '2-2', '2-2', '1-3', '1-3', '1-3', '1-3', '2-4', '2-4', '2-4', '2-4', '1-2', '1-2', '1-2', '1-2', '2-3', '2-3', '2-3', '2-3', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '2-2', '2-2', '0-0', '0-0', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '1-2', '1-2', '1-2', '1-2', '2-3', '2-3', '2-3', '2-3', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '2-2', '2-2', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '2-2', '2-2', '0-0', '0-0', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '1-2', '1-2', '1-2', '1-2', '2-3', '2-3', '2-3', '2-3', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '2-2', '2-2' ]
headline = 'time_elapsed\tsystem_time\tyear\tmonth\tday\tseasonal_factor\ttreatment_coverage_0_1\ttreatment_coverage_0_10\tpopulation\tsep\teir\tsep\tbsp_2_10\tbsp_0_5\tblood_slide_prevalence\tsep\tmonthly_new_infection\tsep\tmonthly_new_treatment\tsep\tmonthly_clinical_episode\tsep\tmonthly_ntf_raw\tsep\tKNY--C1x\tKNY--C1X\tKNY--C2x\tKNY--C2X\tKNY--Y1x\tKNY--Y1X\tKNY--Y2x\tKNY--Y2X\tKYY--C1x\tKYY--C1X\tKYY--C2x\tKYY--C2X\tKYY--Y1x\tKYY--Y1X\tKYY--Y2x\tKYY--Y2X\tKNF--C1x\tKNF--C1X\tKNF--C2x\tKNF--C2X\tKNF--Y1x\tKNF--Y1X\tKNF--Y2x\tKNF--Y2X\tKYF--C1x\tKYF--C1X\tKYF--C2x\tKYF--C2X\tKYF--Y1x\tKYF--Y1X\tKYF--Y2x\tKYF--Y2X\tKNYNYC1x\tKNYNYC1X\tKNYNYC2x\tKNYNYC2X\tKNYNYY1x\tKNYNYY1X\tKNYNYY2x\tKNYNYY2X\tKYYYYC1x\tKYYYYC1X\tKYYYYC2x\tKYYYYC2X\tKYYYYY1x\tKYYYYY1X\tKYYYYY2x\tKYYYYY2X\tKNFNFC1x\tKNFNFC1X\tKNFNFC2x\tKNFNFC2X\tKNFNFY1x\tKNFNFY1X\tKNFNFY2x\tKNFNFY2X\tKYFYFC1x\tKYFYFC1X\tKYFYFC2x\tKYFYFC2X\tKYFYFY1x\tKYFYFY1X\tKYFYFY2x\tKYFYFY2X\tTNY--C1x\tTNY--C1X\tTNY--C2x\tTNY--C2X\tTNY--Y1x\tTNY--Y1X\tTNY--Y2x\tTNY--Y2X\tTYY--C1x\tTYY--C1X\tTYY--C2x\tTYY--C2X\tTYY--Y1x\tTYY--Y1X\tTYY--Y2x\tTYY--Y2X\tTNF--C1x\tTNF--C1X\tTNF--C2x\tTNF--C2X\tTNF--Y1x\tTNF--Y1X\tTNF--Y2x\tTNF--Y2X\tTYF--C1x\tTYF--C1X\tTYF--C2x\tTYF--C2X\tTYF--Y1x\tTYF--Y1X\tTYF--Y2x\tTYF--Y2X\tTNYNYC1x\tTNYNYC1X\tTNYNYC2x\tTNYNYC2X\tTNYNYY1x\tTNYNYY1X\tTNYNYY2x\tTNYNYY2X\tTYYYYC1x\tTYYYYC1X\tTYYYYC2x\tTYYYYC2X\tTYYYYY1x\tTYYYYY1X\tTYYYYY2x\tTYYYYY2X\tTNFNFC1x\tTNFNFC1X\tTNFNFC2x\tTNFNFC2X\tTNFNFY1x\tTNFNFY1X\tTNFNFY2x\tTNFNFY2X\tTYFYFC1x\tTYFYFC1X\tTYFYFC2x\tTYFYFC2X\tTYFYFY1x\tTYFYFY1X\tTYFYFY2x\tTYFYFY2X\tsep\tKNY--C1x\tKNY--C1X\tKNY--C2x\tKNY--C2X\tKNY--Y1x\tKNY--Y1X\tKNY--Y2x\tKNY--Y2X\tKYY--C1x\tKYY--C1X\tKYY--C2x\tKYY--C2X\tKYY--Y1x\tKYY--Y1X\tKYY--Y2x\tKYY--Y2X\tKNF--C1x\tKNF--C1X\tKNF--C2x\tKNF--C2X\tKNF--Y1x\tKNF--Y1X\tKNF--Y2x\tKNF--Y2X\tKYF--C1x\tKYF--C1X\tKYF--C2x\tKYF--C2X\tKYF--Y1x\tKYF--Y1X\tKYF--Y2x\tKYF--Y2X\tKNYNYC1x\tKNYNYC1X\tKNYNYC2x\tKNYNYC2X\tKNYNYY1x\tKNYNYY1X\tKNYNYY2x\tKNYNYY2X\tKYYYYC1x\tKYYYYC1X\tKYYYYC2x\tKYYYYC2X\tKYYYYY1x\tKYYYYY1X\tKYYYYY2x\tKYYYYY2X\tKNFNFC1x\tKNFNFC1X\tKNFNFC2x\tKNFNFC2X\tKNFNFY1x\tKNFNFY1X\tKNFNFY2x\tKNFNFY2X\tKYFYFC1x\tKYFYFC1X\tKYFYFC2x\tKYFYFC2X\tKYFYFY1x\tKYFYFY1X\tKYFYFY2x\tKYFYFY2X\tTNY--C1x\tTNY--C1X\tTNY--C2x\tTNY--C2X\tTNY--Y1x\tTNY--Y1X\tTNY--Y2x\tTNY--Y2X\tTYY--C1x\tTYY--C1X\tTYY--C2x\tTYY--C2X\tTYY--Y1x\tTYY--Y1X\tTYY--Y2x\tTYY--Y2X\tTNF--C1x\tTNF--C1X\tTNF--C2x\tTNF--C2X\tTNF--Y1x\tTNF--Y1X\tTNF--Y2x\tTNF--Y2X\tTYF--C1x\tTYF--C1X\tTYF--C2x\tTYF--C2X\tTYF--Y1x\tTYF--Y1X\tTYF--Y2x\tTYF--Y2X\tTNYNYC1x\tTNYNYC1X\tTNYNYC2x\tTNYNYC2X\tTNYNYY1x\tTNYNYY1X\tTNYNYY2x\tTNYNYY2X\tTYYYYC1x\tTYYYYC1X\tTYYYYC2x\tTYYYYC2X\tTYYYYY1x\tTYYYYY1X\tTYYYYY2x\tTYYYYY2X\tTNFNFC1x\tTNFNFC1X\tTNFNFC2x\tTNFNFC2X\tTNFNFY1x\tTNFNFY1X\tTNFNFY2x\tTNFNFY2X\tTYFYFC1x\tTYFYFC1X\tTYFYFC2x\tTYFYFC2X\tTYFYFY1x\tTYFYFY1X\tTYFYFY2x\tTYFYFY2X\tsep\ttotal_count' header_name = ['time_elapsed', 'system_time', 'year', 'month', 'day', 'seasonal_factor', 'treatment_coverage_0_1', 'treatment_coverage_0_10', 'population', 'sep1', 'eir', 'sep2', 'bsp_2_10', 'bsp_0_5', 'blood_slide_prevalence', 'sep3', 'monthly_new_infection', 'sep4', 'monthly_new_treatment', 'sep5', 'monthly_clinical_episode', 'sep6', 'monthly_ntf_raw', 'sep7', 'KNY--C1x', 'KNY--C1X', 'KNY--C2x', 'KNY--C2X', 'KNY--Y1x', 'KNY--Y1X', 'KNY--Y2x', 'KNY--Y2X', 'KYY--C1x', 'KYY--C1X', 'KYY--C2x', 'KYY--C2X', 'KYY--Y1x', 'KYY--Y1X', 'KYY--Y2x', 'KYY--Y2X', 'KNF--C1x', 'KNF--C1X', 'KNF--C2x', 'KNF--C2X', 'KNF--Y1x', 'KNF--Y1X', 'KNF--Y2x', 'KNF--Y2X', 'KYF--C1x', 'KYF--C1X', 'KYF--C2x', 'KYF--C2X', 'KYF--Y1x', 'KYF--Y1X', 'KYF--Y2x', 'KYF--Y2X', 'KNYNYC1x', 'KNYNYC1X', 'KNYNYC2x', 'KNYNYC2X', 'KNYNYY1x', 'KNYNYY1X', 'KNYNYY2x', 'KNYNYY2X', 'KYYYYC1x', 'KYYYYC1X', 'KYYYYC2x', 'KYYYYC2X', 'KYYYYY1x', 'KYYYYY1X', 'KYYYYY2x', 'KYYYYY2X', 'KNFNFC1x', 'KNFNFC1X', 'KNFNFC2x', 'KNFNFC2X', 'KNFNFY1x', 'KNFNFY1X', 'KNFNFY2x', 'KNFNFY2X', 'KYFYFC1x', 'KYFYFC1X', 'KYFYFC2x', 'KYFYFC2X', 'KYFYFY1x', 'KYFYFY1X', 'KYFYFY2x', 'KYFYFY2X', 'TNY--C1x', 'TNY--C1X', 'TNY--C2x', 'TNY--C2X', 'TNY--Y1x', 'TNY--Y1X', 'TNY--Y2x', 'TNY--Y2X', 'TYY--C1x', 'TYY--C1X', 'TYY--C2x', 'TYY--C2X', 'TYY--Y1x', 'TYY--Y1X', 'TYY--Y2x', 'TYY--Y2X', 'TNF--C1x', 'TNF--C1X', 'TNF--C2x', 'TNF--C2X', 'TNF--Y1x', 'TNF--Y1X', 'TNF--Y2x', 'TNF--Y2X', 'TYF--C1x', 'TYF--C1X', 'TYF--C2x', 'TYF--C2X', 'TYF--Y1x', 'TYF--Y1X', 'TYF--Y2x', 'TYF--Y2X', 'TNYNYC1x', 'TNYNYC1X', 'TNYNYC2x', 'TNYNYC2X', 'TNYNYY1x', 'TNYNYY1X', 'TNYNYY2x', 'TNYNYY2X', 'TYYYYC1x', 'TYYYYC1X', 'TYYYYC2x', 'TYYYYC2X', 'TYYYYY1x', 'TYYYYY1X', 'TYYYYY2x', 'TYYYYY2X', 'TNFNFC1x', 'TNFNFC1X', 'TNFNFC2x', 'TNFNFC2X', 'TNFNFY1x', 'TNFNFY1X', 'TNFNFY2x', 'TNFNFY2X', 'TYFYFC1x', 'TYFYFC1X', 'TYFYFC2x', 'TYFYFC2X', 'TYFYFY1x', 'TYFYFY1X', 'TYFYFY2x', 'TYFYFY2X', 'sep8', 'n_KNY--C1x', 'n_KNY--C1X', 'n_KNY--C2x', 'n_KNY--C2X', 'n_KNY--Y1x', 'n_KNY--Y1X', 'n_KNY--Y2x', 'n_KNY--Y2X', 'n_KYY--C1x', 'n_KYY--C1X', 'n_KYY--C2x', 'n_KYY--C2X', 'n_KYY--Y1x', 'n_KYY--Y1X', 'n_KYY--Y2x', 'n_KYY--Y2X', 'n_KNF--C1x', 'n_KNF--C1X', 'n_KNF--C2x', 'n_KNF--C2X', 'n_KNF--Y1x', 'n_KNF--Y1X', 'n_KNF--Y2x', 'n_KNF--Y2X', 'n_KYF--C1x', 'n_KYF--C1X', 'n_KYF--C2x', 'n_KYF--C2X', 'n_KYF--Y1x', 'n_KYF--Y1X', 'n_KYF--Y2x', 'n_KYF--Y2X', 'n_KNYNYC1x', 'n_KNYNYC1X', 'n_KNYNYC2x', 'n_KNYNYC2X', 'n_KNYNYY1x', 'n_KNYNYY1X', 'n_KNYNYY2x', 'n_KNYNYY2X', 'n_KYYYYC1x', 'n_KYYYYC1X', 'n_KYYYYC2x', 'n_KYYYYC2X', 'n_KYYYYY1x', 'n_KYYYYY1X', 'n_KYYYYY2x', 'n_KYYYYY2X', 'n_KNFNFC1x', 'n_KNFNFC1X', 'n_KNFNFC2x', 'n_KNFNFC2X', 'n_KNFNFY1x', 'n_KNFNFY1X', 'n_KNFNFY2x', 'n_KNFNFY2X', 'n_KYFYFC1x', 'n_KYFYFC1X', 'n_KYFYFC2x', 'n_KYFYFC2X', 'n_KYFYFY1x', 'n_KYFYFY1X', 'n_KYFYFY2x', 'n_KYFYFY2X', 'n_TNY--C1x', 'n_TNY--C1X', 'n_TNY--C2x', 'n_TNY--C2X', 'n_TNY--Y1x', 'n_TNY--Y1X', 'n_TNY--Y2x', 'n_TNY--Y2X', 'n_TYY--C1x', 'n_TYY--C1X', 'n_TYY--C2x', 'n_TYY--C2X', 'n_TYY--Y1x', 'n_TYY--Y1X', 'n_TYY--Y2x', 'n_TYY--Y2X', 'n_TNF--C1x', 'n_TNF--C1X', 'n_TNF--C2x', 'n_TNF--C2X', 'n_TNF--Y1x', 'n_TNF--Y1X', 'n_TNF--Y2x', 'n_TNF--Y2X', 'n_TYF--C1x', 'n_TYF--C1X', 'n_TYF--C2x', 'n_TYF--C2X', 'n_TYF--Y1x', 'n_TYF--Y1X', 'n_TYF--Y2x', 'n_TYF--Y2X', 'n_TNYNYC1x', 'n_TNYNYC1X', 'n_TNYNYC2x', 'n_TNYNYC2X', 'n_TNYNYY1x', 'n_TNYNYY1X', 'n_TNYNYY2x', 'n_TNYNYY2X', 'n_TYYYYC1x', 'n_TYYYYC1X', 'n_TYYYYC2x', 'n_TYYYYC2X', 'n_TYYYYY1x', 'n_TYYYYY1X', 'n_TYYYYY2x', 'n_TYYYYY2X', 'n_TNFNFC1x', 'n_TNFNFC1X', 'n_TNFNFC2x', 'n_TNFNFC2X', 'n_TNFNFY1x', 'n_TNFNFY1X', 'n_TNFNFY2x', 'n_TNFNFY2X', 'n_TYFYFC1x', 'n_TYFYFC1X', 'n_TYFYFC2x', 'n_TYFYFC2X', 'n_TYFYFY1x', 'n_TYFYFY1X', 'n_TYFYFY2x', 'n_TYFYFY2X', 'sep9', 'total_count'] columns_to_drop = ['n_KNY--C1x', 'n_KNY--C1X', 'n_KNY--C2x', 'n_KNY--C2X', 'n_KNY--Y1x', 'n_KNY--Y1X', 'n_KNY--Y2x', 'n_KNY--Y2X', 'n_KYY--C1x', 'n_KYY--C1X', 'n_KYY--C2x', 'n_KYY--C2X', 'n_KYY--Y1x', 'n_KYY--Y1X', 'n_KYY--Y2x', 'n_KYY--Y2X', 'n_KNF--C1x', 'n_KNF--C1X', 'n_KNF--C2x', 'n_KNF--C2X', 'n_KNF--Y1x', 'n_KNF--Y1X', 'n_KNF--Y2x', 'n_KNF--Y2X', 'n_KYF--C1x', 'n_KYF--C1X', 'n_KYF--C2x', 'n_KYF--C2X', 'n_KYF--Y1x', 'n_KYF--Y1X', 'n_KYF--Y2x', 'n_KYF--Y2X', 'n_KNYNYC1x', 'n_KNYNYC1X', 'n_KNYNYC2x', 'n_KNYNYC2X', 'n_KNYNYY1x', 'n_KNYNYY1X', 'n_KNYNYY2x', 'n_KNYNYY2X', 'n_KYYYYC1x', 'n_KYYYYC1X', 'n_KYYYYC2x', 'n_KYYYYC2X', 'n_KYYYYY1x', 'n_KYYYYY1X', 'n_KYYYYY2x', 'n_KYYYYY2X', 'n_KNFNFC1x', 'n_KNFNFC1X', 'n_KNFNFC2x', 'n_KNFNFC2X', 'n_KNFNFY1x', 'n_KNFNFY1X', 'n_KNFNFY2x', 'n_KNFNFY2X', 'n_KYFYFC1x', 'n_KYFYFC1X', 'n_KYFYFC2x', 'n_KYFYFC2X', 'n_KYFYFY1x', 'n_KYFYFY1X', 'n_KYFYFY2x', 'n_KYFYFY2X', 'n_TNY--C1x', 'n_TNY--C1X', 'n_TNY--C2x', 'n_TNY--C2X', 'n_TNY--Y1x', 'n_TNY--Y1X', 'n_TNY--Y2x', 'n_TNY--Y2X', 'n_TYY--C1x', 'n_TYY--C1X', 'n_TYY--C2x', 'n_TYY--C2X', 'n_TYY--Y1x', 'n_TYY--Y1X', 'n_TYY--Y2x', 'n_TYY--Y2X', 'n_TNF--C1x', 'n_TNF--C1X', 'n_TNF--C2x', 'n_TNF--C2X', 'n_TNF--Y1x', 'n_TNF--Y1X', 'n_TNF--Y2x', 'n_TNF--Y2X', 'n_TYF--C1x', 'n_TYF--C1X', 'n_TYF--C2x', 'n_TYF--C2X', 'n_TYF--Y1x', 'n_TYF--Y1X', 'n_TYF--Y2x', 'n_TYF--Y2X', 'n_TNYNYC1x', 'n_TNYNYC1X', 'n_TNYNYC2x', 'n_TNYNYC2X', 'n_TNYNYY1x', 'n_TNYNYY1X', 'n_TNYNYY2x', 'n_TNYNYY2X', 'n_TYYYYC1x', 'n_TYYYYC1X', 'n_TYYYYC2x', 'n_TYYYYC2X', 'n_TYYYYY1x', 'n_TYYYYY1X', 'n_TYYYYY2x', 'n_TYYYYY2X', 'n_TNFNFC1x', 'n_TNFNFC1X', 'n_TNFNFC2x', 'n_TNFNFC2X', 'n_TNFNFY1x', 'n_TNFNFY1X', 'n_TNFNFY2x', 'n_TNFNFY2X', 'n_TYFYFC1x', 'n_TYFYFC1X', 'n_TYFYFC2x', 'n_TYFYFC2X', 'n_TYFYFY1x', 'n_TYFYFY1X', 'n_TYFYFY2x', 'n_TYFYFY2X', 'time_elapsed', 'sep1', 'sep2', 'sep3', 'sep4', 'sep5', 'sep6', 'sep7', 'sep8', 'sep9', 'system_time', 'year', 'month', 'day', 'seasonal_factor', 'total_count', 'treatment_coverage_0_1', 'treatment_coverage_0_10', 'population', 'eir', 'bsp_2_10', 'bsp_0_5', 'blood_slide_prevalence', 'monthly_new_infection', 'monthly_new_treatment', 'monthly_clinical_episode', 'monthly_ntf_raw'] encodingdb = ['KNY--C1x', 'KNY--C1X', 'KNY--C2x', 'KNY--C2X', 'KNY--Y1x', 'KNY--Y1X', 'KNY--Y2x', 'KNY--Y2X', 'KYY--C1x', 'KYY--C1X', 'KYY--C2x', 'KYY--C2X', 'KYY--Y1x', 'KYY--Y1X', 'KYY--Y2x', 'KYY--Y2X', 'KNF--C1x', 'KNF--C1X', 'KNF--C2x', 'KNF--C2X', 'KNF--Y1x', 'KNF--Y1X', 'KNF--Y2x', 'KNF--Y2X', 'KYF--C1x', 'KYF--C1X', 'KYF--C2x', 'KYF--C2X', 'KYF--Y1x', 'KYF--Y1X', 'KYF--Y2x', 'KYF--Y2X', 'KNYNYC1x', 'KNYNYC1X', 'KNYNYC2x', 'KNYNYC2X', 'KNYNYY1x', 'KNYNYY1X', 'KNYNYY2x', 'KNYNYY2X', 'KYYYYC1x', 'KYYYYC1X', 'KYYYYC2x', 'KYYYYC2X', 'KYYYYY1x', 'KYYYYY1X', 'KYYYYY2x', 'KYYYYY2X', 'KNFNFC1x', 'KNFNFC1X', 'KNFNFC2x', 'KNFNFC2X', 'KNFNFY1x', 'KNFNFY1X', 'KNFNFY2x', 'KNFNFY2X', 'KYFYFC1x', 'KYFYFC1X', 'KYFYFC2x', 'KYFYFC2X', 'KYFYFY1x', 'KYFYFY1X', 'KYFYFY2x', 'KYFYFY2X', 'TNY--C1x', 'TNY--C1X', 'TNY--C2x', 'TNY--C2X', 'TNY--Y1x', 'TNY--Y1X', 'TNY--Y2x', 'TNY--Y2X', 'TYY--C1x', 'TYY--C1X', 'TYY--C2x', 'TYY--C2X', 'TYY--Y1x', 'TYY--Y1X', 'TYY--Y2x', 'TYY--Y2X', 'TNF--C1x', 'TNF--C1X', 'TNF--C2x', 'TNF--C2X', 'TNF--Y1x', 'TNF--Y1X', 'TNF--Y2x', 'TNF--Y2X', 'TYF--C1x', 'TYF--C1X', 'TYF--C2x', 'TYF--C2X', 'TYF--Y1x', 'TYF--Y1X', 'TYF--Y2x', 'TYF--Y2X', 'TNYNYC1x', 'TNYNYC1X', 'TNYNYC2x', 'TNYNYC2X', 'TNYNYY1x', 'TNYNYY1X', 'TNYNYY2x', 'TNYNYY2X', 'TYYYYC1x', 'TYYYYC1X', 'TYYYYC2x', 'TYYYYC2X', 'TYYYYY1x', 'TYYYYY1X', 'TYYYYY2x', 'TYYYYY2X', 'TNFNFC1x', 'TNFNFC1X', 'TNFNFC2x', 'TNFNFC2X', 'TNFNFY1x', 'TNFNFY1X', 'TNFNFY2x', 'TNFNFY2X', 'TYFYFC1x', 'TYFYFC1X', 'TYFYFC2x', 'TYFYFC2X', 'TYFYFY1x', 'TYFYFY1X', 'TYFYFY2x', 'TYFYFY2X'] reportdays = [0, 31, 60, 91, 121, 152, 182, 213, 244, 274, 305, 335, 366, 397, 425, 456, 486, 517, 547, 578, 609, 639, 670, 700, 731, 762, 790, 821, 851, 882, 912, 943, 974, 1004, 1035, 1065, 1096, 1127, 1155, 1186, 1216, 1247, 1277, 1308, 1339, 1369, 1400, 1430, 1461, 1492, 1521, 1552, 1582, 1613, 1643, 1674, 1705, 1735, 1766, 1796, 1827, 1858, 1886, 1917, 1947, 1978, 2008, 2039, 2070, 2100, 2131, 2161, 2192, 2223, 2251, 2282, 2312, 2343, 2373, 2404, 2435, 2465, 2496, 2526, 2557, 2588, 2616, 2647, 2677, 2708, 2738, 2769, 2800, 2830, 2861, 2891, 2922, 2953, 2982, 3013, 3043, 3074, 3104, 3135, 3166, 3196, 3227, 3257, 3288, 3319, 3347, 3378, 3408, 3439, 3469, 3500, 3531, 3561, 3592, 3622, 3653, 3684, 3712, 3743, 3773, 3804, 3834, 3865, 3896, 3926, 3957, 3987, 4018, 4049, 4077, 4108, 4138, 4169, 4199, 4230, 4261, 4291, 4322, 4352, 4383, 4414, 4443, 4474, 4504, 4535, 4565, 4596, 4627, 4657, 4688, 4718, 4749, 4780, 4808, 4839, 4869, 4900, 4930, 4961, 4992, 5022, 5053, 5083, 5114, 5145, 5173, 5204, 5234, 5265, 5295, 5326, 5357, 5387, 5418, 5448, 5479, 5510, 5538, 5569, 5599, 5630, 5660, 5691, 5722, 5752, 5783, 5813, 5844, 5875, 5904, 5935, 5965, 5996, 6026, 6057, 6088, 6118, 6149, 6179, 6210, 6241, 6269, 6300, 6330, 6361, 6391, 6422, 6453, 6483, 6514, 6544, 6575, 6606, 6634, 6665, 6695, 6726, 6756, 6787, 6818, 6848, 6879, 6909, 6940, 6971, 6999, 7030, 7060, 7091, 7121, 7152, 7183, 7213, 7244, 7274, 7305, 7336, 7365, 7396, 7426, 7457, 7487, 7518, 7549, 7579, 7610, 7640, 7671, 7702, 7730, 7761, 7791, 7822, 7852, 7883, 7914, 7944, 7975, 8005, 8036, 8067, 8095, 8126, 8156, 8187, 8217, 8248, 8279, 8309, 8340, 8370, 8401, 8432, 8460, 8491, 8521, 8552, 8582, 8613, 8644, 8674, 8705, 8735, 8766, 8797, 8826, 8857, 8887, 8918, 8948, 8979, 9010, 9040, 9071, 9101, 9132, 9163, 9191, 9222, 9252, 9283, 9313, 9344, 9375, 9405, 9436, 9466, 9497, 9528, 9556, 9587, 9617, 9648, 9678, 9709, 9740, 9770, 9801, 9831, 9862, 9893, 9921, 9952, 9982, 10013, 10043, 10074, 10105, 10135, 10166, 10196, 10227, 10258, 10287, 10318, 10348, 10379, 10409, 10440, 10471, 10501, 10532, 10562, 10593, 10624, 10652, 10683, 10713, 10744, 10774, 10805, 10836, 10866, 10897, 10927, 10958] five_yr_cycling_switch_days = [0, 3653, 5478, 7303, 9128, 10953, 10958] first_row_after_burnin = 120 annotation_x_location = 3833 fig4_mft_most_dang_double_2_2_geno_index = [6, 7, 14, 15, 22, 23, 30, 31, 38, 39, 46, 47, 54, 55, 62, 63, 70, 71, 78, 79, 86, 87, 94, 95, 102, 103, 110, 111, 118, 119, 126, 127] fig4_mft_most_dang_double_2_4_geno_index = [20, 21, 22, 23, 52, 53, 54, 55, 76, 77, 78, 79, 108, 109, 110, 111] res_count_by_genotype_dhappq = ['0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2'] res_count_by_genotype_asaq = ['1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '2-2', '2-2', '1-2', '1-2', '1-2', '1-2', '2-3', '2-3', '2-3', '2-3', '0-0', '0-0', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '2-2', '2-2', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '2-2', '2-2', '1-2', '1-2', '1-2', '1-2', '2-3', '2-3', '2-3', '2-3', '0-0', '0-0', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '2-2', '2-2', '1-2', '1-2', '1-2', '1-2', '2-3', '2-3', '2-3', '2-3', '1-3', '1-3', '1-3', '1-3', '2-4', '2-4', '2-4', '2-4', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '2-2', '2-2', '1-2', '1-2', '1-2', '1-2', '2-3', '2-3', '2-3', '2-3', '1-2', '1-2', '1-2', '1-2', '2-3', '2-3', '2-3', '2-3', '1-3', '1-3', '1-3', '1-3', '2-4', '2-4', '2-4', '2-4', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '2-2', '2-2', '1-2', '1-2', '1-2', '1-2', '2-3', '2-3', '2-3', '2-3'] res_count_by_genotype_al = ['1-2', '1-2', '1-2', '1-2', '2-3', '2-3', '2-3', '2-3', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '2-2', '2-2', '1-3', '1-3', '1-3', '1-3', '2-4', '2-4', '2-4', '2-4', '1-2', '1-2', '1-2', '1-2', '2-3', '2-3', '2-3', '2-3', '1-2', '1-2', '1-2', '1-2', '2-3', '2-3', '2-3', '2-3', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '2-2', '2-2', '1-3', '1-3', '1-3', '1-3', '2-4', '2-4', '2-4', '2-4', '1-2', '1-2', '1-2', '1-2', '2-3', '2-3', '2-3', '2-3', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '2-2', '2-2', '0-0', '0-0', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '1-2', '1-2', '1-2', '1-2', '2-3', '2-3', '2-3', '2-3', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '2-2', '2-2', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '2-2', '2-2', '0-0', '0-0', '0-0', '0-0', '1-1', '1-1', '1-1', '1-1', '1-2', '1-2', '1-2', '1-2', '2-3', '2-3', '2-3', '2-3', '1-1', '1-1', '1-1', '1-1', '2-2', '2-2', '2-2', '2-2']
# -*- coding: utf-8 -*- """ mongoop.default_settings ~~~~~~~~~~~~~~~~~~~~~~~~ :copyright: (c) 2015 by Lujeni. :license: BSD, see LICENSE for more details. """ mongodb_host = 'localhost' mongodb_port = 27017 mongodb_credentials = None mongodb_options = None frequency = 10 threshold_timeout = 60 op_triggers = None balancer_triggers = None query = None
""" mongoop.default_settings ~~~~~~~~~~~~~~~~~~~~~~~~ :copyright: (c) 2015 by Lujeni. :license: BSD, see LICENSE for more details. """ mongodb_host = 'localhost' mongodb_port = 27017 mongodb_credentials = None mongodb_options = None frequency = 10 threshold_timeout = 60 op_triggers = None balancer_triggers = None query = None
# Definition for singly-linked list. # class ListNode(object): # def __init__(self, x): # self.val = x # self.next = None class Solution(object): def getIntersectionNode(self, headA, headB): a, b = headA, headB while a != b: a = a.next if a else headB b = b.next if b else headA return a
class Solution(object): def get_intersection_node(self, headA, headB): (a, b) = (headA, headB) while a != b: a = a.next if a else headB b = b.next if b else headA return a
class DriverMeta(type): def __instancecheck__(cls, __instance) -> bool: return cls.__subclasscheck__(type(__instance)) def __subclasscheck__(cls, __subclass: type) -> bool: return ( hasattr(__subclass, 'create') and callable(__subclass.create) ) and ( hasattr(__subclass, 'logs') and callable(__subclass.logs) ) and ( hasattr(__subclass, 'stats') and callable(__subclass.stats) ) and ( hasattr(__subclass, 'stop') and callable(__subclass.stop) ) and ( hasattr(__subclass, 'cleanup') and callable(__subclass.cleanup) ) and ( hasattr(__subclass, 'wait') and callable(__subclass.wait) ) class Driver(metaclass=DriverMeta): pass
class Drivermeta(type): def __instancecheck__(cls, __instance) -> bool: return cls.__subclasscheck__(type(__instance)) def __subclasscheck__(cls, __subclass: type) -> bool: return (hasattr(__subclass, 'create') and callable(__subclass.create)) and (hasattr(__subclass, 'logs') and callable(__subclass.logs)) and (hasattr(__subclass, 'stats') and callable(__subclass.stats)) and (hasattr(__subclass, 'stop') and callable(__subclass.stop)) and (hasattr(__subclass, 'cleanup') and callable(__subclass.cleanup)) and (hasattr(__subclass, 'wait') and callable(__subclass.wait)) class Driver(metaclass=DriverMeta): pass
# Simple example using ifs cars = ['volks', 'ford', 'audi', 'bmw', 'toyota'] for car in cars: if car == 'bmw': print(car.upper()) else: print(car.title()) # Comparing Values # # requested_toppings = 'mushrooms' # if requested_toppings != 'anchovies': # print('Hold the Anchovies') # # # # Checking a value not in a list # # banned_users = ['andrew', 'claudia', 'jorge'] # user = 'marie' # # if user not in banned_users: # print(f'{user.title()}, you can post a message here') age = 18 if age >= 18: print('OK to vote')
cars = ['volks', 'ford', 'audi', 'bmw', 'toyota'] for car in cars: if car == 'bmw': print(car.upper()) else: print(car.title()) age = 18 if age >= 18: print('OK to vote')
class Squad(): def __init__(self, handler, role, hold_point): self.handler = handler if len(handler.squads[role]) > 0: self.id = handler.squads[role][-1].id + 1 else: self.id = 1 self.units = { handler.unit.MARINE: [], handler.unit.SIEGETANK: [] } # type : [unit] self.role = role self.composition = self.handler.composition(self.role) self.full = False self.hold_point = hold_point self.on_mission = False def assign(self, unit): self.units[unit.unit_type].append(unit) def train(self): self.full = True for unit_type, amount in self.composition.items(): if len(self.units[unit_type]) < amount: self.full = False #print("Train " + unit_type.name) self.handler.train(unit_type, amount - len(self.units[unit_type])) def move_to_hold_point(self): self.move(self.hold_point) def move(self, pos): for _, units in self.units.items(): for unit in units: if util.distance(unit.position, pos) > 3: if unit.unit_type == self.handler.unit.SIEGETANKSIEGED: unit.morph(self.handler.unit.SIEGETANK) unit.move(pos) elif unit.unit_type == self.handler.unit.SIEGETANK: unit.morph(self.handler.unit.SIEGETANKSIEGED) def attack_move(self, pos): for unit_type, units in self.units.items(): for unit in units: if unit_type == self.handler.unit.SIEGETANK: unit.morph(self.handler.unit.SIEGETANK) if unit.is_idle: unit.attack_move(pos) def is_empty(self): return len(self.units[self.handler.unit.MARINE]) == 0 and len(self.units[self.handler.unit.SIEGETANK]) == 0
class Squad: def __init__(self, handler, role, hold_point): self.handler = handler if len(handler.squads[role]) > 0: self.id = handler.squads[role][-1].id + 1 else: self.id = 1 self.units = {handler.unit.MARINE: [], handler.unit.SIEGETANK: []} self.role = role self.composition = self.handler.composition(self.role) self.full = False self.hold_point = hold_point self.on_mission = False def assign(self, unit): self.units[unit.unit_type].append(unit) def train(self): self.full = True for (unit_type, amount) in self.composition.items(): if len(self.units[unit_type]) < amount: self.full = False self.handler.train(unit_type, amount - len(self.units[unit_type])) def move_to_hold_point(self): self.move(self.hold_point) def move(self, pos): for (_, units) in self.units.items(): for unit in units: if util.distance(unit.position, pos) > 3: if unit.unit_type == self.handler.unit.SIEGETANKSIEGED: unit.morph(self.handler.unit.SIEGETANK) unit.move(pos) elif unit.unit_type == self.handler.unit.SIEGETANK: unit.morph(self.handler.unit.SIEGETANKSIEGED) def attack_move(self, pos): for (unit_type, units) in self.units.items(): for unit in units: if unit_type == self.handler.unit.SIEGETANK: unit.morph(self.handler.unit.SIEGETANK) if unit.is_idle: unit.attack_move(pos) def is_empty(self): return len(self.units[self.handler.unit.MARINE]) == 0 and len(self.units[self.handler.unit.SIEGETANK]) == 0
# https://leetcode.com/problems/unique-binary-search-trees-ii/ # Definition for a binary tree node. class TreeNode(object): def __init__(self, x): self.val = x self.left = None self.right = None class Solution(object): def generateTrees(self, n): """ :type n: int :rtype: List[TreeNode] """ if n == 0: return [] return self.calculate(1, n) def calculate(self, start, end): result = [] if start > end: result.append(None) return result for i in range(start, end + 1): leftsubtree = self.calculate(start, i - 1) rightsubtree = self.calculate(i + 1, end) for j in range(len(leftsubtree)): for k in range(len(rightsubtree)): root = TreeNode(i) root.left = leftsubtree[j] root.right = rightsubtree[k] result.append(root) return result
class Treenode(object): def __init__(self, x): self.val = x self.left = None self.right = None class Solution(object): def generate_trees(self, n): """ :type n: int :rtype: List[TreeNode] """ if n == 0: return [] return self.calculate(1, n) def calculate(self, start, end): result = [] if start > end: result.append(None) return result for i in range(start, end + 1): leftsubtree = self.calculate(start, i - 1) rightsubtree = self.calculate(i + 1, end) for j in range(len(leftsubtree)): for k in range(len(rightsubtree)): root = tree_node(i) root.left = leftsubtree[j] root.right = rightsubtree[k] result.append(root) return result
infile=open('pairin.txt','r') n=int(infile.readline().strip()) dic={} for i in range(2*n): sn=int(infile.readline().strip()) if sn not in dic: dic[sn]=i else: dic[sn]-=i maxkey=min(dic,key=dic.get) outfile=open('pairout.txt','w') outfile.write(str(abs(dic[maxkey]))) outfile.close()
infile = open('pairin.txt', 'r') n = int(infile.readline().strip()) dic = {} for i in range(2 * n): sn = int(infile.readline().strip()) if sn not in dic: dic[sn] = i else: dic[sn] -= i maxkey = min(dic, key=dic.get) outfile = open('pairout.txt', 'w') outfile.write(str(abs(dic[maxkey]))) outfile.close()
""" Queue via Stacks Implement a MyQueue class which implements a queue using two stacks. Questions and Assumptions: Model 1: Back to Back ArrayStacks MyQ stack1 stack2 t2 t1 [ ][ x1 x2 x3 x4] f ? b 1. Interface: - enqueue - dequeue - front 2. Top Down - enq ----> popping from the front - deq ---> adding item to the end 3. Do the stacks have any size limits? - assume no - But, 4. Time Constraints on the Data Structure? - for now assume none 5. Should we account for error handling e.g. dequeing from an empty queue? Break Down the Problem - is it possible to implement a q w/ 1 stack? no, b/c LIFO not FIFO [x1 x2 x3 x4 x5] t1 how to go from LIFO -> FIFO using a second stack? Brainstorming: 1. use a second stack to reverse the first - fill up the first stack however much - once it got full, pop all the items into another stack - then if someone calls pop, pop normally from the second stack [x6 ] t1 [x5 x4 x3 x2 x1] t2 Pros: - slow - imposes size restrictions 2. Using a LinkedList to immplement the stack - intuition: use stack2 to get access to the "bottom" stack1 - approach: - enqueue - append to the tail of a ll - deq - delete head - front - return item at the end Pros: - resolves ambiguity about middle - no size restrictions - fast """ class QueueNode: """Regular to a node in a regular singly linked list.""" def __init__(self, val): self.val = val self.next = None class MyQueue: def __init__(self, top: QueueNode): self.top, self.back = top, None def front(self): if self.top is not None: return self.top.val def enqueue(self, node: QueueNode): # TODO: test cases for all 3 scenarios; and refactor # no current head if not self.top: self.top = node # no current tail elif not self.back: self.back = node # adding a node after the current else: self.back.next = node self.back = node def dequeue(self) -> QueueNode: if self.top is not None: front = self.top self.top = self.top.next return front if __name__ == "__main__": # A: init MyQ w/ no head or tail, then enQ q = MyQueue(None) x1 = QueueNode(1) q.enqueue(x1) assert q.top == x1 assert q.top.next == None assert q.back == None assert q.top.next == q.back # B: init MyQ w/ a head, then enQ # C: enq after there's a head and tail pass """ top = None back = None List ____ """
""" Queue via Stacks Implement a MyQueue class which implements a queue using two stacks. Questions and Assumptions: Model 1: Back to Back ArrayStacks MyQ stack1 stack2 t2 t1 [ ][ x1 x2 x3 x4] f ? b 1. Interface: - enqueue - dequeue - front 2. Top Down - enq ----> popping from the front - deq ---> adding item to the end 3. Do the stacks have any size limits? - assume no - But, 4. Time Constraints on the Data Structure? - for now assume none 5. Should we account for error handling e.g. dequeing from an empty queue? Break Down the Problem - is it possible to implement a q w/ 1 stack? no, b/c LIFO not FIFO [x1 x2 x3 x4 x5] t1 how to go from LIFO -> FIFO using a second stack? Brainstorming: 1. use a second stack to reverse the first - fill up the first stack however much - once it got full, pop all the items into another stack - then if someone calls pop, pop normally from the second stack [x6 ] t1 [x5 x4 x3 x2 x1] t2 Pros: - slow - imposes size restrictions 2. Using a LinkedList to immplement the stack - intuition: use stack2 to get access to the "bottom" stack1 - approach: - enqueue - append to the tail of a ll - deq - delete head - front - return item at the end Pros: - resolves ambiguity about middle - no size restrictions - fast """ class Queuenode: """Regular to a node in a regular singly linked list.""" def __init__(self, val): self.val = val self.next = None class Myqueue: def __init__(self, top: QueueNode): (self.top, self.back) = (top, None) def front(self): if self.top is not None: return self.top.val def enqueue(self, node: QueueNode): if not self.top: self.top = node elif not self.back: self.back = node else: self.back.next = node self.back = node def dequeue(self) -> QueueNode: if self.top is not None: front = self.top self.top = self.top.next return front if __name__ == '__main__': q = my_queue(None) x1 = queue_node(1) q.enqueue(x1) assert q.top == x1 assert q.top.next == None assert q.back == None assert q.top.next == q.back pass '\ntop = None\nback = None\n\nList\n____\n'
class Solution(object): def singleNumber(self, nums): """ :type nums: List[int] :rtype: List[int] """ workingset = set() for n in nums: if n not in workingset: workingset.add(n) else: workingset.remove(n) return list(workingset)
class Solution(object): def single_number(self, nums): """ :type nums: List[int] :rtype: List[int] """ workingset = set() for n in nums: if n not in workingset: workingset.add(n) else: workingset.remove(n) return list(workingset)
''' Created on Dec 4, 2017 @author: atip ''' def getAdjSquareSum(): global posX, posY, valMatrix adjSquareSum = 0 adjSquareSum += valMatrix[maxRange + posX + 1][maxRange + posY] adjSquareSum += valMatrix[maxRange + posX + 1][maxRange + posY + 1] adjSquareSum += valMatrix[maxRange + posX][maxRange + posY + 1] adjSquareSum += valMatrix[maxRange + posX - 1][maxRange + posY + 1] adjSquareSum += valMatrix[maxRange + posX - 1][maxRange + posY] adjSquareSum += valMatrix[maxRange + posX - 1][maxRange + posY - 1] adjSquareSum += valMatrix[maxRange + posX][maxRange + posY - 1] adjSquareSum += valMatrix[maxRange + posX + 1][maxRange + posY - 1] return adjSquareSum def check(): global posX, posY, theirNumber, maxRange, valMatrix found = valMatrix[maxRange + posX][maxRange + posY] > theirNumber if found: print("[{}][{}] +++> {}".format(posX, posY, valMatrix[maxRange + posX][maxRange + posY])) return found def checkAndUpdate(): global posX, posY, theirNumber, maxRange, valMatrix crtSum = getAdjSquareSum() if crtSum == 0: crtSum = 1 valMatrix[maxRange + posX][maxRange + posY] = crtSum print("[{}][{}] => {}".format(posX, posY, crtSum)) return check() def goSpiraling(stepX, stepY): global posX, posY, theirNumber, maxRange, valMatrix finished = False while stepX > 0 and not finished: print("stepX > 0 : stepX: {}, posX: {}".format(stepX, posX)) posX += 1 stepX -= 1 finished = checkAndUpdate() # finished = True while stepX < 0 and not finished: print("stepX < 0 : stepX: {}, posX: {}".format(stepX, posX)) posX -= 1 stepX += 1 finished = checkAndUpdate() # finished = True while stepY > 0 and not finished: print("stepY > 0 : stepY: {}, posY: {}".format(stepY, posY)) posY += 1 stepY -= 1 finished = checkAndUpdate() # finished = True while stepY < 0 and not finished: print("stepY < 0 : stepY: {}, posY: {}".format(stepY, posY)) posY -= 1 stepY += 1 finished = checkAndUpdate() # finished = True if valMatrix[maxRange + posX][maxRange + posY] > theirNumber: return check() return False print("Let us begin!") theirNumber = 265149 # 438 # theirNumber = 1 #0 # theirNumber = 747 valMatrix = [[0 for col in range(200)] for row in range(200)] maxRange = 100 maxNo = 1 crtStep = 0 posX = 0 posY = 0 finished = False crtNumber = 1 valMatrix[maxRange + posX][maxRange + posY] = 1 while not finished: finished = goSpiraling(1, 0) crtStep += 1 if not finished: finished = goSpiraling(0, crtStep) crtStep += 1 if not finished: finished = goSpiraling(-crtStep, 0) if not finished: finished = goSpiraling(0, -crtStep) if not finished: finished = goSpiraling(crtStep, 0) print("[{}][{}] ==>> {}".format(posX, posY, valMatrix[maxRange + posX][maxRange + posY]))
""" Created on Dec 4, 2017 @author: atip """ def get_adj_square_sum(): global posX, posY, valMatrix adj_square_sum = 0 adj_square_sum += valMatrix[maxRange + posX + 1][maxRange + posY] adj_square_sum += valMatrix[maxRange + posX + 1][maxRange + posY + 1] adj_square_sum += valMatrix[maxRange + posX][maxRange + posY + 1] adj_square_sum += valMatrix[maxRange + posX - 1][maxRange + posY + 1] adj_square_sum += valMatrix[maxRange + posX - 1][maxRange + posY] adj_square_sum += valMatrix[maxRange + posX - 1][maxRange + posY - 1] adj_square_sum += valMatrix[maxRange + posX][maxRange + posY - 1] adj_square_sum += valMatrix[maxRange + posX + 1][maxRange + posY - 1] return adjSquareSum def check(): global posX, posY, theirNumber, maxRange, valMatrix found = valMatrix[maxRange + posX][maxRange + posY] > theirNumber if found: print('[{}][{}] +++> {}'.format(posX, posY, valMatrix[maxRange + posX][maxRange + posY])) return found def check_and_update(): global posX, posY, theirNumber, maxRange, valMatrix crt_sum = get_adj_square_sum() if crtSum == 0: crt_sum = 1 valMatrix[maxRange + posX][maxRange + posY] = crtSum print('[{}][{}] => {}'.format(posX, posY, crtSum)) return check() def go_spiraling(stepX, stepY): global posX, posY, theirNumber, maxRange, valMatrix finished = False while stepX > 0 and (not finished): print('stepX > 0 : stepX: {}, posX: {}'.format(stepX, posX)) pos_x += 1 step_x -= 1 finished = check_and_update() while stepX < 0 and (not finished): print('stepX < 0 : stepX: {}, posX: {}'.format(stepX, posX)) pos_x -= 1 step_x += 1 finished = check_and_update() while stepY > 0 and (not finished): print('stepY > 0 : stepY: {}, posY: {}'.format(stepY, posY)) pos_y += 1 step_y -= 1 finished = check_and_update() while stepY < 0 and (not finished): print('stepY < 0 : stepY: {}, posY: {}'.format(stepY, posY)) pos_y -= 1 step_y += 1 finished = check_and_update() if valMatrix[maxRange + posX][maxRange + posY] > theirNumber: return check() return False print('Let us begin!') their_number = 265149 val_matrix = [[0 for col in range(200)] for row in range(200)] max_range = 100 max_no = 1 crt_step = 0 pos_x = 0 pos_y = 0 finished = False crt_number = 1 valMatrix[maxRange + posX][maxRange + posY] = 1 while not finished: finished = go_spiraling(1, 0) crt_step += 1 if not finished: finished = go_spiraling(0, crtStep) crt_step += 1 if not finished: finished = go_spiraling(-crtStep, 0) if not finished: finished = go_spiraling(0, -crtStep) if not finished: finished = go_spiraling(crtStep, 0) print('[{}][{}] ==>> {}'.format(posX, posY, valMatrix[maxRange + posX][maxRange + posY]))
# # @lc app=leetcode id=77 lang=python3 # # [77] Combinations # # @lc code=start class Solution: def combine(self, n, k): self.ans = [] nums = [num for num in range(1, n + 1)] if n == k: self.ans.append(nums) return self.ans else: ls = [] self.helper(nums, k, ls) return self.ans def helper(self, array, k, current_ls): if k > len(array): return if k == 0: self.ans.append(current_ls) for i in range(len(array)): self.helper(array[i + 1:], k - 1, [array[i]] + current_ls) # @lc code=end
class Solution: def combine(self, n, k): self.ans = [] nums = [num for num in range(1, n + 1)] if n == k: self.ans.append(nums) return self.ans else: ls = [] self.helper(nums, k, ls) return self.ans def helper(self, array, k, current_ls): if k > len(array): return if k == 0: self.ans.append(current_ls) for i in range(len(array)): self.helper(array[i + 1:], k - 1, [array[i]] + current_ls)
# Copyright (c) 2006-2009 Mitch Garnaat http://garnaat.org/ # # Permission is hereby granted, free of charge, to any person obtaining a # copy of this software and associated documentation files (the # "Software"), to deal in the Software without restriction, including # without limitation the rights to use, copy, modify, merge, publish, dis- # tribute, sublicense, and/or sell copies of the Software, and to permit # persons to whom the Software is furnished to do so, subject to the fol- # lowing conditions: # # The above copyright notice and this permission notice shall be included # in all copies or substantial portions of the Software. # # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS # OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABIL- # ITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT # SHALL THE AUTHOR BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, # WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, # OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS # IN THE SOFTWARE. def get(prop, choices=None): prompt = prop.verbose_name if not prompt: prompt = prop.name if choices: if callable(choices): choices = choices() else: choices = prop.get_choices() valid = False while not valid: if choices: min = 1 max = len(choices) for i in range(min, max+1): value = choices[i-1] if isinstance(value, tuple): value = value[0] print('[%d] %s' % (i, value)) value = raw_input('%s [%d-%d]: ' % (prompt, min, max)) try: int_value = int(value) value = choices[int_value-1] if isinstance(value, tuple): value = value[1] valid = True except ValueError: print('%s is not a valid choice' % value) except IndexError: print('%s is not within the range[%d-%d]' % (min, max)) else: value = raw_input('%s: ' % prompt) try: value = prop.validate(value) if prop.empty(value) and prop.required: print('A value is required') else: valid = True except: print('Invalid value: %s' % value) return value
def get(prop, choices=None): prompt = prop.verbose_name if not prompt: prompt = prop.name if choices: if callable(choices): choices = choices() else: choices = prop.get_choices() valid = False while not valid: if choices: min = 1 max = len(choices) for i in range(min, max + 1): value = choices[i - 1] if isinstance(value, tuple): value = value[0] print('[%d] %s' % (i, value)) value = raw_input('%s [%d-%d]: ' % (prompt, min, max)) try: int_value = int(value) value = choices[int_value - 1] if isinstance(value, tuple): value = value[1] valid = True except ValueError: print('%s is not a valid choice' % value) except IndexError: print('%s is not within the range[%d-%d]' % (min, max)) else: value = raw_input('%s: ' % prompt) try: value = prop.validate(value) if prop.empty(value) and prop.required: print('A value is required') else: valid = True except: print('Invalid value: %s' % value) return value
""" Linear search is used on a collections of items. It relies on the technique of traversing a list from start to end by exploring properties of all the elements that are found on the way. The time complexity of the linear search is O(N) because each element in an array is compared only once. """ def linear_search(arr_param, item): pos = 0 found = False while pos < len(arr_param) and not found: if arr_param[pos] == item: found = True print("Position", pos) else: pos += 1 return found arr = [] print("Linear Search\n") # array size m = int(input("Enter the array size:>>")) # array input print("Enter the array elements(new line):\n") for l in range(m): arr.append(int(input())) # input search element find = int(input("Enter the search value:>>")) # search the element in input array print("Value Found" if linear_search(arr, find) else "Value Not Found")
""" Linear search is used on a collections of items. It relies on the technique of traversing a list from start to end by exploring properties of all the elements that are found on the way. The time complexity of the linear search is O(N) because each element in an array is compared only once. """ def linear_search(arr_param, item): pos = 0 found = False while pos < len(arr_param) and (not found): if arr_param[pos] == item: found = True print('Position', pos) else: pos += 1 return found arr = [] print('Linear Search\n') m = int(input('Enter the array size:>>')) print('Enter the array elements(new line):\n') for l in range(m): arr.append(int(input())) find = int(input('Enter the search value:>>')) print('Value Found' if linear_search(arr, find) else 'Value Not Found')
METR_LA_DATASET_NAME = 'metr_la' PEMS_BAY_DATASET_NAME = 'pems_bay' IN_MEMORY = 'mem' ON_DISK = 'disk'
metr_la_dataset_name = 'metr_la' pems_bay_dataset_name = 'pems_bay' in_memory = 'mem' on_disk = 'disk'
class Token(object): def __init__(self, access_token, refresh_token, lifetime): self.access_token = access_token # Access token value self.refresh_token = refresh_token # Token needed for refreshing access token self.lifetime = lifetime # Access token lifetime
class Token(object): def __init__(self, access_token, refresh_token, lifetime): self.access_token = access_token self.refresh_token = refresh_token self.lifetime = lifetime
def main(): print(hi) if __name__ == '__main__': main()
def main(): print(hi) if __name__ == '__main__': main()
class Node: def __init__(self, data): self.data = data self.next = None def __repr__(self): return self.data class LinkedList: def __init__(self): self.front = None self.rear = None def __repr__(self): current = self.front nodes = [] while (current is not None): nodes.append(current.data) current = current.next nodes.append('None') return '->'.join(nodes) def __iter__(self): current = self.front while (current is not None): yield current current = current.next def add_front(self, data): node = Node(data) node.next = self.front if (self.front is None and self.rear is None): self.front = node self.rear = node else: self.front = node def add_rear(self, data): node = Node(data) if (self.front is None and self.rear is None): self.front = node self.rear = node else: self.rear.next = node self.rear = node def add_after(self, target_node_data, new_node_data): if self.front is None: raise('Linked List is empty !!!') for node in self: if node.data == target_node_data: if node.next is None: return self.add_rear(new_node_data) else: new_node = Node(new_node_data) new_node.next = node.next node.next = new_node return raise Exception('Node with data {} not found in linked list' .format(target_node_data)) def add_before(self, target_node_data, new_node_data): if self.front == None: raise Exception('Linked List is empty') if self.front.data == target_node_data: return self.add_front(new_node_data) previous_node = self.front for node in self: if node.data == target_node_data: new_node = Node(new_node_data) new_node.next = node previous_node.next = new_node return previous_node = node raise Exception('Node with data {} not found in linked list' .format(target_node_data)) def remove_node(self, target_node_data): if self.front is None: raise Exception('Linked List is empty') if self.front.data == target_node_data: self.front = self.front.next return previous_node = self.front for node in self: if node.data == target_node_data: previous_node.next = node.next return previous_node = node raise Exception('Node with data {} not found in linked list' .format(target_node_data)) def reverse(self): if self.front is None: raise Exception('Linked list is empty') # self.rear = self.front prev_node = None current_node = self.front while (current_node is not None): next_node = current_node.next current_node.next = prev_node prev_node = current_node current_node = next_node self.front = prev_node def sort(self): if self.front is None: raise Exception('Linked list is empty') for node in self: next_node = node.next while next_node is not None: if node.data > next_node.data: node.data, next_node.data = next_node.data, node.data next_node = next_node.next def singly_single_list(): llist = LinkedList() foo = 0 for item in ['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j']: if foo % 2 == 0: llist.add_front(item) else: llist.add_rear(item) foo += 1 print(llist) llist.add_after('j', 'o') llist.add_after('a', 'k') llist.add_after('f', 'f') llist.add_after('i', 'n') llist.add_rear('m') print(llist) llist.add_before('i', 'z') llist.add_before('z', 'y') llist.add_before('n', 'p') llist.add_before('m', 'q') # llist.add_before('x', 'u') print(llist) llist.remove_node('y') llist.remove_node('m') llist.remove_node('a') print(llist) print('*** Reversing linked list ***') llist.reverse() print(llist) llist.sort() print('*** Sorted linked list ***') print(llist) if __name__ == '__main__': singly_single_list()
class Node: def __init__(self, data): self.data = data self.next = None def __repr__(self): return self.data class Linkedlist: def __init__(self): self.front = None self.rear = None def __repr__(self): current = self.front nodes = [] while current is not None: nodes.append(current.data) current = current.next nodes.append('None') return '->'.join(nodes) def __iter__(self): current = self.front while current is not None: yield current current = current.next def add_front(self, data): node = node(data) node.next = self.front if self.front is None and self.rear is None: self.front = node self.rear = node else: self.front = node def add_rear(self, data): node = node(data) if self.front is None and self.rear is None: self.front = node self.rear = node else: self.rear.next = node self.rear = node def add_after(self, target_node_data, new_node_data): if self.front is None: raise 'Linked List is empty !!!' for node in self: if node.data == target_node_data: if node.next is None: return self.add_rear(new_node_data) else: new_node = node(new_node_data) new_node.next = node.next node.next = new_node return raise exception('Node with data {} not found in linked list'.format(target_node_data)) def add_before(self, target_node_data, new_node_data): if self.front == None: raise exception('Linked List is empty') if self.front.data == target_node_data: return self.add_front(new_node_data) previous_node = self.front for node in self: if node.data == target_node_data: new_node = node(new_node_data) new_node.next = node previous_node.next = new_node return previous_node = node raise exception('Node with data {} not found in linked list'.format(target_node_data)) def remove_node(self, target_node_data): if self.front is None: raise exception('Linked List is empty') if self.front.data == target_node_data: self.front = self.front.next return previous_node = self.front for node in self: if node.data == target_node_data: previous_node.next = node.next return previous_node = node raise exception('Node with data {} not found in linked list'.format(target_node_data)) def reverse(self): if self.front is None: raise exception('Linked list is empty') prev_node = None current_node = self.front while current_node is not None: next_node = current_node.next current_node.next = prev_node prev_node = current_node current_node = next_node self.front = prev_node def sort(self): if self.front is None: raise exception('Linked list is empty') for node in self: next_node = node.next while next_node is not None: if node.data > next_node.data: (node.data, next_node.data) = (next_node.data, node.data) next_node = next_node.next def singly_single_list(): llist = linked_list() foo = 0 for item in ['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j']: if foo % 2 == 0: llist.add_front(item) else: llist.add_rear(item) foo += 1 print(llist) llist.add_after('j', 'o') llist.add_after('a', 'k') llist.add_after('f', 'f') llist.add_after('i', 'n') llist.add_rear('m') print(llist) llist.add_before('i', 'z') llist.add_before('z', 'y') llist.add_before('n', 'p') llist.add_before('m', 'q') print(llist) llist.remove_node('y') llist.remove_node('m') llist.remove_node('a') print(llist) print('*** Reversing linked list ***') llist.reverse() print(llist) llist.sort() print('*** Sorted linked list ***') print(llist) if __name__ == '__main__': singly_single_list()
def f(): a = 10 result = 0 result = sum_squares(a, result) print("Sum of squares: " + result) def sum_squares(a_new, result_new): while a_new < 10: result_new += a_new * a_new a_new += 1 return result_new
def f(): a = 10 result = 0 result = sum_squares(a, result) print('Sum of squares: ' + result) def sum_squares(a_new, result_new): while a_new < 10: result_new += a_new * a_new a_new += 1 return result_new
m = float(input('Digite um tamanho (em metros): ')) dm = m * 10 cm = m * 100 mm = m * 1000 dam = m / 10 hm = m / 100 km = m / 1000 print('convertendo...') print('[dm] =', dm) print('[cm] =', cm) print('[mm] =', mm) print('[dam] =', dam) print('[hm] =', hm) print('[km] =', km)
m = float(input('Digite um tamanho (em metros): ')) dm = m * 10 cm = m * 100 mm = m * 1000 dam = m / 10 hm = m / 100 km = m / 1000 print('convertendo...') print('[dm] =', dm) print('[cm] =', cm) print('[mm] =', mm) print('[dam] =', dam) print('[hm] =', hm) print('[km] =', km)
#Input, arguments def add(x,y): z = x + y b = 'I am here' a = 'hello' return z,b,a x = 20 y = 5 # Calling function print(add(x,y)) z = add(x,y) #same thing print(z) print(add(10,5)) #same thing
def add(x, y): z = x + y b = 'I am here' a = 'hello' return (z, b, a) x = 20 y = 5 print(add(x, y)) z = add(x, y) print(z) print(add(10, 5))
def main(request, response): referrer = request.headers.get("referer", "") response_headers = [("Content-Type", "text/javascript")]; return (200, response_headers, "window.referrer = '" + referrer + "'")
def main(request, response): referrer = request.headers.get('referer', '') response_headers = [('Content-Type', 'text/javascript')] return (200, response_headers, "window.referrer = '" + referrer + "'")
# # PySNMP MIB module IANA-ADDRESS-FAMILY-NUMBERS-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/IANA-ADDRESS-FAMILY-NUMBERS-MIB # Produced by pysmi-0.3.4 at Mon Apr 29 16:50:53 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # Integer, OctetString, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "Integer", "OctetString", "ObjectIdentifier") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ValueSizeConstraint, ConstraintsIntersection, ValueRangeConstraint, SingleValueConstraint, ConstraintsUnion = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueSizeConstraint", "ConstraintsIntersection", "ValueRangeConstraint", "SingleValueConstraint", "ConstraintsUnion") ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup") ObjectIdentity, ModuleIdentity, NotificationType, TimeTicks, Counter32, Gauge32, iso, Counter64, Unsigned32, MibScalar, MibTable, MibTableRow, MibTableColumn, MibIdentifier, Bits, Integer32, IpAddress, mib_2 = mibBuilder.importSymbols("SNMPv2-SMI", "ObjectIdentity", "ModuleIdentity", "NotificationType", "TimeTicks", "Counter32", "Gauge32", "iso", "Counter64", "Unsigned32", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "MibIdentifier", "Bits", "Integer32", "IpAddress", "mib-2") TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString") ianaAddressFamilyNumbers = ModuleIdentity((1, 3, 6, 1, 2, 1, 72)) ianaAddressFamilyNumbers.setRevisions(('2014-09-02 00:00', '2013-09-25 00:00', '2013-07-16 00:00', '2013-06-26 00:00', '2013-06-18 00:00', '2002-03-14 00:00', '2000-09-08 00:00', '2000-03-01 00:00', '2000-02-04 00:00', '1999-08-26 00:00',)) if mibBuilder.loadTexts: ianaAddressFamilyNumbers.setLastUpdated('201409020000Z') if mibBuilder.loadTexts: ianaAddressFamilyNumbers.setOrganization('IANA') class AddressFamilyNumbers(TextualConvention, Integer32): status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 16384, 16385, 16386, 16387, 16388, 16389, 16390, 16391, 16392, 16393, 16394, 16395, 16396, 65535)) namedValues = NamedValues(("other", 0), ("ipV4", 1), ("ipV6", 2), ("nsap", 3), ("hdlc", 4), ("bbn1822", 5), ("all802", 6), ("e163", 7), ("e164", 8), ("f69", 9), ("x121", 10), ("ipx", 11), ("appleTalk", 12), ("decnetIV", 13), ("banyanVines", 14), ("e164withNsap", 15), ("dns", 16), ("distinguishedName", 17), ("asNumber", 18), ("xtpOverIpv4", 19), ("xtpOverIpv6", 20), ("xtpNativeModeXTP", 21), ("fibreChannelWWPN", 22), ("fibreChannelWWNN", 23), ("gwid", 24), ("afi", 25), ("mplsTpSectionEndpointIdentifier", 26), ("mplsTpLspEndpointIdentifier", 27), ("mplsTpPseudowireEndpointIdentifier", 28), ("eigrpCommonServiceFamily", 16384), ("eigrpIpv4ServiceFamily", 16385), ("eigrpIpv6ServiceFamily", 16386), ("lispCanonicalAddressFormat", 16387), ("bgpLs", 16388), ("fortyeightBitMac", 16389), ("sixtyfourBitMac", 16390), ("oui", 16391), ("mac24", 16392), ("mac40", 16393), ("ipv664", 16394), ("rBridgePortID", 16395), ("trillNickname", 16396), ("reserved", 65535)) mibBuilder.exportSymbols("IANA-ADDRESS-FAMILY-NUMBERS-MIB", PYSNMP_MODULE_ID=ianaAddressFamilyNumbers, AddressFamilyNumbers=AddressFamilyNumbers, ianaAddressFamilyNumbers=ianaAddressFamilyNumbers)
(integer, octet_string, object_identifier) = mibBuilder.importSymbols('ASN1', 'Integer', 'OctetString', 'ObjectIdentifier') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (value_size_constraint, constraints_intersection, value_range_constraint, single_value_constraint, constraints_union) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueSizeConstraint', 'ConstraintsIntersection', 'ValueRangeConstraint', 'SingleValueConstraint', 'ConstraintsUnion') (module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup') (object_identity, module_identity, notification_type, time_ticks, counter32, gauge32, iso, counter64, unsigned32, mib_scalar, mib_table, mib_table_row, mib_table_column, mib_identifier, bits, integer32, ip_address, mib_2) = mibBuilder.importSymbols('SNMPv2-SMI', 'ObjectIdentity', 'ModuleIdentity', 'NotificationType', 'TimeTicks', 'Counter32', 'Gauge32', 'iso', 'Counter64', 'Unsigned32', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'MibIdentifier', 'Bits', 'Integer32', 'IpAddress', 'mib-2') (textual_convention, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString') iana_address_family_numbers = module_identity((1, 3, 6, 1, 2, 1, 72)) ianaAddressFamilyNumbers.setRevisions(('2014-09-02 00:00', '2013-09-25 00:00', '2013-07-16 00:00', '2013-06-26 00:00', '2013-06-18 00:00', '2002-03-14 00:00', '2000-09-08 00:00', '2000-03-01 00:00', '2000-02-04 00:00', '1999-08-26 00:00')) if mibBuilder.loadTexts: ianaAddressFamilyNumbers.setLastUpdated('201409020000Z') if mibBuilder.loadTexts: ianaAddressFamilyNumbers.setOrganization('IANA') class Addressfamilynumbers(TextualConvention, Integer32): status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 16384, 16385, 16386, 16387, 16388, 16389, 16390, 16391, 16392, 16393, 16394, 16395, 16396, 65535)) named_values = named_values(('other', 0), ('ipV4', 1), ('ipV6', 2), ('nsap', 3), ('hdlc', 4), ('bbn1822', 5), ('all802', 6), ('e163', 7), ('e164', 8), ('f69', 9), ('x121', 10), ('ipx', 11), ('appleTalk', 12), ('decnetIV', 13), ('banyanVines', 14), ('e164withNsap', 15), ('dns', 16), ('distinguishedName', 17), ('asNumber', 18), ('xtpOverIpv4', 19), ('xtpOverIpv6', 20), ('xtpNativeModeXTP', 21), ('fibreChannelWWPN', 22), ('fibreChannelWWNN', 23), ('gwid', 24), ('afi', 25), ('mplsTpSectionEndpointIdentifier', 26), ('mplsTpLspEndpointIdentifier', 27), ('mplsTpPseudowireEndpointIdentifier', 28), ('eigrpCommonServiceFamily', 16384), ('eigrpIpv4ServiceFamily', 16385), ('eigrpIpv6ServiceFamily', 16386), ('lispCanonicalAddressFormat', 16387), ('bgpLs', 16388), ('fortyeightBitMac', 16389), ('sixtyfourBitMac', 16390), ('oui', 16391), ('mac24', 16392), ('mac40', 16393), ('ipv664', 16394), ('rBridgePortID', 16395), ('trillNickname', 16396), ('reserved', 65535)) mibBuilder.exportSymbols('IANA-ADDRESS-FAMILY-NUMBERS-MIB', PYSNMP_MODULE_ID=ianaAddressFamilyNumbers, AddressFamilyNumbers=AddressFamilyNumbers, ianaAddressFamilyNumbers=ianaAddressFamilyNumbers)
# regular assignment foo = 7 print(foo) # annotated assignmnet bar: number = 9 print(bar)
foo = 7 print(foo) bar: number = 9 print(bar)
VERSION = "0.7.0" LICENSE = "MIT - Copyright (c) 2021 Alex Vellone" MOTORS_CHECK_PER_SECOND = 20 MOTORS_POINT_TO_POINT_CHECK_PER_SECOND = 10 WEB_SOCKET_SEND_PER_SECOND = 10 SOCKET_SEND_PER_SECOND = 20 SOCKET_INCOMING_LIMIT = 5 SLEEP_AVOID_CPU_WASTE = 0.80
version = '0.7.0' license = 'MIT - Copyright (c) 2021 Alex Vellone' motors_check_per_second = 20 motors_point_to_point_check_per_second = 10 web_socket_send_per_second = 10 socket_send_per_second = 20 socket_incoming_limit = 5 sleep_avoid_cpu_waste = 0.8
def sumoftwo(a, b): """ This is an sumoftwo function to add two number :param int a: first number to add :param int b: first number to add :return: return addition of the integer :rtype: int :example: >>> r = sumoftwo(2, 3) >>> r 5 """ return a + b
def sumoftwo(a, b): """ This is an sumoftwo function to add two number :param int a: first number to add :param int b: first number to add :return: return addition of the integer :rtype: int :example: >>> r = sumoftwo(2, 3) >>> r 5 """ return a + b
model_fn = model_fn_builder( bert_config=bert_config, init_checkpoint=init_checkpoint, layer_indexes=layer_indexes, use_tpu=False, use_one_hot_embeddings=False) # If TPU is not available, this will fall back to normal Estimator on CPU # or GPU. estimator = tf.contrib.tpu.TPUEstimator( use_tpu=False, model_fn=model_fn, config=run_config, predict_batch_size=batch_size) input_fn = input_fn_builder( features=features, seq_length=max_seq_length) vectorized_text_segments = [] for result in estimator.predict(input_fn, yield_single_examples=True): layer_output = result["layer_output_0"] feature_vec = [ round(float(x), 6) for x in layer_output[0].flat ] vectorized_text_segments.append(feature_vec)
model_fn = model_fn_builder(bert_config=bert_config, init_checkpoint=init_checkpoint, layer_indexes=layer_indexes, use_tpu=False, use_one_hot_embeddings=False) estimator = tf.contrib.tpu.TPUEstimator(use_tpu=False, model_fn=model_fn, config=run_config, predict_batch_size=batch_size) input_fn = input_fn_builder(features=features, seq_length=max_seq_length) vectorized_text_segments = [] for result in estimator.predict(input_fn, yield_single_examples=True): layer_output = result['layer_output_0'] feature_vec = [round(float(x), 6) for x in layer_output[0].flat] vectorized_text_segments.append(feature_vec)
# Exercico 1 - listas # Escreva program que leia a nome de 10 alunos # Armezene os nomes em uma lista # Imprema a lista nomes =[] for i in range(1,11): nome = [input(f'Informe o {i} Nome')] nomes.append(nome) for d in nomes: print(f' Nomes informados {d}')
nomes = [] for i in range(1, 11): nome = [input(f'Informe o {i} Nome')] nomes.append(nome) for d in nomes: print(f' Nomes informados {d}')
""" We consider a string programmer string if some subset of its letters can be rearranged to form the word programmer. They are anagrams. Given a long string determine the number of indices within the string that are in between two programmer strings. The character 'x' inside an anagram are considered redundant and not counted. But they are counted normally as characters outside an anagram of programmer type substring. This question came in Cognizant Mock Test 2019 """ def getVector(w): w = w.lower() fv = [0]*26 for ch in w: fv[ord(ch)-97] += 1 return fv def getsVector(w): w = w.lower() fv = [0]*26 for ch in w: fv[ord(ch)-97] += 1 return stringifyWindow(fv) def stringifyWindow(arr): arr[23] = 0 fvs = [str(i) for i in arr] return ''.join(fvs) def addToWindow(fv, ch): fv[ord(ch)-97] += 1 return fv def remFromWindow(fv, ch): fv[ord(ch)-97] -= 1 return fv def program(string, word): end1, start2 = 0, 0 if len(string) < len(word): return -1 n = len(string) found = 0 targethashstr = getsVector(word) left = 0 right = len(word)-1 window = string[:len(word)] windowhash = getVector(window) while right < n: #print(left, right, string[left:right+1]) # x is present while len(word) > sum(windowhash)-windowhash[23]: #print("Window Lengthening Due To Presence Of X") right += 1 if right == n: right = n-1 break windowhash = addToWindow(windowhash, string[right]) #print(string[left:right+1]) windowhashstr = stringifyWindow(windowhash) if windowhashstr == targethashstr and found == 0: found = 1 while string[left] == 'x': left += 1 #print("First ",left,right) end1 = right elif windowhashstr == targethashstr and found == 1: found = 2 while string[left] == 'x': left += 1 start2 = left #print("Second ",left,right, string[left: right+1]) break else: #print("Sliding") left += 1 right = left + len(word) - 1 windowhash = getVector(string[left : right+1]) continue left = right + 1 right = left + len(word) - 1 windowhash = getVector(string[left : right+1]) if found == 2: return start2 - end1 - 1 else: return -1 print(program('programmerrxprogxxermram','programmer')) print(program('xprogrxammerprogrammer','programmer')) print(program('rammerxprogrammer','programmer')) print(program('progamemrrgramxprgom', 'programmer')) print(program('progamemrrgramxprergom', 'programmer')) print(program('progamemrrramxprergom', 'programmer'))
""" We consider a string programmer string if some subset of its letters can be rearranged to form the word programmer. They are anagrams. Given a long string determine the number of indices within the string that are in between two programmer strings. The character 'x' inside an anagram are considered redundant and not counted. But they are counted normally as characters outside an anagram of programmer type substring. This question came in Cognizant Mock Test 2019 """ def get_vector(w): w = w.lower() fv = [0] * 26 for ch in w: fv[ord(ch) - 97] += 1 return fv def gets_vector(w): w = w.lower() fv = [0] * 26 for ch in w: fv[ord(ch) - 97] += 1 return stringify_window(fv) def stringify_window(arr): arr[23] = 0 fvs = [str(i) for i in arr] return ''.join(fvs) def add_to_window(fv, ch): fv[ord(ch) - 97] += 1 return fv def rem_from_window(fv, ch): fv[ord(ch) - 97] -= 1 return fv def program(string, word): (end1, start2) = (0, 0) if len(string) < len(word): return -1 n = len(string) found = 0 targethashstr = gets_vector(word) left = 0 right = len(word) - 1 window = string[:len(word)] windowhash = get_vector(window) while right < n: while len(word) > sum(windowhash) - windowhash[23]: right += 1 if right == n: right = n - 1 break windowhash = add_to_window(windowhash, string[right]) windowhashstr = stringify_window(windowhash) if windowhashstr == targethashstr and found == 0: found = 1 while string[left] == 'x': left += 1 end1 = right elif windowhashstr == targethashstr and found == 1: found = 2 while string[left] == 'x': left += 1 start2 = left break else: left += 1 right = left + len(word) - 1 windowhash = get_vector(string[left:right + 1]) continue left = right + 1 right = left + len(word) - 1 windowhash = get_vector(string[left:right + 1]) if found == 2: return start2 - end1 - 1 else: return -1 print(program('programmerrxprogxxermram', 'programmer')) print(program('xprogrxammerprogrammer', 'programmer')) print(program('rammerxprogrammer', 'programmer')) print(program('progamemrrgramxprgom', 'programmer')) print(program('progamemrrgramxprergom', 'programmer')) print(program('progamemrrramxprergom', 'programmer'))
class Solution: def XXX(self, x: int) -> int: if x == 0: return 0 res = str(x) sign = 1 if res[0] == '-': res = res[1:] sign = -1 res = res[::-1] if res[0] == '0': res = res[1:] resint = int(res)*sign if(resint<-2147483648 or resint>2147483647): return 0 else: return resint
class Solution: def xxx(self, x: int) -> int: if x == 0: return 0 res = str(x) sign = 1 if res[0] == '-': res = res[1:] sign = -1 res = res[::-1] if res[0] == '0': res = res[1:] resint = int(res) * sign if resint < -2147483648 or resint > 2147483647: return 0 else: return resint
#Making a nice litte x o o o x o o o x tic tac toe board def printer(board): for i in range(3): for j in range (3): print(board[i][j], end="") if j<2: print(" | ", end="") print() if i<2: print("--+----+--") def main(): tictactoe=[[" " for i in range (3)] for j in range (3)] for i in range (3): for j in range(3): if i==j: tictactoe[i][j]="X" else: tictactoe[i][j]="O" printer(tictactoe) main()
def printer(board): for i in range(3): for j in range(3): print(board[i][j], end='') if j < 2: print(' | ', end='') print() if i < 2: print('--+----+--') def main(): tictactoe = [[' ' for i in range(3)] for j in range(3)] for i in range(3): for j in range(3): if i == j: tictactoe[i][j] = 'X' else: tictactoe[i][j] = 'O' printer(tictactoe) main()
#!/usr/bin/python # create_dict.py weekend = { "Sun": "Sunday", "Mon": "Monday" } vals = dict(one=1, two=2) capitals = {} capitals["svk"] = "Bratislava" capitals["deu"] = "Berlin" capitals["dnk"] = "Copenhagen" d = { i: object() for i in range(4) } print (weekend) print (vals) print (capitals) print (d)
weekend = {'Sun': 'Sunday', 'Mon': 'Monday'} vals = dict(one=1, two=2) capitals = {} capitals['svk'] = 'Bratislava' capitals['deu'] = 'Berlin' capitals['dnk'] = 'Copenhagen' d = {i: object() for i in range(4)} print(weekend) print(vals) print(capitals) print(d)
# to jest komentarz WIDTH = 550 HEIGHT = 550
width = 550 height = 550
# # @lc app=leetcode.cn id=617 lang=python3 # # [617] merge-two-binary-trees # None # @lc code=end
None
class Solution: def generatePossibleNextMoves(self, s: str) -> List[str]: results = [] for i in range(len(s) - 1): if s[i: i + 2] == "++": results.append(s[:i] + "--" + s[i + 2:]) return results
class Solution: def generate_possible_next_moves(self, s: str) -> List[str]: results = [] for i in range(len(s) - 1): if s[i:i + 2] == '++': results.append(s[:i] + '--' + s[i + 2:]) return results
class MyStack(object): def __init__(self): """ Initialize your data structure here. """ self.data = [] def push(self, x): """ Push element x onto stack. :type x: int :rtype: None """ q = [x] while self.data: q.append(self.data.pop(0)) self.data = q def pop(self): """ Removes the element on top of the stack and returns that element. :rtype: int """ return self.data.pop(0) def top(self): """ Get the top element. :rtype: int """ return self.data[0] def empty(self): """ Returns whether the stack is empty. :rtype: bool """ return len(self.data) == 0 def test_mystack(): stack = MyStack() stack.push(1) stack.push(2) assert 2 == stack.top() assert 2 == stack.pop() assert stack.empty() is False
class Mystack(object): def __init__(self): """ Initialize your data structure here. """ self.data = [] def push(self, x): """ Push element x onto stack. :type x: int :rtype: None """ q = [x] while self.data: q.append(self.data.pop(0)) self.data = q def pop(self): """ Removes the element on top of the stack and returns that element. :rtype: int """ return self.data.pop(0) def top(self): """ Get the top element. :rtype: int """ return self.data[0] def empty(self): """ Returns whether the stack is empty. :rtype: bool """ return len(self.data) == 0 def test_mystack(): stack = my_stack() stack.push(1) stack.push(2) assert 2 == stack.top() assert 2 == stack.pop() assert stack.empty() is False
heatmap_1_r = imresize(heatmap_1, (50,80)).astype("float32") heatmap_2_r = imresize(heatmap_2, (50,80)).astype("float32") heatmap_3_r = imresize(heatmap_3, (50,80)).astype("float32") heatmap_geom_avg = np.power(heatmap_1_r * heatmap_2_r * heatmap_3_r, 0.333) display_img_and_heatmap("dog.jpg", heatmap_geom_avg)
heatmap_1_r = imresize(heatmap_1, (50, 80)).astype('float32') heatmap_2_r = imresize(heatmap_2, (50, 80)).astype('float32') heatmap_3_r = imresize(heatmap_3, (50, 80)).astype('float32') heatmap_geom_avg = np.power(heatmap_1_r * heatmap_2_r * heatmap_3_r, 0.333) display_img_and_heatmap('dog.jpg', heatmap_geom_avg)
quantidade, menor, maior, soma = 0,0,0,0 quantidade = int(input()) while(quantidade>0): menor, maior, soma, final= 10,0,0,0 nome = input() dificuldade = float(input()) notas = input().split() notas = list(notas) for i in range(len(notas)): notas[i] = float(notas[i]) notas.sort() cont = 0 for i in range(len(notas)-1): if(cont != 0): soma +=notas[i] else: cont+=1 final = soma*dificuldade print(nome + " {:.2f}".format(final)) quantidade-=1
(quantidade, menor, maior, soma) = (0, 0, 0, 0) quantidade = int(input()) while quantidade > 0: (menor, maior, soma, final) = (10, 0, 0, 0) nome = input() dificuldade = float(input()) notas = input().split() notas = list(notas) for i in range(len(notas)): notas[i] = float(notas[i]) notas.sort() cont = 0 for i in range(len(notas) - 1): if cont != 0: soma += notas[i] else: cont += 1 final = soma * dificuldade print(nome + ' {:.2f}'.format(final)) quantidade -= 1
ALLERGIES_SCORE = ['eggs', 'peanuts', 'shellfish', 'strawberries', 'tomatoes', 'chocolate', 'pollen', 'cats'] class Allergies: def __init__(self, score: int): self.score = score self.lst = self.list_of_allergies() def allergic_to(self, item: str) -> bool: return item in self.lst def list_of_allergies(self) -> list[str]: score = self.score mask = 1 # This mask starts as 0b1, which stands for eggs. # The idea is if we do a bitwise AND (&) with a score of, for example, 3, which is 0b11. # This will return 0b01, which would be True, that is, you are allergic to eggs. allergy_list = [] for allergen in ALLERGIES_SCORE: if score & mask: # Bitwise AND can be done in ints! allergy_list.append(allergen) # Shift the bit on the mask to the left for the next allergen mask <<= 1 return allergy_list
allergies_score = ['eggs', 'peanuts', 'shellfish', 'strawberries', 'tomatoes', 'chocolate', 'pollen', 'cats'] class Allergies: def __init__(self, score: int): self.score = score self.lst = self.list_of_allergies() def allergic_to(self, item: str) -> bool: return item in self.lst def list_of_allergies(self) -> list[str]: score = self.score mask = 1 allergy_list = [] for allergen in ALLERGIES_SCORE: if score & mask: allergy_list.append(allergen) mask <<= 1 return allergy_list
class Number: def __init__(self, start): self.data = start def __sub__(self, other): return Number(self.data - other) class Indexer: data = [5, 6, 7, 8, 9] def __getitem__(self, item): print('getitem:', item) return self.data[item] def __setitem__(self, index, value): self.data[index] = value class Stepper: def __getitem__(self, item): return self.data[item] class Squares: def __init__(self, start, stop): self.value = start - 1 self.stop = stop def __iter__(self): print('call __iter__') return self def __next__(self): if self.value == self.stop: raise StopIteration self.value += 1 return self.value ** 2 ''' for i in Squares(1, 5): print(i, end=' ') ''' class SkipIterator: def __init__(self, wrapped): self.wrapped = wrapped self.offset = 0 def __next__(self): if self.offset >= len(self.wrapped): raise StopIteration else: item = self.wrapped[self.offset] self.offset += 2 return item class SkipObject: def __init__(self, wrapped): self.wrapped = wrapped def __iter__(self): return StopIteration(self.wrapped) ''' if __name__ == '__main__': alpha = 'abcdef' skipper = SkipObject(alpha) I = iter(skipper) print(next((I), next(I), next(I))) for x in skipper: for y in skipper: print(x + y, end=' ') ''' class Iters: def __init__(self, value): self.data = value def __getitem__(self, item): print('get[%s]:' % item, end='') return self.data[item] def __iter__(self): print('iter=>', end='') self.ix = 0 return self def __next__(self): print('next:', end='') if self.ix == len(self.data): raise StopIteration item = self.data[self.ix] self.ix += 1 return item def __contains__(self, item): print('contains: ', end='') return item in self.data x = Iters([1, 2, 3, 4, 5]) print(3 in x) for i in x: print(i, end=' | ') print() print([i ** 2 for i in x]) print(list(map(bin, x))) I = iter(x) while True: try: print(next(I), end='@') except StopIteration: break class Empty: def __getattr__(self, item): if item == 'age': return 40 else: raise AttributeError x = Empty() print(x.age) class AccessControl: def __setattr__(self, attr, value): if attr == 'age': self.__dict__[attr] = value else: raise AttributeError class PrivateExc(Exception): pass class Privacy: def __setattr__(self, attrname, value): if attrname in self.privates: raise PrivateExc(attrname, self) else: self.__dict__[attrname] = value class Test1(Privacy): privates = ['age'] class Test2(Privacy): privates = ['name', 'pay'] def __init__(self): self.__dict__['name'] = 'Tom' class Adder: def __init__(self, value): self.data = value def __add__(self, other): self.data += other def __repr__(self): return 'Adder(%s)' % self.data class Printer: def __init__(self, value): self.value = value def __str__(self): return str(self.value) class Commuter: def __init__(self, value): self.value = value def __add__(self, other): print('add', self.value, other) return self.value + other def __radd__(self, other): print('radd', self.value, other) return other + self.value class Commuter: def __init__(self, value): self.value = value def __add__(self, other): if isinstance(other, Commuter): other = other.value return Commuter(self.value + other) class Number: def __init__(self, value): self.value = value def __iadd__(self, other): self.value += other return self class Callee: def __call__(self, *args, **kwargs): print('Called:', args, kwargs) def __init__(self): print('init') class C: data = 'spam' def __gt__(self, other): return self.data > other def __lt__(self, other): return self.data < other class Life: def __init__(self, name='unknown'): print('Hello', name) self.name = name def __del__(self): print('Goodbye', self.name) class C: def meth(self, *args): if len(args) == 1: ... elif type(args[0]) == int: ...
class Number: def __init__(self, start): self.data = start def __sub__(self, other): return number(self.data - other) class Indexer: data = [5, 6, 7, 8, 9] def __getitem__(self, item): print('getitem:', item) return self.data[item] def __setitem__(self, index, value): self.data[index] = value class Stepper: def __getitem__(self, item): return self.data[item] class Squares: def __init__(self, start, stop): self.value = start - 1 self.stop = stop def __iter__(self): print('call __iter__') return self def __next__(self): if self.value == self.stop: raise StopIteration self.value += 1 return self.value ** 2 "\nfor i in Squares(1, 5):\n print(i, end=' ')\n" class Skipiterator: def __init__(self, wrapped): self.wrapped = wrapped self.offset = 0 def __next__(self): if self.offset >= len(self.wrapped): raise StopIteration else: item = self.wrapped[self.offset] self.offset += 2 return item class Skipobject: def __init__(self, wrapped): self.wrapped = wrapped def __iter__(self): return stop_iteration(self.wrapped) "\nif __name__ == '__main__':\n alpha = 'abcdef'\n skipper = SkipObject(alpha)\n I = iter(skipper)\n print(next((I), next(I), next(I)))\n\n for x in skipper:\n for y in skipper:\n print(x + y, end=' ')\n" class Iters: def __init__(self, value): self.data = value def __getitem__(self, item): print('get[%s]:' % item, end='') return self.data[item] def __iter__(self): print('iter=>', end='') self.ix = 0 return self def __next__(self): print('next:', end='') if self.ix == len(self.data): raise StopIteration item = self.data[self.ix] self.ix += 1 return item def __contains__(self, item): print('contains: ', end='') return item in self.data x = iters([1, 2, 3, 4, 5]) print(3 in x) for i in x: print(i, end=' | ') print() print([i ** 2 for i in x]) print(list(map(bin, x))) i = iter(x) while True: try: print(next(I), end='@') except StopIteration: break class Empty: def __getattr__(self, item): if item == 'age': return 40 else: raise AttributeError x = empty() print(x.age) class Accesscontrol: def __setattr__(self, attr, value): if attr == 'age': self.__dict__[attr] = value else: raise AttributeError class Privateexc(Exception): pass class Privacy: def __setattr__(self, attrname, value): if attrname in self.privates: raise private_exc(attrname, self) else: self.__dict__[attrname] = value class Test1(Privacy): privates = ['age'] class Test2(Privacy): privates = ['name', 'pay'] def __init__(self): self.__dict__['name'] = 'Tom' class Adder: def __init__(self, value): self.data = value def __add__(self, other): self.data += other def __repr__(self): return 'Adder(%s)' % self.data class Printer: def __init__(self, value): self.value = value def __str__(self): return str(self.value) class Commuter: def __init__(self, value): self.value = value def __add__(self, other): print('add', self.value, other) return self.value + other def __radd__(self, other): print('radd', self.value, other) return other + self.value class Commuter: def __init__(self, value): self.value = value def __add__(self, other): if isinstance(other, Commuter): other = other.value return commuter(self.value + other) class Number: def __init__(self, value): self.value = value def __iadd__(self, other): self.value += other return self class Callee: def __call__(self, *args, **kwargs): print('Called:', args, kwargs) def __init__(self): print('init') class C: data = 'spam' def __gt__(self, other): return self.data > other def __lt__(self, other): return self.data < other class Life: def __init__(self, name='unknown'): print('Hello', name) self.name = name def __del__(self): print('Goodbye', self.name) class C: def meth(self, *args): if len(args) == 1: ... elif type(args[0]) == int: ...
# This helper file, setups the rules and rewards for the mouse grid system # State = 1, start point # Action - 1: Top, 2:Left, 3:Right, 4:Down def transition_rules(state, action): # For state 1 if state == 1 and (action == 3 or action == 4): state = 1 elif state == 1 and action == 1: state = 5 elif state == 1 and action == 2: state = 2 # For state 2 elif state == 2 and action == 4: state = 2 elif state == 2 and action == 1: state = 5 elif state == 2 and action == 2: state = 3 elif state == 2 and action == 3: state = 1 # For state 3 elif state == 3 and action == 4: state = 3 elif state == 3 and action == 1: state = 7 elif state == 3 and action == 2: state = 4 elif state == 3 and action == 3: state = 2 # For state 4 elif state == 4 and (action == 4 or action == 2): state = 4 elif state == 4 and action == 1: state = 8 elif state == 4 and action == 3: state = 3 # For state 5 elif state == 5: state = 1 # For state 6 elif state == 6 and action == 1: state = 10 elif state == 6 and action == 2: state = 7 elif state == 6 and action == 3: state = 5 elif state == 6 and action == 4: state = 2 # For state 7 elif state == 7: state = 1 # For state 8 elif state == 8 and action == 1: state = 12 elif state == 8 and action == 2: state = 8 elif state == 8 and action == 3: state = 7 elif state == 8 and action == 4: state = 3 # For state 9 elif state == 9 and action == 1: state = 13 elif state == 9 and action == 2: state = 10 elif state == 9 and action == 3: state = 9 elif state == 9 and action == 4: state = 5 # For state 10 elif state == 10 and action == 1: state = 14 elif state == 10 and action == 2: state = 11 elif state == 10 and action == 3: state = 9 elif state == 10 and action == 4: state = 6 # For state 11 elif state == 11 and action == 1: state = 15 elif state == 11 and action == 2: state = 12 elif state == 11 and action == 3: state = 10 elif state == 11 and action == 4: state = 7 # For state 12 elif state == 12 and action == 1: state = 16 elif state == 12 and action == 2: state = 12 elif state == 12 and action == 3: state = 11 elif state == 12 and action == 4: state = 8 # For state 13 elif state == 13: state = 1 # For state 14 elif state == 14 and action == 1: state = 14 elif state == 14 and action == 2: state = 15 elif state == 14 and action == 3: state = 13 elif state == 14 and action == 4: state = 10 # For state 15 elif state == 15 and action == 1: state = 15 elif state == 15 and action == 2: state = 16 elif state == 15 and action == 3: state = 14 elif state == 15 and action == 4: state = 11 # For state 16 elif state == 16: state = 16 return state def reward_rules(state, prev_state): if state == 16: reward = 100 elif state == 5 or state == 7 or state == 13 or state == 14: reward = -10 elif prev_state > state: reward = -1 elif prev_state == state: reward = 0 else: reward = 1 return reward
def transition_rules(state, action): if state == 1 and (action == 3 or action == 4): state = 1 elif state == 1 and action == 1: state = 5 elif state == 1 and action == 2: state = 2 elif state == 2 and action == 4: state = 2 elif state == 2 and action == 1: state = 5 elif state == 2 and action == 2: state = 3 elif state == 2 and action == 3: state = 1 elif state == 3 and action == 4: state = 3 elif state == 3 and action == 1: state = 7 elif state == 3 and action == 2: state = 4 elif state == 3 and action == 3: state = 2 elif state == 4 and (action == 4 or action == 2): state = 4 elif state == 4 and action == 1: state = 8 elif state == 4 and action == 3: state = 3 elif state == 5: state = 1 elif state == 6 and action == 1: state = 10 elif state == 6 and action == 2: state = 7 elif state == 6 and action == 3: state = 5 elif state == 6 and action == 4: state = 2 elif state == 7: state = 1 elif state == 8 and action == 1: state = 12 elif state == 8 and action == 2: state = 8 elif state == 8 and action == 3: state = 7 elif state == 8 and action == 4: state = 3 elif state == 9 and action == 1: state = 13 elif state == 9 and action == 2: state = 10 elif state == 9 and action == 3: state = 9 elif state == 9 and action == 4: state = 5 elif state == 10 and action == 1: state = 14 elif state == 10 and action == 2: state = 11 elif state == 10 and action == 3: state = 9 elif state == 10 and action == 4: state = 6 elif state == 11 and action == 1: state = 15 elif state == 11 and action == 2: state = 12 elif state == 11 and action == 3: state = 10 elif state == 11 and action == 4: state = 7 elif state == 12 and action == 1: state = 16 elif state == 12 and action == 2: state = 12 elif state == 12 and action == 3: state = 11 elif state == 12 and action == 4: state = 8 elif state == 13: state = 1 elif state == 14 and action == 1: state = 14 elif state == 14 and action == 2: state = 15 elif state == 14 and action == 3: state = 13 elif state == 14 and action == 4: state = 10 elif state == 15 and action == 1: state = 15 elif state == 15 and action == 2: state = 16 elif state == 15 and action == 3: state = 14 elif state == 15 and action == 4: state = 11 elif state == 16: state = 16 return state def reward_rules(state, prev_state): if state == 16: reward = 100 elif state == 5 or state == 7 or state == 13 or (state == 14): reward = -10 elif prev_state > state: reward = -1 elif prev_state == state: reward = 0 else: reward = 1 return reward
# # PySNMP MIB module HUAWEI-BRAS-SBC-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/HUAWEI-BRAS-SBC-MIB # Produced by pysmi-0.3.4 at Mon Apr 29 19:31:26 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # OctetString, Integer, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "OctetString", "Integer", "ObjectIdentifier") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ValueRangeConstraint, SingleValueConstraint, ConstraintsIntersection, ValueSizeConstraint, ConstraintsUnion = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueRangeConstraint", "SingleValueConstraint", "ConstraintsIntersection", "ValueSizeConstraint", "ConstraintsUnion") entPhysicalIndex, = mibBuilder.importSymbols("ENTITY-MIB", "entPhysicalIndex") hwBRASMib, = mibBuilder.importSymbols("HUAWEI-MIB", "hwBRASMib") ObjectGroup, ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ObjectGroup", "ModuleCompliance", "NotificationGroup") ModuleIdentity, Counter64, iso, Integer32, Gauge32, ObjectIdentity, MibIdentifier, IpAddress, MibScalar, MibTable, MibTableRow, MibTableColumn, Bits, Unsigned32, NotificationType, TimeTicks, Counter32 = mibBuilder.importSymbols("SNMPv2-SMI", "ModuleIdentity", "Counter64", "iso", "Integer32", "Gauge32", "ObjectIdentity", "MibIdentifier", "IpAddress", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Bits", "Unsigned32", "NotificationType", "TimeTicks", "Counter32") TruthValue, DisplayString, RowStatus, TextualConvention, DateAndTime = mibBuilder.importSymbols("SNMPv2-TC", "TruthValue", "DisplayString", "RowStatus", "TextualConvention", "DateAndTime") hwBrasSbcMgmt = ModuleIdentity((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25)) hwBrasSbcMgmt.setRevisions(('2007-08-14 09:00',)) if mibBuilder.loadTexts: hwBrasSbcMgmt.setLastUpdated('200711210900Z') if mibBuilder.loadTexts: hwBrasSbcMgmt.setOrganization('Huawei Technologies Co., Ltd.') class HWBrasEnabledStatus(TextualConvention, Integer32): status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2)) namedValues = NamedValues(("enabled", 1), ("disabled", 2)) class HWBrasPermitStatus(TextualConvention, Integer32): status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2)) namedValues = NamedValues(("deny", 1), ("permit", 2)) class HWBrasSecurityProtocol(TextualConvention, Integer32): status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4)) namedValues = NamedValues(("sip", 1), ("mgcp", 2), ("h323", 3), ("signaling", 4)) class HWBrasSbcBaseProtocol(TextualConvention, Integer32): status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8)) namedValues = NamedValues(("sip", 1), ("mgcp", 2), ("snmp", 3), ("ras", 4), ("upath", 5), ("h248", 6), ("ido", 7), ("q931", 8)) class HwBrasAppMode(TextualConvention, Integer32): status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2)) namedValues = NamedValues(("singleDomain", 1), ("multiDomain", 2)) class HwBrasBWLimitType(TextualConvention, Integer32): status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2)) namedValues = NamedValues(("be", 1), ("qos", 2)) hwBrasSbcModule = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2)) hwBrasSbcObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1)) hwBrasSbcGeneral = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1)) hwBrasSbcBase = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1)) hwBrasSbcBaseLeaves = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 1)) hwBrasSbcStatisticEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 1, 1), HWBrasEnabledStatus().clone('enabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcStatisticEnable.setStatus('current') hwBrasSbcStatisticSyslogEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 1, 2), HWBrasEnabledStatus().clone('enabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcStatisticSyslogEnable.setStatus('current') hwBrasSbcAppMode = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 1, 3), HwBrasAppMode().clone()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcAppMode.setStatus('current') hwBrasSbcMediaDetectValidityEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 1, 4), HWBrasEnabledStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcMediaDetectValidityEnable.setStatus('current') hwBrasSbcMediaDetectSsrcEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 1, 5), HWBrasEnabledStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcMediaDetectSsrcEnable.setStatus('current') hwBrasSbcMediaDetectPacketLength = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 1, 6), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(28, 65535)).clone(1500)).setUnits('byte').setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcMediaDetectPacketLength.setStatus('current') hwBrasSbcBaseTables = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2)) hwBrasSbcSignalAddrMapTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 1), ) if mibBuilder.loadTexts: hwBrasSbcSignalAddrMapTable.setStatus('current') hwBrasSbcSignalAddrMapEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 1, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSignalAddrMapClientAddr"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSignalAddrMapServerAddr")) if mibBuilder.loadTexts: hwBrasSbcSignalAddrMapEntry.setStatus('current') hwBrasSbcSignalAddrMapClientAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 1, 1, 1), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcSignalAddrMapClientAddr.setStatus('current') hwBrasSbcSignalAddrMapServerAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 1, 1, 2), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcSignalAddrMapServerAddr.setStatus('current') hwBrasSbcSignalAddrMapSoftAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 1, 1, 3), IpAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcSignalAddrMapSoftAddr.setStatus('current') hwBrasSbcSignalAddrMapIadmsAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 1, 1, 4), IpAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcSignalAddrMapIadmsAddr.setStatus('current') hwBrasSbcSignalAddrMapRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 1, 1, 5), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcSignalAddrMapRowStatus.setStatus('current') hwBrasSbcMediaAddrMapTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 2), ) if mibBuilder.loadTexts: hwBrasSbcMediaAddrMapTable.setStatus('current') hwBrasSbcMediaAddrMapEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 2, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMediaAddrMapClientAddr")) if mibBuilder.loadTexts: hwBrasSbcMediaAddrMapEntry.setStatus('current') hwBrasSbcMediaAddrMapClientAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 2, 1, 1), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcMediaAddrMapClientAddr.setStatus('current') hwBrasSbcMediaAddrMapServerAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 2, 1, 2), IpAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMediaAddrMapServerAddr.setStatus('current') hwBrasSbcMediaAddrMapWeight = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 2, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(10, 100)).clone(50)).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMediaAddrMapWeight.setStatus('current') hwBrasSbcMediaAddrMapRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 2, 1, 4), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMediaAddrMapRowStatus.setStatus('current') hwBrasSbcPortrangeTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 3), ) if mibBuilder.loadTexts: hwBrasSbcPortrangeTable.setStatus('current') hwBrasSbcPortrangeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 3, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcPortrangeIndex")) if mibBuilder.loadTexts: hwBrasSbcPortrangeEntry.setStatus('current') hwBrasSbcPortrangeIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 3, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("signal", 1), ("media", 2), ("nat", 3), ("tcp", 4), ("udp", 5), ("mediacur", 6)))) if mibBuilder.loadTexts: hwBrasSbcPortrangeIndex.setStatus('current') hwBrasSbcPortrangeBegin = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 3, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(10001, 65535))).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcPortrangeBegin.setStatus('current') hwBrasSbcPortrangeEnd = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 3, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(10001, 65535))).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcPortrangeEnd.setStatus('current') hwBrasSbcPortrangeRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 3, 1, 4), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcPortrangeRowStatus.setStatus('current') hwBrasSbcStatMediaPacketTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 4), ) if mibBuilder.loadTexts: hwBrasSbcStatMediaPacketTable.setStatus('current') hwBrasSbcStatMediaPacketEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 4, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcStatMediaPacketIndex")) if mibBuilder.loadTexts: hwBrasSbcStatMediaPacketEntry.setStatus('current') hwBrasSbcStatMediaPacketIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 4, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("rtp", 1), ("rtcp", 2)))) if mibBuilder.loadTexts: hwBrasSbcStatMediaPacketIndex.setStatus('current') hwBrasSbcStatMediaPacketNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 4, 1, 2), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcStatMediaPacketNumber.setStatus('current') hwBrasSbcStatMediaPacketOctet = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 4, 1, 3), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcStatMediaPacketOctet.setStatus('current') hwBrasSbcStatMediaPacketRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 4, 1, 4), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcStatMediaPacketRowStatus.setStatus('current') hwBrasSbcClientPortTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5), ) if mibBuilder.loadTexts: hwBrasSbcClientPortTable.setStatus('current') hwBrasSbcClientPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcClientPortProtocol"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcClientPortVPN"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcClientPortIP")) if mibBuilder.loadTexts: hwBrasSbcClientPortEntry.setStatus('current') hwBrasSbcClientPortProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("sip", 1), ("mgcp", 2), ("snmp", 3), ("ras", 4), ("upath", 5), ("h248", 6), ("ido", 7)))) if mibBuilder.loadTexts: hwBrasSbcClientPortProtocol.setStatus('current') hwBrasSbcClientPortVPN = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1023))) if mibBuilder.loadTexts: hwBrasSbcClientPortVPN.setStatus('current') hwBrasSbcClientPortIP = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 3), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcClientPortIP.setStatus('current') hwBrasSbcClientPortPort01 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 11), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 10000))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcClientPortPort01.setStatus('current') hwBrasSbcClientPortPort02 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 12), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 10000))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcClientPortPort02.setStatus('current') hwBrasSbcClientPortPort03 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 13), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 10000))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcClientPortPort03.setStatus('current') hwBrasSbcClientPortPort04 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 14), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 10000))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcClientPortPort04.setStatus('current') hwBrasSbcClientPortPort05 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 15), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 10000))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcClientPortPort05.setStatus('current') hwBrasSbcClientPortPort06 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 16), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 10000))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcClientPortPort06.setStatus('current') hwBrasSbcClientPortPort07 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 17), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 10000))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcClientPortPort07.setStatus('current') hwBrasSbcClientPortPort08 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 18), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 10000))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcClientPortPort08.setStatus('current') hwBrasSbcClientPortPort09 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 19), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 10000))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcClientPortPort09.setStatus('current') hwBrasSbcClientPortPort10 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 20), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 10000))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcClientPortPort10.setStatus('current') hwBrasSbcClientPortPort11 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 21), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 10000))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcClientPortPort11.setStatus('current') hwBrasSbcClientPortPort12 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 22), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 10000))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcClientPortPort12.setStatus('current') hwBrasSbcClientPortPort13 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 23), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 10000))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcClientPortPort13.setStatus('current') hwBrasSbcClientPortPort14 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 24), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 10000))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcClientPortPort14.setStatus('current') hwBrasSbcClientPortPort15 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 25), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 10000))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcClientPortPort15.setStatus('current') hwBrasSbcClientPortPort16 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 26), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 10000))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcClientPortPort16.setStatus('current') hwBrasSbcClientPortRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 51), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcClientPortRowStatus.setStatus('current') hwBrasSbcSoftswitchPortTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 6), ) if mibBuilder.loadTexts: hwBrasSbcSoftswitchPortTable.setStatus('current') hwBrasSbcSoftswitchPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 6, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSoftswitchPortProtocol"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSoftswitchPortVPN"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSoftswitchPortIP")) if mibBuilder.loadTexts: hwBrasSbcSoftswitchPortEntry.setStatus('current') hwBrasSbcSoftswitchPortProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 6, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("sip", 1), ("mgcp", 2), ("ras", 4), ("upath", 5), ("h248", 6), ("ido", 7), ("q931", 8)))) if mibBuilder.loadTexts: hwBrasSbcSoftswitchPortProtocol.setStatus('current') hwBrasSbcSoftswitchPortVPN = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 6, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1023))) if mibBuilder.loadTexts: hwBrasSbcSoftswitchPortVPN.setStatus('current') hwBrasSbcSoftswitchPortIP = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 6, 1, 3), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcSoftswitchPortIP.setStatus('current') hwBrasSbcSoftswitchPortPort = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 6, 1, 11), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcSoftswitchPortPort.setStatus('current') hwBrasSbcSoftswitchPortRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 6, 1, 51), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcSoftswitchPortRowStatus.setStatus('current') hwBrasSbcIadmsPortTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 7), ) if mibBuilder.loadTexts: hwBrasSbcIadmsPortTable.setStatus('current') hwBrasSbcIadmsPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 7, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIadmsPortProtocol"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIadmsPortVPN"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIadmsPortIP")) if mibBuilder.loadTexts: hwBrasSbcIadmsPortEntry.setStatus('current') hwBrasSbcIadmsPortProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 7, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(3))).clone(namedValues=NamedValues(("snmp", 3)))) if mibBuilder.loadTexts: hwBrasSbcIadmsPortProtocol.setStatus('current') hwBrasSbcIadmsPortVPN = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 7, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1023))) if mibBuilder.loadTexts: hwBrasSbcIadmsPortVPN.setStatus('current') hwBrasSbcIadmsPortIP = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 7, 1, 3), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcIadmsPortIP.setStatus('current') hwBrasSbcIadmsPortPort = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 7, 1, 11), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcIadmsPortPort.setStatus('current') hwBrasSbcIadmsPortRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 7, 1, 51), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcIadmsPortRowStatus.setStatus('current') hwBrasSbcInstanceTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 8), ) if mibBuilder.loadTexts: hwBrasSbcInstanceTable.setStatus('current') hwBrasSbcInstanceEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 8, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcInstanceName")) if mibBuilder.loadTexts: hwBrasSbcInstanceEntry.setStatus('current') hwBrasSbcInstanceName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 8, 1, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcInstanceName.setStatus('current') hwBrasSbcInstanceRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 8, 1, 51), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcInstanceRowStatus.setStatus('current') hwBrasSbcMapGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3)) hwBrasSbcMapGroupLeaves = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 1)) hwBrasSbcMapGroupTables = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2)) hwBrasSbcMapGroupsTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 1), ) if mibBuilder.loadTexts: hwBrasSbcMapGroupsTable.setStatus('current') hwBrasSbcMapGroupsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 1, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMapGroupsIndex")) if mibBuilder.loadTexts: hwBrasSbcMapGroupsEntry.setStatus('current') hwBrasSbcMapGroupsIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 1, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 2999))) if mibBuilder.loadTexts: hwBrasSbcMapGroupsIndex.setStatus('current') hwBrasSbcMapGroupsType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 1, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("proxy", 1), ("intercomIP", 2), ("intercomPrefix", 3), ("bgf", 4)))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMapGroupsType.setStatus('current') hwBrasSbcMapGroupsStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 1, 1, 12), HWBrasEnabledStatus().clone('disabled')).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMapGroupsStatus.setStatus('current') hwBrasSbcMapGroupInstanceName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 1, 1, 13), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMapGroupInstanceName.setStatus('current') hwBrasSbcMapGroupSessionLimit = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 1, 1, 14), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 40000)).clone(40000)).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMapGroupSessionLimit.setStatus('current') hwBrasSbcMapGroupsRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 1, 1, 51), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMapGroupsRowStatus.setStatus('current') hwBrasSbcMGCliAddrTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 2), ) if mibBuilder.loadTexts: hwBrasSbcMGCliAddrTable.setStatus('current') hwBrasSbcMGCliAddrEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 2, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGCliAddrIndex")) if mibBuilder.loadTexts: hwBrasSbcMGCliAddrEntry.setStatus('current') hwBrasSbcMGCliAddrIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 2, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 2999))) if mibBuilder.loadTexts: hwBrasSbcMGCliAddrIndex.setStatus('current') hwBrasSbcMGCliAddrVPN = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 2, 1, 11), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1023))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGCliAddrVPN.setStatus('current') hwBrasSbcMGCliAddrIP = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 2, 1, 12), IpAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGCliAddrIP.setStatus('current') hwBrasSbcMGCliAddrRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 2, 1, 51), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGCliAddrRowStatus.setStatus('current') hwBrasSbcMGServAddrTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 3), ) if mibBuilder.loadTexts: hwBrasSbcMGServAddrTable.setStatus('current') hwBrasSbcMGServAddrEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 3, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGServAddrIndex")) if mibBuilder.loadTexts: hwBrasSbcMGServAddrEntry.setStatus('current') hwBrasSbcMGServAddrIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 3, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 2999))) if mibBuilder.loadTexts: hwBrasSbcMGServAddrIndex.setStatus('current') hwBrasSbcMGServAddrVPN = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 3, 1, 11), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1023))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGServAddrVPN.setStatus('current') hwBrasSbcMGServAddrIP1 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 3, 1, 12), IpAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGServAddrIP1.setStatus('current') hwBrasSbcMGServAddrIP2 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 3, 1, 13), IpAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGServAddrIP2.setStatus('current') hwBrasSbcMGServAddrIP3 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 3, 1, 14), IpAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGServAddrIP3.setStatus('current') hwBrasSbcMGServAddrIP4 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 3, 1, 15), IpAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGServAddrIP4.setStatus('current') hwBrasSbcMGServAddrRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 3, 1, 51), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGServAddrRowStatus.setStatus('current') hwBrasSbcMGSofxAddrTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 4), ) if mibBuilder.loadTexts: hwBrasSbcMGSofxAddrTable.setStatus('current') hwBrasSbcMGSofxAddrEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 4, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGSofxAddrIndex")) if mibBuilder.loadTexts: hwBrasSbcMGSofxAddrEntry.setStatus('current') hwBrasSbcMGSofxAddrIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 4, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 2999))) if mibBuilder.loadTexts: hwBrasSbcMGSofxAddrIndex.setStatus('current') hwBrasSbcMGSofxAddrVPN = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 4, 1, 11), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1023))).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcMGSofxAddrVPN.setStatus('current') hwBrasSbcMGSofxAddrIP1 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 4, 1, 12), IpAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGSofxAddrIP1.setStatus('current') hwBrasSbcMGSofxAddrIP2 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 4, 1, 13), IpAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGSofxAddrIP2.setStatus('current') hwBrasSbcMGSofxAddrIP3 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 4, 1, 14), IpAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGSofxAddrIP3.setStatus('current') hwBrasSbcMGSofxAddrIP4 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 4, 1, 15), IpAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGSofxAddrIP4.setStatus('current') hwBrasSbcMGSofxAddrRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 4, 1, 51), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcMGSofxAddrRowStatus.setStatus('current') hwBrasSbcMGIadmsAddrTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 5), ) if mibBuilder.loadTexts: hwBrasSbcMGIadmsAddrTable.setStatus('current') hwBrasSbcMGIadmsAddrEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 5, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGIadmsAddrIndex")) if mibBuilder.loadTexts: hwBrasSbcMGIadmsAddrEntry.setStatus('current') hwBrasSbcMGIadmsAddrIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 5, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 2999))) if mibBuilder.loadTexts: hwBrasSbcMGIadmsAddrIndex.setStatus('current') hwBrasSbcMGIadmsAddrVPN = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 5, 1, 11), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1023))).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcMGIadmsAddrVPN.setStatus('current') hwBrasSbcMGIadmsAddrIP1 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 5, 1, 12), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcMGIadmsAddrIP1.setStatus('current') hwBrasSbcMGIadmsAddrIP2 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 5, 1, 13), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcMGIadmsAddrIP2.setStatus('current') hwBrasSbcMGIadmsAddrIP3 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 5, 1, 14), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcMGIadmsAddrIP3.setStatus('current') hwBrasSbcMGIadmsAddrIP4 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 5, 1, 15), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcMGIadmsAddrIP4.setStatus('current') hwBrasSbcMGIadmsAddrRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 5, 1, 51), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcMGIadmsAddrRowStatus.setStatus('current') hwBrasSbcMGProtocolTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 6), ) if mibBuilder.loadTexts: hwBrasSbcMGProtocolTable.setStatus('current') hwBrasSbcMGProtocolEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 6, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGProtocolIndex")) if mibBuilder.loadTexts: hwBrasSbcMGProtocolEntry.setStatus('current') hwBrasSbcMGProtocolIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 6, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 2999))) if mibBuilder.loadTexts: hwBrasSbcMGProtocolIndex.setStatus('current') hwBrasSbcMGProtocolSip = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 6, 1, 11), HWBrasEnabledStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcMGProtocolSip.setStatus('current') hwBrasSbcMGProtocolMgcp = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 6, 1, 12), HWBrasEnabledStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcMGProtocolMgcp.setStatus('current') hwBrasSbcMGProtocolH323 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 6, 1, 13), HWBrasEnabledStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcMGProtocolH323.setStatus('current') hwBrasSbcMGProtocolIadms = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 6, 1, 14), HWBrasEnabledStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcMGProtocolIadms.setStatus('current') hwBrasSbcMGProtocolUpath = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 6, 1, 15), HWBrasEnabledStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcMGProtocolUpath.setStatus('current') hwBrasSbcMGProtocolH248 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 6, 1, 16), HWBrasEnabledStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcMGProtocolH248.setStatus('current') hwBrasSbcMGProtocolRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 6, 1, 51), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcMGProtocolRowStatus.setStatus('current') hwBrasSbcMGPortTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 7), ) if mibBuilder.loadTexts: hwBrasSbcMGPortTable.setStatus('current') hwBrasSbcMGPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 7, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGPortIndex")) if mibBuilder.loadTexts: hwBrasSbcMGPortEntry.setStatus('current') hwBrasSbcMGPortIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 7, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 2999))) if mibBuilder.loadTexts: hwBrasSbcMGPortIndex.setStatus('current') hwBrasSbcMGPortNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 7, 1, 11), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGPortNumber.setStatus('current') hwBrasSbcMGPortRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 7, 1, 51), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGPortRowStatus.setStatus('current') hwBrasSbcMGPrefixTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 8), ) if mibBuilder.loadTexts: hwBrasSbcMGPrefixTable.setStatus('current') hwBrasSbcMGPrefixEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 8, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGPrefixIndex")) if mibBuilder.loadTexts: hwBrasSbcMGPrefixEntry.setStatus('current') hwBrasSbcMGPrefixIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 8, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 2999))) if mibBuilder.loadTexts: hwBrasSbcMGPrefixIndex.setStatus('current') hwBrasSbcMGPrefixID = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 8, 1, 11), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 63))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGPrefixID.setStatus('current') hwBrasSbcMGPrefixRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 8, 1, 51), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGPrefixRowStatus.setStatus('current') hwBrasSbcMGMdCliAddrTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 9), ) if mibBuilder.loadTexts: hwBrasSbcMGMdCliAddrTable.setStatus('current') hwBrasSbcMGMdCliAddrEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 9, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGMdCliAddrIndex")) if mibBuilder.loadTexts: hwBrasSbcMGMdCliAddrEntry.setStatus('current') hwBrasSbcMGMdCliAddrIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 9, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 2999))) if mibBuilder.loadTexts: hwBrasSbcMGMdCliAddrIndex.setStatus('current') hwBrasSbcMGMdCliAddrVPN = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 9, 1, 11), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1023))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGMdCliAddrVPN.setStatus('current') hwBrasSbcMGMdCliAddrIP1 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 9, 1, 12), IpAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGMdCliAddrIP1.setStatus('current') hwBrasSbcMGMdCliAddrIP2 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 9, 1, 13), IpAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGMdCliAddrIP2.setStatus('current') hwBrasSbcMGMdCliAddrIP3 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 9, 1, 14), IpAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGMdCliAddrIP3.setStatus('current') hwBrasSbcMGMdCliAddrIP4 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 9, 1, 15), IpAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGMdCliAddrIP4.setStatus('current') hwBrasSbcMGMdCliAddrVPNName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 9, 1, 16), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 31))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGMdCliAddrVPNName.setStatus('current') hwBrasSbcMGMdCliAddrIf1 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 9, 1, 17), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 47))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGMdCliAddrIf1.setStatus('current') hwBrasSbcMGMdCliAddrSlotID1 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 9, 1, 18), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 16))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGMdCliAddrSlotID1.setStatus('current') hwBrasSbcMGMdCliAddrIf2 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 9, 1, 19), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 47))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGMdCliAddrIf2.setStatus('current') hwBrasSbcMGMdCliAddrSlotID2 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 9, 1, 20), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 16))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGMdCliAddrSlotID2.setStatus('current') hwBrasSbcMGMdCliAddrIf3 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 9, 1, 21), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 47))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGMdCliAddrIf3.setStatus('current') hwBrasSbcMGMdCliAddrSlotID3 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 9, 1, 22), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 16))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGMdCliAddrSlotID3.setStatus('current') hwBrasSbcMGMdCliAddrIf4 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 9, 1, 23), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 47))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGMdCliAddrIf4.setStatus('current') hwBrasSbcMGMdCliAddrSlotID4 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 9, 1, 24), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 16))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGMdCliAddrSlotID4.setStatus('current') hwBrasSbcMGMdCliAddrRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 9, 1, 51), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGMdCliAddrRowStatus.setStatus('current') hwBrasSbcMGMdServAddrTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 10), ) if mibBuilder.loadTexts: hwBrasSbcMGMdServAddrTable.setStatus('current') hwBrasSbcMGMdServAddrEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 10, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGMdServAddrIndex")) if mibBuilder.loadTexts: hwBrasSbcMGMdServAddrEntry.setStatus('current') hwBrasSbcMGMdServAddrIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 10, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 2999))) if mibBuilder.loadTexts: hwBrasSbcMGMdServAddrIndex.setStatus('current') hwBrasSbcMGMdServAddrVPN = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 10, 1, 11), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1023))).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcMGMdServAddrVPN.setStatus('current') hwBrasSbcMGMdServAddrIP1 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 10, 1, 12), IpAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGMdServAddrIP1.setStatus('current') hwBrasSbcMGMdServAddrIP2 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 10, 1, 13), IpAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGMdServAddrIP2.setStatus('current') hwBrasSbcMGMdServAddrIP3 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 10, 1, 14), IpAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGMdServAddrIP3.setStatus('current') hwBrasSbcMGMdServAddrIP4 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 10, 1, 15), IpAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGMdServAddrIP4.setStatus('current') hwBrasSbcMGMdServAddrVPNName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 10, 1, 16), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 31))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGMdServAddrVPNName.setStatus('current') hwBrasSbcMGMdServAddrIf1 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 10, 1, 17), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 47))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGMdServAddrIf1.setStatus('current') hwBrasSbcMGMdServAddrSlotID1 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 10, 1, 18), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 16))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGMdServAddrSlotID1.setStatus('current') hwBrasSbcMGMdServAddrIf2 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 10, 1, 19), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 47))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGMdServAddrIf2.setStatus('current') hwBrasSbcMGMdServAddrSlotID2 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 10, 1, 20), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 16))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGMdServAddrSlotID2.setStatus('current') hwBrasSbcMGMdServAddrIf3 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 10, 1, 21), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 47))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGMdServAddrIf3.setStatus('current') hwBrasSbcMGMdServAddrSlotID3 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 10, 1, 22), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 16))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGMdServAddrSlotID3.setStatus('current') hwBrasSbcMGMdServAddrIf4 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 10, 1, 23), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 47))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGMdServAddrIf4.setStatus('current') hwBrasSbcMGMdServAddrSlotID4 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 10, 1, 24), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 16))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGMdServAddrSlotID4.setStatus('current') hwBrasSbcMGMdServAddrRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 10, 1, 51), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGMdServAddrRowStatus.setStatus('current') hwBrasSbcMGMatchTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 11), ) if mibBuilder.loadTexts: hwBrasSbcMGMatchTable.setStatus('current') hwBrasSbcMGMatchEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 11, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGMatchIndex")) if mibBuilder.loadTexts: hwBrasSbcMGMatchEntry.setStatus('current') hwBrasSbcMGMatchIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 11, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 2999))) if mibBuilder.loadTexts: hwBrasSbcMGMatchIndex.setStatus('current') hwBrasSbcMGMatchAcl = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 11, 1, 11), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(2000, 3999))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGMatchAcl.setStatus('current') hwBrasSbcMGMatchRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 11, 1, 51), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMGMatchRowStatus.setStatus('current') hwBrasSbcAdmModuleTable = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 4)) hwBrasSbcBackupGroupsTable = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 4, 1)) hwBrasSbcBackupGroupTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 4, 1, 1), ) if mibBuilder.loadTexts: hwBrasSbcBackupGroupTable.setStatus('current') hwBrasSbcBackupGroupEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 4, 1, 1, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcBackupGroupID")) if mibBuilder.loadTexts: hwBrasSbcBackupGroupEntry.setStatus('current') hwBrasSbcBackupGroupID = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 4, 1, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 14))) if mibBuilder.loadTexts: hwBrasSbcBackupGroupID.setStatus('current') hwBrasSbcBackupGroupType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 4, 1, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("signal", 1), ("media", 2)))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcBackupGroupType.setStatus('current') hwBrasSbcBackupGroupInstanceName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 4, 1, 1, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcBackupGroupInstanceName.setStatus('current') hwBrasSbcBackupGroupRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 4, 1, 1, 1, 51), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcBackupGroupRowStatus.setStatus('current') hwBrasSbcSlotInforTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 4, 1, 2), ) if mibBuilder.loadTexts: hwBrasSbcSlotInforTable.setStatus('current') hwBrasSbcSlotInforEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 4, 1, 2, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcBackupGroupIndex"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSlotIndex")) if mibBuilder.loadTexts: hwBrasSbcSlotInforEntry.setStatus('current') hwBrasSbcBackupGroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 4, 1, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 14))) if mibBuilder.loadTexts: hwBrasSbcBackupGroupIndex.setStatus('current') hwBrasSbcSlotIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 4, 1, 2, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7))) if mibBuilder.loadTexts: hwBrasSbcSlotIndex.setStatus('current') hwBrasSbcCurrentSlotID = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 4, 1, 2, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 16))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcCurrentSlotID.setStatus('current') hwBrasSbcSlotCfgState = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 4, 1, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("master", 1), ("slave", 2)))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcSlotCfgState.setStatus('current') hwBrasSbcSlotInforRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 4, 1, 2, 1, 5), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcSlotInforRowStatus.setStatus('current') hwBrasSbcAdvance = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2)) hwBrasSbcAdvanceLeaves = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 1)) hwBrasSbcMediaPassEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 1, 1), HWBrasEnabledStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcMediaPassEnable.setStatus('current') hwBrasSbcMediaPassSyslogEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 1, 2), HWBrasEnabledStatus().clone('enabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcMediaPassSyslogEnable.setStatus('current') hwBrasSbcIntMediaPassEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 1, 3), HWBrasEnabledStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcIntMediaPassEnable.setStatus('current') hwBrasSbcRoamlimitEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 1, 4), HWBrasEnabledStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcRoamlimitEnable.setStatus('current') hwBrasSbcRoamlimitDefault = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 1, 5), HWBrasPermitStatus().clone('deny')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcRoamlimitDefault.setStatus('current') hwBrasSbcRoamlimitSyslogEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 1, 6), HWBrasEnabledStatus().clone('enabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcRoamlimitSyslogEnable.setStatus('current') hwBrasSbcRoamlimitExtendEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 1, 7), HWBrasEnabledStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcRoamlimitExtendEnable.setStatus('current') hwBrasSbcHrpSynchronization = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("reserve", 1), ("synchronize", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcHrpSynchronization.setStatus('current') hwBrasSbcAdvanceTables = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2)) hwBrasSbcMediaPassTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 1), ) if mibBuilder.loadTexts: hwBrasSbcMediaPassTable.setStatus('current') hwBrasSbcMediaPassEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 1, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMediaPassIndex")) if mibBuilder.loadTexts: hwBrasSbcMediaPassEntry.setStatus('current') hwBrasSbcMediaPassIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1000))) if mibBuilder.loadTexts: hwBrasSbcMediaPassIndex.setStatus('current') hwBrasSbcMediaPassAclNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(2000, 2999), ))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMediaPassAclNumber.setStatus('current') hwBrasSbcMediaPassRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 1, 1, 3), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMediaPassRowStatus.setStatus('current') hwBrasSbcUsergroupTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 2), ) if mibBuilder.loadTexts: hwBrasSbcUsergroupTable.setStatus('current') hwBrasSbcUsergroupEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 2, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUsergroupIndex")) if mibBuilder.loadTexts: hwBrasSbcUsergroupEntry.setStatus('current') hwBrasSbcUsergroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1000))) if mibBuilder.loadTexts: hwBrasSbcUsergroupIndex.setStatus('current') hwBrasSbcUsergroupRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 2, 1, 2), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcUsergroupRowStatus.setStatus('current') hwBrasSbcUsergroupRuleTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 3), ) if mibBuilder.loadTexts: hwBrasSbcUsergroupRuleTable.setStatus('current') hwBrasSbcUsergroupRuleEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 3, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUsergroupIndex"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUsergroupRuleIndex")) if mibBuilder.loadTexts: hwBrasSbcUsergroupRuleEntry.setStatus('current') hwBrasSbcUsergroupRuleIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 100))) if mibBuilder.loadTexts: hwBrasSbcUsergroupRuleIndex.setStatus('current') hwBrasSbcUsergroupRuleType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 3, 1, 2), HWBrasPermitStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcUsergroupRuleType.setStatus('current') hwBrasSbcUsergroupRuleUserName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 3, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 63))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcUsergroupRuleUserName.setStatus('current') hwBrasSbcUsergroupRuleRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 3, 1, 4), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcUsergroupRuleRowStatus.setStatus('current') hwBrasSbcRtpSpecialAddrTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 4), ) if mibBuilder.loadTexts: hwBrasSbcRtpSpecialAddrTable.setStatus('current') hwBrasSbcRtpSpecialAddrEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 4, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcRtpSpecialAddrIndex")) if mibBuilder.loadTexts: hwBrasSbcRtpSpecialAddrEntry.setStatus('current') hwBrasSbcRtpSpecialAddrIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 4, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 10))) if mibBuilder.loadTexts: hwBrasSbcRtpSpecialAddrIndex.setStatus('current') hwBrasSbcRtpSpecialAddrAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 4, 1, 2), IpAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcRtpSpecialAddrAddr.setStatus('current') hwBrasSbcRtpSpecialAddrRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 4, 1, 3), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcRtpSpecialAddrRowStatus.setStatus('current') hwBrasSbcRoamlimitTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 5), ) if mibBuilder.loadTexts: hwBrasSbcRoamlimitTable.setStatus('current') hwBrasSbcRoamlimitEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 5, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcRoamlimitIndex")) if mibBuilder.loadTexts: hwBrasSbcRoamlimitEntry.setStatus('current') hwBrasSbcRoamlimitIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 5, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 1000))) if mibBuilder.loadTexts: hwBrasSbcRoamlimitIndex.setStatus('current') hwBrasSbcRoamlimitAclNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 5, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(2000, 2999))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcRoamlimitAclNumber.setStatus('current') hwBrasSbcRoamlimitRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 5, 1, 3), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcRoamlimitRowStatus.setStatus('current') hwBrasSbcMediaUsersTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 6), ) if mibBuilder.loadTexts: hwBrasSbcMediaUsersTable.setStatus('current') hwBrasSbcMediaUsersEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 6, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMediaUsersIndex")) if mibBuilder.loadTexts: hwBrasSbcMediaUsersEntry.setStatus('current') hwBrasSbcMediaUsersIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 6, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 255))) if mibBuilder.loadTexts: hwBrasSbcMediaUsersIndex.setStatus('current') hwBrasSbcMediaUsersType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 6, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("media", 1), ("audio", 2), ("video", 3), ("data", 4)))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMediaUsersType.setStatus('current') hwBrasSbcMediaUsersCallerID1 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 6, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 63))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMediaUsersCallerID1.setStatus('current') hwBrasSbcMediaUsersCallerID2 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 6, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 63))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMediaUsersCallerID2.setStatus('current') hwBrasSbcMediaUsersCallerID3 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 6, 1, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 63))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMediaUsersCallerID3.setStatus('current') hwBrasSbcMediaUsersCallerID4 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 6, 1, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 63))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMediaUsersCallerID4.setStatus('current') hwBrasSbcMediaUsersCalleeID1 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 6, 1, 7), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 63))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMediaUsersCalleeID1.setStatus('current') hwBrasSbcMediaUsersCalleeID2 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 6, 1, 8), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 63))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMediaUsersCalleeID2.setStatus('current') hwBrasSbcMediaUsersCalleeID3 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 6, 1, 9), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 63))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMediaUsersCalleeID3.setStatus('current') hwBrasSbcMediaUsersCalleeID4 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 6, 1, 10), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 63))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMediaUsersCalleeID4.setStatus('current') hwBrasSbcMediaUsersRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 6, 1, 11), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMediaUsersRowStatus.setStatus('current') hwBrasSbcIntercom = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 3)) hwBrasSbcIntercomLeaves = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 3, 1)) hwBrasSbcIntercomEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 3, 1, 1), HWBrasEnabledStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcIntercomEnable.setStatus('current') hwBrasSbcIntercomStatus = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 3, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("disabled", 1), ("iproute", 2), ("prefixroute", 3))).clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcIntercomStatus.setStatus('current') hwBrasSbcIntercomTables = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 3, 2)) hwBrasSbcIntercomPrefixTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 3, 2, 1), ) if mibBuilder.loadTexts: hwBrasSbcIntercomPrefixTable.setStatus('current') hwBrasSbcIntercomPrefixEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 3, 2, 1, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIntercomPrefixIndex")) if mibBuilder.loadTexts: hwBrasSbcIntercomPrefixEntry.setStatus('current') hwBrasSbcIntercomPrefixIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 3, 2, 1, 1, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 63))) if mibBuilder.loadTexts: hwBrasSbcIntercomPrefixIndex.setStatus('current') hwBrasSbcIntercomPrefixDestAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 3, 2, 1, 1, 2), IpAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcIntercomPrefixDestAddr.setStatus('current') hwBrasSbcIntercomPrefixSrcAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 3, 2, 1, 1, 3), IpAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcIntercomPrefixSrcAddr.setStatus('current') hwBrasSbcIntercomPrefixRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 3, 2, 1, 1, 4), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcIntercomPrefixRowStatus.setStatus('current') hwBrasSbcSessionCar = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 4)) hwBrasSbcSessionCarLeaves = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 4, 1)) hwBrasSbcSessionCarEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 4, 1, 1), HWBrasEnabledStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcSessionCarEnable.setStatus('current') hwBrasSbcSessionCarTables = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 4, 2)) hwBrasSbcSessionCarDegreeTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 4, 2, 1), ) if mibBuilder.loadTexts: hwBrasSbcSessionCarDegreeTable.setStatus('current') hwBrasSbcSessionCarDegreeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 4, 2, 1, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSessionCarDegreeID")) if mibBuilder.loadTexts: hwBrasSbcSessionCarDegreeEntry.setStatus('current') hwBrasSbcSessionCarDegreeID = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 4, 2, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 16))) if mibBuilder.loadTexts: hwBrasSbcSessionCarDegreeID.setStatus('current') hwBrasSbcSessionCarDegreeBandWidth = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 4, 2, 1, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(8, 131071))).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcSessionCarDegreeBandWidth.setStatus('current') hwBrasSbcSessionCarDegreeDscp = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 4, 2, 1, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 64))).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcSessionCarDegreeDscp.setStatus('current') hwBrasSbcSessionCarDegreeRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 4, 2, 1, 1, 4), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcSessionCarDegreeRowStatus.setStatus('current') hwBrasSbcSessionCarRuleTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 4, 2, 2), ) if mibBuilder.loadTexts: hwBrasSbcSessionCarRuleTable.setStatus('current') hwBrasSbcSessionCarRuleEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 4, 2, 2, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSessionCarRuleID")) if mibBuilder.loadTexts: hwBrasSbcSessionCarRuleEntry.setStatus('current') hwBrasSbcSessionCarRuleID = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 4, 2, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 255))) if mibBuilder.loadTexts: hwBrasSbcSessionCarRuleID.setStatus('current') hwBrasSbcSessionCarRuleName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 4, 2, 2, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 63))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcSessionCarRuleName.setStatus('current') hwBrasSbcSessionCarRuleDegreeID = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 4, 2, 2, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 16))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcSessionCarRuleDegreeID.setStatus('current') hwBrasSbcSessionCarRuleDegreeBandWidth = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 4, 2, 2, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(8, 131071))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcSessionCarRuleDegreeBandWidth.setStatus('current') hwBrasSbcSessionCarRuleDegreeDscp = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 4, 2, 2, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcSessionCarRuleDegreeDscp.setStatus('current') hwBrasSbcSessionCarRuleRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 4, 2, 2, 1, 6), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcSessionCarRuleRowStatus.setStatus('current') hwBrasSbcSecurity = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5)) hwBrasSbcSecurityLeaves = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 1)) hwBrasSbcDefendEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 1, 1), HWBrasEnabledStatus().clone('enabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcDefendEnable.setStatus('current') hwBrasSbcDefendMode = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("auto", 1), ("manual", 2))).clone('auto')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcDefendMode.setStatus('current') hwBrasSbcDefendActionLogEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 1, 3), HWBrasEnabledStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcDefendActionLogEnable.setStatus('current') hwBrasSbcCacEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 1, 4), HWBrasEnabledStatus().clone('enabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcCacEnable.setStatus('current') hwBrasSbcCacActionLogStatus = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("denyAndNoLog", 1), ("permitAndNoLog", 2), ("denyAndLog", 3), ("permitAndLog", 4))).clone('denyAndNoLog')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcCacActionLogStatus.setStatus('current') hwBrasSbcDefendExtStatus = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 1, 6), HWBrasEnabledStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcDefendExtStatus.setStatus('current') hwBrasSbcSignalingCarStatus = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 1, 7), HWBrasEnabledStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcSignalingCarStatus.setStatus('current') hwBrasSbcIPCarStatus = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 1, 8), HWBrasEnabledStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcIPCarStatus.setStatus('current') hwBrasSbcDynamicStatus = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 1, 9), HWBrasEnabledStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcDynamicStatus.setStatus('current') hwBrasSbcSecurityTables = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2)) hwBrasSbcDefendConnectRateTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 1), ) if mibBuilder.loadTexts: hwBrasSbcDefendConnectRateTable.setStatus('current') hwBrasSbcDefendConnectRateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 1, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcDefendConnectRateProtocol")) if mibBuilder.loadTexts: hwBrasSbcDefendConnectRateEntry.setStatus('current') hwBrasSbcDefendConnectRateProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 1, 1, 1), HWBrasSecurityProtocol()) if mibBuilder.loadTexts: hwBrasSbcDefendConnectRateProtocol.setStatus('current') hwBrasSbcDefendConnectRateThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 1, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(6, 60000))).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcDefendConnectRateThreshold.setStatus('current') hwBrasSbcDefendConnectRatePercent = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 1, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(60, 100)).clone(80)).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcDefendConnectRatePercent.setStatus('current') hwBrasSbcDefendConnectRateRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 1, 1, 4), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcDefendConnectRateRowStatus.setStatus('current') hwBrasSbcDefendUserConnectRateTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 2), ) if mibBuilder.loadTexts: hwBrasSbcDefendUserConnectRateTable.setStatus('current') hwBrasSbcDefendUserConnectRateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 2, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcDefendUserConnectRateProtocol")) if mibBuilder.loadTexts: hwBrasSbcDefendUserConnectRateEntry.setStatus('current') hwBrasSbcDefendUserConnectRateProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 2, 1, 1), HWBrasSecurityProtocol()) if mibBuilder.loadTexts: hwBrasSbcDefendUserConnectRateProtocol.setStatus('current') hwBrasSbcDefendUserConnectRateThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 2, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(6, 60000))).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcDefendUserConnectRateThreshold.setStatus('current') hwBrasSbcDefendUserConnectRatePercent = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 2, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(60, 100)).clone(80)).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcDefendUserConnectRatePercent.setStatus('current') hwBrasSbcDefendUserConnectRateRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 2, 1, 4), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcDefendUserConnectRateRowStatus.setStatus('current') hwBrasSbcCacCallTotalTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 3), ) if mibBuilder.loadTexts: hwBrasSbcCacCallTotalTable.setStatus('current') hwBrasSbcCacCallTotalEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 3, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcCacCallTotalProtocol")) if mibBuilder.loadTexts: hwBrasSbcCacCallTotalEntry.setStatus('current') hwBrasSbcCacCallTotalProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 3, 1, 1), HWBrasSecurityProtocol()) if mibBuilder.loadTexts: hwBrasSbcCacCallTotalProtocol.setStatus('current') hwBrasSbcCacCallTotalThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 3, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(60, 60000))).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcCacCallTotalThreshold.setStatus('current') hwBrasSbcCacCallTotalPercent = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 3, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(60, 100)).clone(80)).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcCacCallTotalPercent.setStatus('current') hwBrasSbcCacCallTotalRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 3, 1, 4), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcCacCallTotalRowStatus.setStatus('current') hwBrasSbcCacCallRateTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 4), ) if mibBuilder.loadTexts: hwBrasSbcCacCallRateTable.setStatus('current') hwBrasSbcCacCallRateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 4, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcCacCallRateProtocol")) if mibBuilder.loadTexts: hwBrasSbcCacCallRateEntry.setStatus('current') hwBrasSbcCacCallRateProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 4, 1, 1), HWBrasSecurityProtocol()) if mibBuilder.loadTexts: hwBrasSbcCacCallRateProtocol.setStatus('current') hwBrasSbcCacCallRateThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 4, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(6, 600))).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcCacCallRateThreshold.setStatus('current') hwBrasSbcCacCallRatePercent = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 4, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(60, 100)).clone(80)).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcCacCallRatePercent.setStatus('current') hwBrasSbcCacCallRateRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 4, 1, 4), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcCacCallRateRowStatus.setStatus('current') hwBrasSbcCacRegTotalTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 5), ) if mibBuilder.loadTexts: hwBrasSbcCacRegTotalTable.setStatus('current') hwBrasSbcCacRegTotalEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 5, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcCacRegTotalProtocol")) if mibBuilder.loadTexts: hwBrasSbcCacRegTotalEntry.setStatus('current') hwBrasSbcCacRegTotalProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 5, 1, 1), HWBrasSecurityProtocol()) if mibBuilder.loadTexts: hwBrasSbcCacRegTotalProtocol.setStatus('current') hwBrasSbcCacRegTotalThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 5, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(100, 60000))).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcCacRegTotalThreshold.setStatus('current') hwBrasSbcCacRegTotalPercent = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 5, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(60, 100)).clone(80)).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcCacRegTotalPercent.setStatus('current') hwBrasSbcCacRegTotalRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 5, 1, 4), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcCacRegTotalRowStatus.setStatus('current') hwBrasSbcCacRegRateTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 6), ) if mibBuilder.loadTexts: hwBrasSbcCacRegRateTable.setStatus('current') hwBrasSbcCacRegRateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 6, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcCacRegRateProtocol")) if mibBuilder.loadTexts: hwBrasSbcCacRegRateEntry.setStatus('current') hwBrasSbcCacRegRateProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 6, 1, 1), HWBrasSecurityProtocol()) if mibBuilder.loadTexts: hwBrasSbcCacRegRateProtocol.setStatus('current') hwBrasSbcCacRegRateThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 6, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(6, 600))).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcCacRegRateThreshold.setStatus('current') hwBrasSbcCacRegRatePercent = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 6, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(60, 100)).clone(80)).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcCacRegRatePercent.setStatus('current') hwBrasSbcCacRegRateRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 6, 1, 4), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcCacRegRateRowStatus.setStatus('current') hwBrasSbcIPCarBandwidthTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 7), ) if mibBuilder.loadTexts: hwBrasSbcIPCarBandwidthTable.setStatus('current') hwBrasSbcIPCarBandwidthEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 7, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIPCarBWVpn"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIPCarBWAddress")) if mibBuilder.loadTexts: hwBrasSbcIPCarBandwidthEntry.setStatus('current') hwBrasSbcIPCarBWVpn = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 7, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1023))) if mibBuilder.loadTexts: hwBrasSbcIPCarBWVpn.setStatus('current') hwBrasSbcIPCarBWAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 7, 1, 2), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcIPCarBWAddress.setStatus('current') hwBrasSbcIPCarBWValue = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 7, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(8, 1000000000)).clone(1000000000)).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcIPCarBWValue.setStatus('current') hwBrasSbcIPCarBWRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 7, 1, 4), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcIPCarBWRowStatus.setStatus('current') hwBrasSbcUdpTunnel = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6)) hwBrasSbcUdpTunnelLeaves = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 1)) hwBrasSbcUdpTunnelEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 1, 1), HWBrasEnabledStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcUdpTunnelEnable.setStatus('current') hwBrasSbcUdpTunnelType = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("notype", 1), ("server", 2), ("client", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcUdpTunnelType.setStatus('current') hwBrasSbcUdpTunnelSctpAddr = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 1, 3), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcUdpTunnelSctpAddr.setStatus('current') hwBrasSbcUdpTunnelTunnelTimer = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535)).clone(900)).setUnits('seconds').setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcUdpTunnelTunnelTimer.setStatus('current') hwBrasSbcUdpTunnelTransportTimer = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535)).clone(900)).setUnits('seconds').setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcUdpTunnelTransportTimer.setStatus('current') hwBrasSbcUdpTunnelTables = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 2)) hwBrasSbcUdpTunnelPoolTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 2, 1), ) if mibBuilder.loadTexts: hwBrasSbcUdpTunnelPoolTable.setStatus('current') hwBrasSbcUdpTunnelPoolEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 2, 1, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUdpTunnelPoolIndex")) if mibBuilder.loadTexts: hwBrasSbcUdpTunnelPoolEntry.setStatus('current') hwBrasSbcUdpTunnelPoolIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 2, 1, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))) if mibBuilder.loadTexts: hwBrasSbcUdpTunnelPoolIndex.setStatus('current') hwBrasSbcUdpTunnelPoolStartIP = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 2, 1, 1, 2), IpAddress().clone(hexValue="7FA8B501")).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcUdpTunnelPoolStartIP.setStatus('current') hwBrasSbcUdpTunnelPoolEndIP = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 2, 1, 1, 3), IpAddress().clone(hexValue="7FA8EF98")).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcUdpTunnelPoolEndIP.setStatus('current') hwBrasSbcUdpTunnelPoolRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 2, 1, 1, 4), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcUdpTunnelPoolRowStatus.setStatus('current') hwBrasSbcUdpTunnelPortTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 2, 2), ) if mibBuilder.loadTexts: hwBrasSbcUdpTunnelPortTable.setStatus('current') hwBrasSbcUdpTunnelPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 2, 2, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUdpTunnelPortProtocol"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUdpTunnelPortPort")) if mibBuilder.loadTexts: hwBrasSbcUdpTunnelPortEntry.setStatus('current') hwBrasSbcUdpTunnelPortProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 2, 2, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("udp", 1), ("tcp", 2)))) if mibBuilder.loadTexts: hwBrasSbcUdpTunnelPortProtocol.setStatus('current') hwBrasSbcUdpTunnelPortPort = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 2, 2, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))) if mibBuilder.loadTexts: hwBrasSbcUdpTunnelPortPort.setStatus('current') hwBrasSbcUdpTunnelPortRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 2, 2, 1, 3), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcUdpTunnelPortRowStatus.setStatus('current') hwBrasSbcUdpTunnelIfPortTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 2, 3), ) if mibBuilder.loadTexts: hwBrasSbcUdpTunnelIfPortTable.setStatus('current') hwBrasSbcUdpTunnelIfPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 2, 3, 1), ).setIndexNames((0, "ENTITY-MIB", "entPhysicalIndex"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUdpTunnelIfPortAddr"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUdpTunnelIfPortPort")) if mibBuilder.loadTexts: hwBrasSbcUdpTunnelIfPortEntry.setStatus('current') hwBrasSbcUdpTunnelIfPortAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 2, 3, 1, 2), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcUdpTunnelIfPortAddr.setStatus('current') hwBrasSbcUdpTunnelIfPortPort = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 2, 3, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 9999))) if mibBuilder.loadTexts: hwBrasSbcUdpTunnelIfPortPort.setStatus('current') hwBrasSbcUdpTunnelIfPortRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 2, 3, 1, 4), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcUdpTunnelIfPortRowStatus.setStatus('current') hwBrasSbcIms = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7)) hwBrasSbcImsLeaves = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 1)) hwBrasSbcImsQosEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 1, 1), HWBrasEnabledStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcImsQosEnable.setStatus('current') hwBrasSbcImsMediaProxyEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 1, 2), HWBrasEnabledStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcImsMediaProxyEnable.setStatus('current') hwBrasSbcImsQosLogEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 1, 3), HWBrasEnabledStatus().clone('enabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcImsQosLogEnable.setStatus('current') hwBrasSbcImsMediaProxyLogEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 1, 4), HWBrasEnabledStatus().clone('enabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcImsMediaProxyLogEnable.setStatus('current') hwBrasSbcImsMGStatus = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 1, 5), HWBrasEnabledStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcImsMGStatus.setStatus('current') hwBrasSbcImsMGConnectTimer = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 1, 6), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(100, 3600000)).clone(1000)).setUnits('ms').setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcImsMGConnectTimer.setStatus('current') hwBrasSbcImsMGAgingTimer = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 1, 7), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 36000)).clone(120)).setUnits('s').setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcImsMGAgingTimer.setStatus('current') hwBrasSbcImsMGCallSessionTimer = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 1, 8), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 14400)).clone(30)).setUnits('m').setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcImsMGCallSessionTimer.setStatus('current') hwBrasSbcSctpStatus = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 1, 9), HWBrasEnabledStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcSctpStatus.setStatus('current') hwBrasSbcIdlecutRtcpTimer = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 1, 10), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(5, 3600)).clone(300)).setUnits('s').setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcIdlecutRtcpTimer.setStatus('current') hwBrasSbcIdlecutRtpTimer = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 1, 11), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(5, 3600)).clone(30)).setUnits('s').setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcIdlecutRtpTimer.setStatus('current') hwBrasSbcMediaDetectStatus = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 1, 12), HWBrasEnabledStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcMediaDetectStatus.setStatus('current') hwBrasSbcMediaOnewayStatus = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 1, 13), HWBrasEnabledStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcMediaOnewayStatus.setStatus('current') hwBrasSbcImsMgLogEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 1, 14), HWBrasEnabledStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcImsMgLogEnable.setStatus('current') hwBrasSbcImsStatisticsEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 1, 15), HWBrasEnabledStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcImsStatisticsEnable.setStatus('current') hwBrasSbcTimerMediaAging = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 1, 16), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(5, 3600)).clone(300)).setUnits('s').setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcTimerMediaAging.setStatus('current') hwBrasSbcImsTables = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2)) hwBrasSbcImsConnectTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 1), ) if mibBuilder.loadTexts: hwBrasSbcImsConnectTable.setStatus('current') hwBrasSbcImsConnectEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 1, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsConnectIndex")) if mibBuilder.loadTexts: hwBrasSbcImsConnectEntry.setStatus('current') hwBrasSbcImsConnectIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 1, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 9))) if mibBuilder.loadTexts: hwBrasSbcImsConnectIndex.setStatus('current') hwBrasSbcImsConnectPepID = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 1, 1, 11), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcImsConnectPepID.setStatus('current') hwBrasSbcImsConnectCliType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 1, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("unknown", 1), ("brasSbci", 2), ("goi", 3)))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcImsConnectCliType.setStatus('current') hwBrasSbcImsConnectCliIP = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 1, 1, 13), IpAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcImsConnectCliIP.setStatus('current') hwBrasSbcImsConnectCliPort = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 1, 1, 14), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 50000))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcImsConnectCliPort.setStatus('current') hwBrasSbcImsConnectServIP = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 1, 1, 15), IpAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcImsConnectServIP.setStatus('current') hwBrasSbcImsConnectServPort = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 1, 1, 16), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 50000))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcImsConnectServPort.setStatus('current') hwBrasSbcImsConnectRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 1, 1, 51), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcImsConnectRowStatus.setStatus('current') hwBrasSbcImsBandTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 2), ) if mibBuilder.loadTexts: hwBrasSbcImsBandTable.setStatus('current') hwBrasSbcImsBandEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 2, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsBandIndex")) if mibBuilder.loadTexts: hwBrasSbcImsBandEntry.setStatus('current') hwBrasSbcImsBandIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 2, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 64))) if mibBuilder.loadTexts: hwBrasSbcImsBandIndex.setStatus('current') hwBrasSbcImsBandIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 2, 1, 11), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcImsBandIfIndex.setStatus('current') hwBrasSbcImsBandIfName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 2, 1, 12), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcImsBandIfName.setStatus('current') hwBrasSbcImsBandIfType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 2, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("fe", 1), ("ge", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcImsBandIfType.setStatus('current') hwBrasSbcImsBandValue = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 2, 1, 14), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 1024))).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcImsBandValue.setStatus('current') hwBrasSbcImsBandRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 2, 1, 51), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcImsBandRowStatus.setStatus('current') hwBrasSbcImsActiveTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 3), ) if mibBuilder.loadTexts: hwBrasSbcImsActiveTable.setStatus('current') hwBrasSbcImsActiveEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 3, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsActiveConnectId")) if mibBuilder.loadTexts: hwBrasSbcImsActiveEntry.setStatus('current') hwBrasSbcImsActiveConnectId = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 3, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 9))) if mibBuilder.loadTexts: hwBrasSbcImsActiveConnectId.setStatus('current') hwBrasSbcImsActiveStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 3, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("sleep", 1), ("active", 2), ("online", 3))).clone('sleep')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcImsActiveStatus.setStatus('current') hwBrasSbcImsActiveRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 3, 1, 51), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcImsActiveRowStatus.setStatus('current') hwBrasSbcImsMGTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 4), ) if mibBuilder.loadTexts: hwBrasSbcImsMGTable.setStatus('current') hwBrasSbcImsMGEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 4, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsMGIndex")) if mibBuilder.loadTexts: hwBrasSbcImsMGEntry.setStatus('current') hwBrasSbcImsMGIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 4, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 14))) if mibBuilder.loadTexts: hwBrasSbcImsMGIndex.setStatus('current') hwBrasSbcImsMGDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 4, 1, 11), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 63))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcImsMGDescription.setStatus('current') hwBrasSbcImsMGTableStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 4, 1, 12), HWBrasEnabledStatus().clone('disabled')).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcImsMGTableStatus.setStatus('current') hwBrasSbcImsMGProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 4, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("sctp", 1), ("udp", 2), ("tcp", 3))).clone('udp')).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcImsMGProtocol.setStatus('current') hwBrasSbcImsMGMidString = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 4, 1, 14), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcImsMGMidString.setStatus('current') hwBrasSbcImsMGInstanceName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 4, 1, 15), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcImsMGInstanceName.setStatus('current') hwBrasSbcImsMGRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 4, 1, 51), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcImsMGRowStatus.setStatus('current') hwBrasSbcImsMGIPTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 5), ) if mibBuilder.loadTexts: hwBrasSbcImsMGIPTable.setStatus('current') hwBrasSbcImsMGIPEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 5, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsMGIndex"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsMGIPType"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsMGIPSN")) if mibBuilder.loadTexts: hwBrasSbcImsMGIPEntry.setStatus('current') hwBrasSbcImsMGIPType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 5, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("mg", 1), ("mgc", 2)))) if mibBuilder.loadTexts: hwBrasSbcImsMGIPType.setStatus('current') hwBrasSbcImsMGIPSN = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 5, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 4))) if mibBuilder.loadTexts: hwBrasSbcImsMGIPSN.setStatus('current') hwBrasSbcImsMGIPVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 5, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(4, 6))).clone(namedValues=NamedValues(("ipv4", 4), ("ipv6", 6)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcImsMGIPVersion.setStatus('current') hwBrasSbcImsMGIPAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 5, 1, 12), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 63))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcImsMGIPAddr.setStatus('current') hwBrasSbcImsMGIPInterface = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 5, 1, 15), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 47))).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcImsMGIPInterface.setStatus('current') hwBrasSbcImsMGIPPort = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 5, 1, 13), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 10000))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcImsMGIPPort.setStatus('current') hwBrasSbcImsMGIPRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 5, 1, 51), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcImsMGIPRowStatus.setStatus('current') hwBrasSbcImsMGDomainTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 6), ) if mibBuilder.loadTexts: hwBrasSbcImsMGDomainTable.setStatus('current') hwBrasSbcImsMGDomainEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 6, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsMGIndex"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsMGDomainType"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsMGDomainName")) if mibBuilder.loadTexts: hwBrasSbcImsMGDomainEntry.setStatus('current') hwBrasSbcImsMGDomainType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 6, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("inner", 1), ("outter", 2)))) if mibBuilder.loadTexts: hwBrasSbcImsMGDomainType.setStatus('current') hwBrasSbcImsMGDomainName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 6, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))) if mibBuilder.loadTexts: hwBrasSbcImsMGDomainName.setStatus('current') hwBrasSbcImsMGDomainMapIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 6, 1, 11), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(2501, 2999))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcImsMGDomainMapIndex.setStatus('current') hwBrasSbcImsMGDomainRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 6, 1, 51), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcImsMGDomainRowStatus.setStatus('current') hwBrasSbcDualHoming = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 8)) hwBrasSbcDHLeaves = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 8, 1)) hwBrasSbcDHSIPDetectStatus = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 8, 1, 1), HWBrasEnabledStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcDHSIPDetectStatus.setStatus('current') hwBrasSbcDHSIPDetectTimer = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 8, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 7200)).clone(10)).setUnits('seconds').setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcDHSIPDetectTimer.setStatus('current') hwBrasSbcDHSIPDetectSourcePort = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 8, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1024, 10000)).clone(5060)).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcDHSIPDetectSourcePort.setStatus('current') hwBrasSbcDHSIPDetectFailCount = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 8, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 100)).clone(3)).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcDHSIPDetectFailCount.setStatus('current') hwBrasSbcQoSReport = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 9)) hwBrasSbcQRLeaves = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 9, 1)) hwBrasSbcQRStatus = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 9, 1, 1), HWBrasEnabledStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcQRStatus.setStatus('current') hwBrasSbcQRBandWidth = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 9, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 40960)).clone(1024)).setUnits('packetspersecond').setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcQRBandWidth.setStatus('current') hwBrasSbcQRTables = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 9, 2)) hwBrasSbcMediaDefend = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 11)) hwBrasSbcMediaDefendLeaves = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 11, 1)) hwBrasSbcMDStatus = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 11, 1, 1), HWBrasEnabledStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcMDStatus.setStatus('current') hwBrasSbcMediaDefendTables = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 11, 2)) hwBrasSbcMDLengthTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 11, 2, 1), ) if mibBuilder.loadTexts: hwBrasSbcMDLengthTable.setStatus('current') hwBrasSbcMDLengthEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 11, 2, 1, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMDLengthIndex")) if mibBuilder.loadTexts: hwBrasSbcMDLengthEntry.setStatus('current') hwBrasSbcMDLengthIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 11, 2, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("rtp", 1), ("rtcp", 2)))) if mibBuilder.loadTexts: hwBrasSbcMDLengthIndex.setStatus('current') hwBrasSbcMDLengthMin = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 11, 2, 1, 1, 11), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(28, 65535)).clone(28)).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcMDLengthMin.setStatus('current') hwBrasSbcMDLengthMax = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 11, 2, 1, 1, 12), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(28, 65535)).clone(1500)).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcMDLengthMax.setStatus('current') hwBrasSbcMDLengthRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 11, 2, 1, 1, 51), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcMDLengthRowStatus.setStatus('current') hwBrasSbcMDStatisticTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 11, 2, 2), ) if mibBuilder.loadTexts: hwBrasSbcMDStatisticTable.setStatus('current') hwBrasSbcMDStatisticEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 11, 2, 2, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMDStatisticIndex")) if mibBuilder.loadTexts: hwBrasSbcMDStatisticEntry.setStatus('current') hwBrasSbcMDStatisticIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 11, 2, 2, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("rtp", 1), ("rtcp", 2)))) if mibBuilder.loadTexts: hwBrasSbcMDStatisticIndex.setStatus('current') hwBrasSbcMDStatisticMinDrop = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 11, 2, 2, 1, 11), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcMDStatisticMinDrop.setStatus('current') hwBrasSbcMDStatisticMaxDrop = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 11, 2, 2, 1, 12), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcMDStatisticMaxDrop.setStatus('current') hwBrasSbcMDStatisticFragDrop = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 11, 2, 2, 1, 13), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcMDStatisticFragDrop.setStatus('current') hwBrasSbcMDStatisticFlowDrop = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 11, 2, 2, 1, 14), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcMDStatisticFlowDrop.setStatus('current') hwBrasSbcMDStatisticRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 11, 2, 2, 1, 51), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcMDStatisticRowStatus.setStatus('current') hwBrasSbcSignalingNat = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 12)) hwBrasSbcSignalingNatLeaves = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 12, 1)) hwBrasSbcNatSessionAgingTime = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 12, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 40000)).clone(20)).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcNatSessionAgingTime.setStatus('current') hwBrasSbcSignalingNatTables = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 12, 2)) hwBrasSbcNatCfgTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 12, 2, 1), ) if mibBuilder.loadTexts: hwBrasSbcNatCfgTable.setStatus('current') hwBrasSbcNatCfgEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 12, 2, 1, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcNatGroupIndex"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcNatVpnNameIndex")) if mibBuilder.loadTexts: hwBrasSbcNatCfgEntry.setStatus('current') hwBrasSbcNatGroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 12, 2, 1, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 127))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcNatGroupIndex.setStatus('current') hwBrasSbcNatVpnNameIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 12, 2, 1, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 31))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcNatVpnNameIndex.setStatus('current') hwBrasSbcNatInstanceName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 12, 2, 1, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcNatInstanceName.setStatus('current') hwBrasSbcNatCfgRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 12, 2, 1, 1, 51), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcNatCfgRowStatus.setStatus('current') hwBrasSbcNatAddressGroupTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 12, 2, 2), ) if mibBuilder.loadTexts: hwBrasSbcNatAddressGroupTable.setStatus('current') hwBrasSbcNatAddressGroupEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 12, 2, 2, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwNatAddrGrpIndex")) if mibBuilder.loadTexts: hwBrasSbcNatAddressGroupEntry.setStatus('current') hwNatAddrGrpIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 12, 2, 2, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 127))) if mibBuilder.loadTexts: hwNatAddrGrpIndex.setStatus('current') hwNatAddrGrpBeginningIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 12, 2, 2, 1, 2), IpAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwNatAddrGrpBeginningIpAddr.setStatus('current') hwNatAddrGrpEndingIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 12, 2, 2, 1, 3), IpAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwNatAddrGrpEndingIpAddr.setStatus('current') hwNatAddrGrpRefCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 12, 2, 2, 1, 4), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwNatAddrGrpRefCount.setStatus('current') hwNatAddrGrpVpnName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 12, 2, 2, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 31))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwNatAddrGrpVpnName.setStatus('current') hwNatAddrGrpRowstatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 12, 2, 2, 1, 6), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwNatAddrGrpRowstatus.setStatus('current') hwBrasSbcBandwidthLimit = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 13)) hwBrasSbcBWLimitLeaves = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 13, 1)) hwBrasSbcBWLimitType = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 13, 1, 1), HwBrasBWLimitType().clone('qos')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcBWLimitType.setStatus('current') hwBrasSbcBWLimitValue = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 13, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 10485760)).clone(6291456)).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcBWLimitValue.setStatus('current') hwBrasSbcView = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 3)) hwBrasSbcViewLeaves = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 3, 1)) hwBrasSbcSoftVersion = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 3, 1, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcSoftVersion.setStatus('current') hwBrasSbcCpuUsage = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 3, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcCpuUsage.setStatus('current') hwBrasSbcUmsVersion = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 3, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(8, 63))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcUmsVersion.setStatus('current') hwBrasSbcViewTables = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 3, 2)) hwBrasSbcStatisticTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 3, 2, 1), ) if mibBuilder.loadTexts: hwBrasSbcStatisticTable.setStatus('current') hwBrasSbcStatisticEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 3, 2, 1, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcStatisticIndex"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcStatisticOffset")) if mibBuilder.loadTexts: hwBrasSbcStatisticEntry.setStatus('current') hwBrasSbcStatisticIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 3, 2, 1, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))) if mibBuilder.loadTexts: hwBrasSbcStatisticIndex.setStatus('current') hwBrasSbcStatisticOffset = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 3, 2, 1, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 143))).setUnits('hours') if mibBuilder.loadTexts: hwBrasSbcStatisticOffset.setStatus('current') hwBrasSbcStatisticDesc = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 3, 2, 1, 1, 3), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcStatisticDesc.setStatus('current') hwBrasSbcStatisticValue = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 3, 2, 1, 1, 4), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcStatisticValue.setStatus('current') hwBrasSbcStatisticTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 3, 2, 1, 1, 5), DateAndTime().subtype(subtypeSpec=ValueSizeConstraint(8, 8)).setFixedLength(8)).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcStatisticTime.setStatus('current') hwBrasSbcSip = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2)) hwBrasSbcSipLeaves = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 1)) hwBrasSbcSipEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 1, 1), HWBrasEnabledStatus().clone('enabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcSipEnable.setStatus('current') hwBrasSbcSipSyslogEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 1, 2), HWBrasEnabledStatus().clone('enabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcSipSyslogEnable.setStatus('current') hwBrasSbcSipAnonymity = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 63))).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcSipAnonymity.setStatus('current') hwBrasSbcSipCheckheartEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 1, 4), HWBrasEnabledStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcSipCheckheartEnable.setStatus('current') hwBrasSbcSipCallsessionTimer = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 14400)).clone(720)).setUnits('minutes').setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcSipCallsessionTimer.setStatus('current') hwBrasSbcSipPDHCountLimit = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 1, 6), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 100)).clone(6)).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcSipPDHCountLimit.setStatus('current') hwBrasSbcSipRegReduceStatus = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 1, 7), HWBrasEnabledStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcSipRegReduceStatus.setStatus('current') hwBrasSbcSipRegReduceTimer = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 1, 8), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 600)).clone(60)).setUnits('minutes').setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcSipRegReduceTimer.setStatus('current') hwBrasSbcSipTables = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2)) hwBrasSbcSipWellknownPortTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 1), ) if mibBuilder.loadTexts: hwBrasSbcSipWellknownPortTable.setStatus('current') hwBrasSbcSipWellknownPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 1, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSipWellknownPortIndex"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSipWellknownPortProtocol"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSipWellknownPortAddr")) if mibBuilder.loadTexts: hwBrasSbcSipWellknownPortEntry.setStatus('current') hwBrasSbcSipWellknownPortIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("clientaddr", 1), ("softxaddr", 2)))) if mibBuilder.loadTexts: hwBrasSbcSipWellknownPortIndex.setStatus('current') hwBrasSbcSipWellknownPortProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("sip", 1)))) if mibBuilder.loadTexts: hwBrasSbcSipWellknownPortProtocol.setStatus('current') hwBrasSbcSipWellknownPortAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 1, 1, 3), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcSipWellknownPortAddr.setStatus('current') hwBrasSbcSipWellknownPortPort = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 1, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcSipWellknownPortPort.setStatus('current') hwBrasSbcSipWellknownPortRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 1, 1, 5), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcSipWellknownPortRowStatus.setStatus('current') hwBrasSbcSipSignalMapTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 2), ) if mibBuilder.loadTexts: hwBrasSbcSipSignalMapTable.setStatus('current') hwBrasSbcSipSignalMapEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 2, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSipSignalMapAddr"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSipSignalMapProtocol")) if mibBuilder.loadTexts: hwBrasSbcSipSignalMapEntry.setStatus('current') hwBrasSbcSipSignalMapAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 2, 1, 1), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcSipSignalMapAddr.setStatus('current') hwBrasSbcSipSignalMapProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("sip", 1)))) if mibBuilder.loadTexts: hwBrasSbcSipSignalMapProtocol.setStatus('current') hwBrasSbcSipSignalMapNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 2, 1, 3), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcSipSignalMapNumber.setStatus('current') hwBrasSbcSipSignalMapAddrType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("client", 1), ("server", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcSipSignalMapAddrType.setStatus('current') hwBrasSbcSipMediaMapTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 3), ) if mibBuilder.loadTexts: hwBrasSbcSipMediaMapTable.setStatus('current') hwBrasSbcSipMediaMapEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 3, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSipMediaMapAddr"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSipMediaMapProtocol")) if mibBuilder.loadTexts: hwBrasSbcSipMediaMapEntry.setStatus('current') hwBrasSbcSipMediaMapAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 3, 1, 1), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcSipMediaMapAddr.setStatus('current') hwBrasSbcSipMediaMapProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 3, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("sip", 1)))) if mibBuilder.loadTexts: hwBrasSbcSipMediaMapProtocol.setStatus('current') hwBrasSbcSipMediaMapNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 3, 1, 3), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcSipMediaMapNumber.setStatus('current') hwBrasSbcSipIntercomMapSignalTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 4), ) if mibBuilder.loadTexts: hwBrasSbcSipIntercomMapSignalTable.setStatus('current') hwBrasSbcSipIntercomMapSignalEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 4, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSipIntercomMapSignalAddr"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSipIntercomMapSignalProtocol")) if mibBuilder.loadTexts: hwBrasSbcSipIntercomMapSignalEntry.setStatus('current') hwBrasSbcSipIntercomMapSignalAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 4, 1, 1), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcSipIntercomMapSignalAddr.setStatus('current') hwBrasSbcSipIntercomMapSignalProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 4, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("sip", 1)))) if mibBuilder.loadTexts: hwBrasSbcSipIntercomMapSignalProtocol.setStatus('current') hwBrasSbcSipIntercomMapSignalNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 4, 1, 3), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcSipIntercomMapSignalNumber.setStatus('current') hwBrasSbcSipIntercomMapMediaTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 5), ) if mibBuilder.loadTexts: hwBrasSbcSipIntercomMapMediaTable.setStatus('current') hwBrasSbcSipIntercomMapMediaEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 5, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSipIntercomMapMediaAddr"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSipIntercomMapMediaProtocol")) if mibBuilder.loadTexts: hwBrasSbcSipIntercomMapMediaEntry.setStatus('current') hwBrasSbcSipIntercomMapMediaAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 5, 1, 1), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcSipIntercomMapMediaAddr.setStatus('current') hwBrasSbcSipIntercomMapMediaProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 5, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("sip", 1)))) if mibBuilder.loadTexts: hwBrasSbcSipIntercomMapMediaProtocol.setStatus('current') hwBrasSbcSipIntercomMapMediaNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 5, 1, 3), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcSipIntercomMapMediaNumber.setStatus('current') hwBrasSbcSipStatSignalPacketTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 6), ) if mibBuilder.loadTexts: hwBrasSbcSipStatSignalPacketTable.setStatus('current') hwBrasSbcSipStatSignalPacketEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 6, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSipStatSignalPacketIndex")) if mibBuilder.loadTexts: hwBrasSbcSipStatSignalPacketEntry.setStatus('current') hwBrasSbcSipStatSignalPacketIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 6, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("sip", 1)))) if mibBuilder.loadTexts: hwBrasSbcSipStatSignalPacketIndex.setStatus('current') hwBrasSbcSipStatSignalPacketInNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 6, 1, 2), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcSipStatSignalPacketInNumber.setStatus('current') hwBrasSbcSipStatSignalPacketInOctet = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 6, 1, 3), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcSipStatSignalPacketInOctet.setStatus('current') hwBrasSbcSipStatSignalPacketOutNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 6, 1, 4), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcSipStatSignalPacketOutNumber.setStatus('current') hwBrasSbcSipStatSignalPacketOutOctet = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 6, 1, 5), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcSipStatSignalPacketOutOctet.setStatus('current') hwBrasSbcSipStatSignalPacketRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 6, 1, 6), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcSipStatSignalPacketRowStatus.setStatus('current') hwBrasSbcMgcp = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3)) hwBrasSbcMgcpLeaves = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 1)) hwBrasSbcMgcpSyslogEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 1, 1), HWBrasEnabledStatus().clone('enabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcMgcpSyslogEnable.setStatus('current') hwBrasSbcMgcpAuepTimer = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 3600)).clone(600)).setUnits('seconds').setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcMgcpAuepTimer.setStatus('current') hwBrasSbcMgcpCcbTimer = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(10, 14400)).clone(30)).setUnits('minutes').setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcMgcpCcbTimer.setStatus('current') hwBrasSbcMgcpTxTimer = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(6, 60)).clone(6)).setUnits('seconds').setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcMgcpTxTimer.setStatus('current') hwBrasSbcMgcpEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 1, 5), HWBrasEnabledStatus().clone('enabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcMgcpEnable.setStatus('current') hwBrasSbcMgcpPDHCountLimit = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 1, 6), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 100)).clone(6)).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcMgcpPDHCountLimit.setStatus('current') hwBrasSbcMgcpTables = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3)) hwBrasSbcMgcpWellknownPortTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 1), ) if mibBuilder.loadTexts: hwBrasSbcMgcpWellknownPortTable.setStatus('current') hwBrasSbcMgcpWellknownPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 1, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMgcpWellknownPortIndex"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMgcpWellknownPortProtocol"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMgcpWellknownPortAddr")) if mibBuilder.loadTexts: hwBrasSbcMgcpWellknownPortEntry.setStatus('current') hwBrasSbcMgcpWellknownPortIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("clientaddr", 1), ("softxaddr", 2)))) if mibBuilder.loadTexts: hwBrasSbcMgcpWellknownPortIndex.setStatus('current') hwBrasSbcMgcpWellknownPortProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("mgcp", 1)))) if mibBuilder.loadTexts: hwBrasSbcMgcpWellknownPortProtocol.setStatus('current') hwBrasSbcMgcpWellknownPortAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 1, 1, 3), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcMgcpWellknownPortAddr.setStatus('current') hwBrasSbcMgcpWellknownPortPort = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 1, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMgcpWellknownPortPort.setStatus('current') hwBrasSbcMgcpWellknownPortRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 1, 1, 5), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcMgcpWellknownPortRowStatus.setStatus('current') hwBrasSbcMgcpSignalMapTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 2), ) if mibBuilder.loadTexts: hwBrasSbcMgcpSignalMapTable.setStatus('current') hwBrasSbcMgcpSignalMapEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 2, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMgcpSignalMapAddr"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMgcpSignalMapProtocol")) if mibBuilder.loadTexts: hwBrasSbcMgcpSignalMapEntry.setStatus('current') hwBrasSbcMgcpSignalMapAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 2, 1, 1), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcMgcpSignalMapAddr.setStatus('current') hwBrasSbcMgcpSignalMapProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("mgcp", 1)))) if mibBuilder.loadTexts: hwBrasSbcMgcpSignalMapProtocol.setStatus('current') hwBrasSbcMgcpSignalMapNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 2, 1, 3), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcMgcpSignalMapNumber.setStatus('current') hwBrasSbcMgcpSignalMapAddrType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("client", 1), ("server", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcMgcpSignalMapAddrType.setStatus('current') hwBrasSbcMgcpMediaMapTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 3), ) if mibBuilder.loadTexts: hwBrasSbcMgcpMediaMapTable.setStatus('current') hwBrasSbcMgcpMediaMapEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 3, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMgcpMediaMapAddr"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMgcpMediaMapProtocol")) if mibBuilder.loadTexts: hwBrasSbcMgcpMediaMapEntry.setStatus('current') hwBrasSbcMgcpMediaMapAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 3, 1, 1), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcMgcpMediaMapAddr.setStatus('current') hwBrasSbcMgcpMediaMapProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 3, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("mgcp", 1)))) if mibBuilder.loadTexts: hwBrasSbcMgcpMediaMapProtocol.setStatus('current') hwBrasSbcMgcpMediaMapNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 3, 1, 3), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcMgcpMediaMapNumber.setStatus('current') hwBrasSbcMgcpIntercomMapSignalTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 4), ) if mibBuilder.loadTexts: hwBrasSbcMgcpIntercomMapSignalTable.setStatus('current') hwBrasSbcMgcpIntercomMapSignalEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 4, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMgcpIntercomMapSignalAddr"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMgcpIntercomMapSignalProtocol")) if mibBuilder.loadTexts: hwBrasSbcMgcpIntercomMapSignalEntry.setStatus('current') hwBrasSbcMgcpIntercomMapSignalAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 4, 1, 1), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcMgcpIntercomMapSignalAddr.setStatus('current') hwBrasSbcMgcpIntercomMapSignalProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 4, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("mgcp", 1)))) if mibBuilder.loadTexts: hwBrasSbcMgcpIntercomMapSignalProtocol.setStatus('current') hwBrasSbcMgcpIntercomMapSignalNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 4, 1, 3), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcMgcpIntercomMapSignalNumber.setStatus('current') hwBrasSbcMgcpIntercomMapMediaTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 5), ) if mibBuilder.loadTexts: hwBrasSbcMgcpIntercomMapMediaTable.setStatus('current') hwBrasSbcMgcpIntercomMapMediaEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 5, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMgcpIntercomMapMediaAddr"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMgcpIntercomMapMediaProtocol")) if mibBuilder.loadTexts: hwBrasSbcMgcpIntercomMapMediaEntry.setStatus('current') hwBrasSbcMgcpIntercomMapMediaAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 5, 1, 1), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcMgcpIntercomMapMediaAddr.setStatus('current') hwBrasSbcMgcpIntercomMapMediaProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 5, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("mgcp", 1)))) if mibBuilder.loadTexts: hwBrasSbcMgcpIntercomMapMediaProtocol.setStatus('current') hwBrasSbcMgcpIntercomMapMediaNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 5, 1, 3), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcMgcpIntercomMapMediaNumber.setStatus('current') hwBrasSbcMgcpStatSignalPacketTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 6), ) if mibBuilder.loadTexts: hwBrasSbcMgcpStatSignalPacketTable.setStatus('current') hwBrasSbcMgcpStatSignalPacketEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 6, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMgcpStatSignalPacketIndex")) if mibBuilder.loadTexts: hwBrasSbcMgcpStatSignalPacketEntry.setStatus('current') hwBrasSbcMgcpStatSignalPacketIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 6, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("mgcp", 1)))) if mibBuilder.loadTexts: hwBrasSbcMgcpStatSignalPacketIndex.setStatus('current') hwBrasSbcMgcpStatSignalPacketInNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 6, 1, 2), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcMgcpStatSignalPacketInNumber.setStatus('current') hwBrasSbcMgcpStatSignalPacketInOctet = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 6, 1, 3), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcMgcpStatSignalPacketInOctet.setStatus('current') hwBrasSbcMgcpStatSignalPacketOutNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 6, 1, 4), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcMgcpStatSignalPacketOutNumber.setStatus('current') hwBrasSbcMgcpStatSignalPacketOutOctet = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 6, 1, 5), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcMgcpStatSignalPacketOutOctet.setStatus('current') hwBrasSbcMgcpStatSignalPacketRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 6, 1, 6), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcMgcpStatSignalPacketRowStatus.setStatus('current') hwBrasSbcIadms = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4)) hwBrasSbcIadmsLeaves = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 1)) hwBrasSbcIadmsEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 1, 1), HWBrasEnabledStatus().clone('enabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcIadmsEnable.setStatus('current') hwBrasSbcIadmsSyslogEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 1, 2), HWBrasEnabledStatus().clone('enabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcIadmsSyslogEnable.setStatus('current') hwBrasSbcIadmsRegRefreshEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 1, 3), HWBrasEnabledStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcIadmsRegRefreshEnable.setStatus('current') hwBrasSbcIadmsTimer = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 30)).clone(20)).setUnits('minutes').setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcIadmsTimer.setStatus('current') hwBrasSbcIadmsTables = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2)) hwBrasSbcIadmsWellknownPortTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 1), ) if mibBuilder.loadTexts: hwBrasSbcIadmsWellknownPortTable.setStatus('current') hwBrasSbcIadmsWellknownPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 1, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIadmsWellknownPortIndex"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIadmsWellknownPortProtocol"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIadmsWellknownPortAddr")) if mibBuilder.loadTexts: hwBrasSbcIadmsWellknownPortEntry.setStatus('current') hwBrasSbcIadmsWellknownPortIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("clientaddr", 1), ("iadmsaddr", 2)))) if mibBuilder.loadTexts: hwBrasSbcIadmsWellknownPortIndex.setStatus('current') hwBrasSbcIadmsWellknownPortProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("snmp", 1)))) if mibBuilder.loadTexts: hwBrasSbcIadmsWellknownPortProtocol.setStatus('current') hwBrasSbcIadmsWellknownPortAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 1, 1, 3), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcIadmsWellknownPortAddr.setStatus('current') hwBrasSbcIadmsWellknownPortPort = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 1, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcIadmsWellknownPortPort.setStatus('current') hwBrasSbcIadmsWellknownPortRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 1, 1, 5), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcIadmsWellknownPortRowStatus.setStatus('current') hwBrasSbcIadmsMibRegTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 2), ) if mibBuilder.loadTexts: hwBrasSbcIadmsMibRegTable.setStatus('current') hwBrasSbcIadmsMibRegEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 2, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIadmsMibRegVersion")) if mibBuilder.loadTexts: hwBrasSbcIadmsMibRegEntry.setStatus('current') hwBrasSbcIadmsMibRegVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 2, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("amend", 1), ("v150", 2), ("v152", 3), ("v160", 4), ("v210", 5)))) if mibBuilder.loadTexts: hwBrasSbcIadmsMibRegVersion.setStatus('current') hwBrasSbcIadmsMibRegRegister = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 2, 1, 2), TruthValue().clone('true')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcIadmsMibRegRegister.setStatus('current') hwBrasSbcIadmsMibRegRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 2, 1, 3), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcIadmsMibRegRowStatus.setStatus('current') hwBrasSbcIadmsSignalMapTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 3), ) if mibBuilder.loadTexts: hwBrasSbcIadmsSignalMapTable.setStatus('current') hwBrasSbcIadmsSignalMapEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 3, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIadmsSignalMapAddr"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIadmsSignalMapProtocol")) if mibBuilder.loadTexts: hwBrasSbcIadmsSignalMapEntry.setStatus('current') hwBrasSbcIadmsSignalMapAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 3, 1, 1), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcIadmsSignalMapAddr.setStatus('current') hwBrasSbcIadmsSignalMapProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 3, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("snmp", 1)))) if mibBuilder.loadTexts: hwBrasSbcIadmsSignalMapProtocol.setStatus('current') hwBrasSbcIadmsSignalMapNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 3, 1, 3), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcIadmsSignalMapNumber.setStatus('current') hwBrasSbcIadmsSignalMapAddrType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 3, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("client", 1), ("server", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcIadmsSignalMapAddrType.setStatus('current') hwBrasSbcIadmsMediaMapTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 4), ) if mibBuilder.loadTexts: hwBrasSbcIadmsMediaMapTable.setStatus('current') hwBrasSbcIadmsMediaMapEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 4, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIadmsMediaMapAddr"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIadmsMediaMapProtocol")) if mibBuilder.loadTexts: hwBrasSbcIadmsMediaMapEntry.setStatus('current') hwBrasSbcIadmsMediaMapAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 4, 1, 1), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcIadmsMediaMapAddr.setStatus('current') hwBrasSbcIadmsMediaMapProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 4, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("snmp", 1)))) if mibBuilder.loadTexts: hwBrasSbcIadmsMediaMapProtocol.setStatus('current') hwBrasSbcIadmsMediaMapNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 4, 1, 3), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcIadmsMediaMapNumber.setStatus('current') hwBrasSbcIadmsIntercomMapSignalTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 5), ) if mibBuilder.loadTexts: hwBrasSbcIadmsIntercomMapSignalTable.setStatus('current') hwBrasSbcIadmsIntercomMapSignalEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 5, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIadmsIntercomMapSignalAddr"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIadmsIntercomMapSignalProtocol")) if mibBuilder.loadTexts: hwBrasSbcIadmsIntercomMapSignalEntry.setStatus('current') hwBrasSbcIadmsIntercomMapSignalAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 5, 1, 1), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcIadmsIntercomMapSignalAddr.setStatus('current') hwBrasSbcIadmsIntercomMapSignalProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 5, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("snmp", 1)))) if mibBuilder.loadTexts: hwBrasSbcIadmsIntercomMapSignalProtocol.setStatus('current') hwBrasSbcIadmsIntercomMapSignalNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 5, 1, 3), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcIadmsIntercomMapSignalNumber.setStatus('current') hwBrasSbcIadmsIntercomMapMediaTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 6), ) if mibBuilder.loadTexts: hwBrasSbcIadmsIntercomMapMediaTable.setStatus('current') hwBrasSbcIadmsIntercomMapMediaEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 6, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIadmsIntercomMapMediaAddr"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIadmsIntercomMapMediaProtocol")) if mibBuilder.loadTexts: hwBrasSbcIadmsIntercomMapMediaEntry.setStatus('current') hwBrasSbcIadmsIntercomMapMediaAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 6, 1, 1), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcIadmsIntercomMapMediaAddr.setStatus('current') hwBrasSbcIadmsIntercomMapMediaProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 6, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("snmp", 1)))) if mibBuilder.loadTexts: hwBrasSbcIadmsIntercomMapMediaProtocol.setStatus('current') hwBrasSbcIadmsIntercomMapMediaNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 6, 1, 3), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcIadmsIntercomMapMediaNumber.setStatus('current') hwBrasSbcIadmsStatSignalPacketTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 7), ) if mibBuilder.loadTexts: hwBrasSbcIadmsStatSignalPacketTable.setStatus('current') hwBrasSbcIadmsStatSignalPacketEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 7, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIadmsStatSignalPacketIndex")) if mibBuilder.loadTexts: hwBrasSbcIadmsStatSignalPacketEntry.setStatus('current') hwBrasSbcIadmsStatSignalPacketIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 7, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("iadms", 1)))) if mibBuilder.loadTexts: hwBrasSbcIadmsStatSignalPacketIndex.setStatus('current') hwBrasSbcIadmsStatSignalPacketInNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 7, 1, 2), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcIadmsStatSignalPacketInNumber.setStatus('current') hwBrasSbcIadmsStatSignalPacketInOctet = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 7, 1, 3), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcIadmsStatSignalPacketInOctet.setStatus('current') hwBrasSbcIadmsStatSignalPacketOutNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 7, 1, 4), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcIadmsStatSignalPacketOutNumber.setStatus('current') hwBrasSbcIadmsStatSignalPacketOutOctet = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 7, 1, 5), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcIadmsStatSignalPacketOutOctet.setStatus('current') hwBrasSbcIadmsStatSignalPacketRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 7, 1, 6), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcIadmsStatSignalPacketRowStatus.setStatus('current') hwBrasSbcH323 = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5)) hwBrasSbcH323Leaves = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 1)) hwBrasSbcH323Enable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 1, 1), HWBrasEnabledStatus().clone('enabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcH323Enable.setStatus('current') hwBrasSbcH323SyslogEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 1, 2), HWBrasEnabledStatus().clone('enabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcH323SyslogEnable.setStatus('current') hwBrasSbcH323CallsessionTimer = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(3, 24)).clone(24)).setUnits('hours').setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcH323CallsessionTimer.setStatus('current') hwBrasSbcH323Q931WellknownPort = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 49999)).clone(1720)).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcH323Q931WellknownPort.setStatus('current') hwBrasSbcH323PDHCountLimit = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 100)).clone(6)).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcH323PDHCountLimit.setStatus('current') hwBrasSbcH323Tables = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2)) hwBrasSbcH323WellknownPortTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 1), ) if mibBuilder.loadTexts: hwBrasSbcH323WellknownPortTable.setStatus('current') hwBrasSbcH323WellknownPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 1, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH323WellknownPortIndex"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH323WellknownPortProtocol"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH323WellknownPortAddr")) if mibBuilder.loadTexts: hwBrasSbcH323WellknownPortEntry.setStatus('current') hwBrasSbcH323WellknownPortIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("clientaddr", 1), ("softxaddr", 2)))) if mibBuilder.loadTexts: hwBrasSbcH323WellknownPortIndex.setStatus('current') hwBrasSbcH323WellknownPortProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ras", 1), ("q931", 2)))) if mibBuilder.loadTexts: hwBrasSbcH323WellknownPortProtocol.setStatus('current') hwBrasSbcH323WellknownPortAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 1, 1, 3), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcH323WellknownPortAddr.setStatus('current') hwBrasSbcH323WellknownPortPort = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 1, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcH323WellknownPortPort.setStatus('current') hwBrasSbcH323WellknownPortRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 1, 1, 5), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcH323WellknownPortRowStatus.setStatus('current') hwBrasSbcH323SignalMapTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 2), ) if mibBuilder.loadTexts: hwBrasSbcH323SignalMapTable.setStatus('current') hwBrasSbcH323SignalMapEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 2, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH323SignalMapAddr"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH323SignalMapProtocol")) if mibBuilder.loadTexts: hwBrasSbcH323SignalMapEntry.setStatus('current') hwBrasSbcH323SignalMapAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 2, 1, 1), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcH323SignalMapAddr.setStatus('current') hwBrasSbcH323SignalMapProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("ras", 1), ("q931", 2), ("h245", 3)))) if mibBuilder.loadTexts: hwBrasSbcH323SignalMapProtocol.setStatus('current') hwBrasSbcH323SignalMapNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 2, 1, 3), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcH323SignalMapNumber.setStatus('current') hwBrasSbcH323SignalMapAddrType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("client", 1), ("server", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcH323SignalMapAddrType.setStatus('current') hwBrasSbcH323MediaMapTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 3), ) if mibBuilder.loadTexts: hwBrasSbcH323MediaMapTable.setStatus('current') hwBrasSbcH323MediaMapEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 3, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH323MediaMapAddr"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH323MediaMapProtocol")) if mibBuilder.loadTexts: hwBrasSbcH323MediaMapEntry.setStatus('current') hwBrasSbcH323MediaMapAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 3, 1, 1), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcH323MediaMapAddr.setStatus('current') hwBrasSbcH323MediaMapProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 3, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("h323", 1)))) if mibBuilder.loadTexts: hwBrasSbcH323MediaMapProtocol.setStatus('current') hwBrasSbcH323MediaMapNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 3, 1, 3), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcH323MediaMapNumber.setStatus('current') hwBrasSbcH323IntercomMapSignalTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 4), ) if mibBuilder.loadTexts: hwBrasSbcH323IntercomMapSignalTable.setStatus('current') hwBrasSbcH323IntercomMapSignalEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 4, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH323IntercomMapSignalAddr"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH323IntercomMapSignalProtocol")) if mibBuilder.loadTexts: hwBrasSbcH323IntercomMapSignalEntry.setStatus('current') hwBrasSbcH323IntercomMapSignalAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 4, 1, 1), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcH323IntercomMapSignalAddr.setStatus('current') hwBrasSbcH323IntercomMapSignalProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 4, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("ras", 1), ("q931", 2), ("h245", 3)))) if mibBuilder.loadTexts: hwBrasSbcH323IntercomMapSignalProtocol.setStatus('current') hwBrasSbcH323IntercomMapSignalNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 4, 1, 3), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcH323IntercomMapSignalNumber.setStatus('current') hwBrasSbcH323IntercomMapMediaTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 5), ) if mibBuilder.loadTexts: hwBrasSbcH323IntercomMapMediaTable.setStatus('current') hwBrasSbcH323IntercomMapMediaEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 5, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH323IntercomMapMediaAddr"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH323IntercomMapMediaProtocol")) if mibBuilder.loadTexts: hwBrasSbcH323IntercomMapMediaEntry.setStatus('current') hwBrasSbcH323IntercomMapMediaAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 5, 1, 1), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcH323IntercomMapMediaAddr.setStatus('current') hwBrasSbcH323IntercomMapMediaProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 5, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("h323", 1)))) if mibBuilder.loadTexts: hwBrasSbcH323IntercomMapMediaProtocol.setStatus('current') hwBrasSbcH323IntercomMapMediaNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 5, 1, 3), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcH323IntercomMapMediaNumber.setStatus('current') hwBrasSbcH323StatSignalPacketTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 6), ) if mibBuilder.loadTexts: hwBrasSbcH323StatSignalPacketTable.setStatus('current') hwBrasSbcH323StatSignalPacketEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 6, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH323StatSignalPacketIndex")) if mibBuilder.loadTexts: hwBrasSbcH323StatSignalPacketEntry.setStatus('current') hwBrasSbcH323StatSignalPacketIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 6, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("h323", 1)))) if mibBuilder.loadTexts: hwBrasSbcH323StatSignalPacketIndex.setStatus('current') hwBrasSbcH323StatSignalPacketInNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 6, 1, 2), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcH323StatSignalPacketInNumber.setStatus('current') hwBrasSbcH323StatSignalPacketInOctet = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 6, 1, 3), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcH323StatSignalPacketInOctet.setStatus('current') hwBrasSbcH323StatSignalPacketOutNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 6, 1, 4), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcH323StatSignalPacketOutNumber.setStatus('current') hwBrasSbcH323StatSignalPacketOutOctet = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 6, 1, 5), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcH323StatSignalPacketOutOctet.setStatus('current') hwBrasSbcH323StatSignalPacketRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 6, 1, 6), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcH323StatSignalPacketRowStatus.setStatus('current') hwBrasSbcIdo = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6)) hwBrasSbcIdoLeaves = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 1)) hwBrasSbcIdoEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 1, 1), HWBrasEnabledStatus().clone('enabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcIdoEnable.setStatus('current') hwBrasSbcIdoSyslogEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 1, 2), HWBrasEnabledStatus().clone('enabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcIdoSyslogEnable.setStatus('current') hwBrasSbcIdoTables = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2)) hwBrasSbcIdoWellknownPortTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 1), ) if mibBuilder.loadTexts: hwBrasSbcIdoWellknownPortTable.setStatus('current') hwBrasSbcIdoWellknownPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 1, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIdoWellknownPortIndex"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIdoWellknownPortProtocol"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIdoWellknownPortAddr")) if mibBuilder.loadTexts: hwBrasSbcIdoWellknownPortEntry.setStatus('current') hwBrasSbcIdoWellknownPortIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("clientaddr", 1), ("softxaddr", 2)))) if mibBuilder.loadTexts: hwBrasSbcIdoWellknownPortIndex.setStatus('current') hwBrasSbcIdoWellknownPortProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("ido", 1)))) if mibBuilder.loadTexts: hwBrasSbcIdoWellknownPortProtocol.setStatus('current') hwBrasSbcIdoWellknownPortAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 1, 1, 3), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcIdoWellknownPortAddr.setStatus('current') hwBrasSbcIdoWellknownPortPort = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 1, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcIdoWellknownPortPort.setStatus('current') hwBrasSbcIdoWellknownPortRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 1, 1, 5), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcIdoWellknownPortRowStatus.setStatus('current') hwBrasSbcIdoSignalMapTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 2), ) if mibBuilder.loadTexts: hwBrasSbcIdoSignalMapTable.setStatus('current') hwBrasSbcIdoSignalMapEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 2, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIdoSignalMapAddr"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIdoSignalMapProtocol")) if mibBuilder.loadTexts: hwBrasSbcIdoSignalMapEntry.setStatus('current') hwBrasSbcIdoSignalMapAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 2, 1, 1), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcIdoSignalMapAddr.setStatus('current') hwBrasSbcIdoSignalMapProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("ido", 1)))) if mibBuilder.loadTexts: hwBrasSbcIdoSignalMapProtocol.setStatus('current') hwBrasSbcIdoSignalMapNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 2, 1, 3), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcIdoSignalMapNumber.setStatus('current') hwBrasSbcIdoSignalMapAddrType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("client", 1), ("server", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcIdoSignalMapAddrType.setStatus('current') hwBrasSbcIdoIntercomMapSignalTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 3), ) if mibBuilder.loadTexts: hwBrasSbcIdoIntercomMapSignalTable.setStatus('current') hwBrasSbcIdoIntercomMapSignalEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 3, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIdoIntercomMapSignalAddr"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIdoIntercomMapSignalProtocol")) if mibBuilder.loadTexts: hwBrasSbcIdoIntercomMapSignalEntry.setStatus('current') hwBrasSbcIdoIntercomMapSignalAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 3, 1, 1), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcIdoIntercomMapSignalAddr.setStatus('current') hwBrasSbcIdoIntercomMapSignalProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 3, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("ido", 1)))) if mibBuilder.loadTexts: hwBrasSbcIdoIntercomMapSignalProtocol.setStatus('current') hwBrasSbcIdoIntercomMapSignalNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 3, 1, 3), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcIdoIntercomMapSignalNumber.setStatus('current') hwBrasSbcIdoStatSignalPacketTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 4), ) if mibBuilder.loadTexts: hwBrasSbcIdoStatSignalPacketTable.setStatus('current') hwBrasSbcIdoStatSignalPacketEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 4, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIdoStatSignalPacketIndex")) if mibBuilder.loadTexts: hwBrasSbcIdoStatSignalPacketEntry.setStatus('current') hwBrasSbcIdoStatSignalPacketIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 4, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("ido", 1)))) if mibBuilder.loadTexts: hwBrasSbcIdoStatSignalPacketIndex.setStatus('current') hwBrasSbcIdoStatSignalPacketInNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 4, 1, 2), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcIdoStatSignalPacketInNumber.setStatus('current') hwBrasSbcIdoStatSignalPacketInOctet = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 4, 1, 3), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcIdoStatSignalPacketInOctet.setStatus('current') hwBrasSbcIdoStatSignalPacketOutNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 4, 1, 4), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcIdoStatSignalPacketOutNumber.setStatus('current') hwBrasSbcIdoStatSignalPacketOutOctet = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 4, 1, 5), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcIdoStatSignalPacketOutOctet.setStatus('current') hwBrasSbcIdoStatSignalPacketRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 4, 1, 6), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcIdoStatSignalPacketRowStatus.setStatus('current') hwBrasSbcH248 = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7)) hwBrasSbcH248Leaves = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 1)) hwBrasSbcH248Enable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 1, 1), HWBrasEnabledStatus().clone('enabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcH248Enable.setStatus('current') hwBrasSbcH248SyslogEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 1, 2), HWBrasEnabledStatus().clone('enabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcH248SyslogEnable.setStatus('current') hwBrasSbcH248CcbTimer = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(10, 14400))).setUnits('minutes').setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcH248CcbTimer.setStatus('current') hwBrasSbcH248UserAgeTimer = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 3600))).setUnits('seconds').setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcH248UserAgeTimer.setStatus('current') hwBrasSbcH248PDHCountLimit = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 100)).clone(6)).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcH248PDHCountLimit.setStatus('current') hwBrasSbcH248Tables = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2)) hwBrasSbcH248WellknownPortTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 1), ) if mibBuilder.loadTexts: hwBrasSbcH248WellknownPortTable.setStatus('current') hwBrasSbcH248WellknownPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 1, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH248WellknownPortIndex"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH248WellknownPortProtocol"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH248WellknownPortAddr")) if mibBuilder.loadTexts: hwBrasSbcH248WellknownPortEntry.setStatus('current') hwBrasSbcH248WellknownPortIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("clientaddr", 1), ("softxaddr", 2)))) if mibBuilder.loadTexts: hwBrasSbcH248WellknownPortIndex.setStatus('current') hwBrasSbcH248WellknownPortProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("h248", 1)))) if mibBuilder.loadTexts: hwBrasSbcH248WellknownPortProtocol.setStatus('current') hwBrasSbcH248WellknownPortAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 1, 1, 3), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcH248WellknownPortAddr.setStatus('current') hwBrasSbcH248WellknownPortPort = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 1, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcH248WellknownPortPort.setStatus('current') hwBrasSbcH248WellknownPortRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 1, 1, 5), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcH248WellknownPortRowStatus.setStatus('current') hwBrasSbcH248SignalMapTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 2), ) if mibBuilder.loadTexts: hwBrasSbcH248SignalMapTable.setStatus('current') hwBrasSbcH248SignalMapEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 2, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH248SignalMapAddr"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH248SignalMapProtocol")) if mibBuilder.loadTexts: hwBrasSbcH248SignalMapEntry.setStatus('current') hwBrasSbcH248SignalMapAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 2, 1, 1), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcH248SignalMapAddr.setStatus('current') hwBrasSbcH248SignalMapProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("h248", 1)))) if mibBuilder.loadTexts: hwBrasSbcH248SignalMapProtocol.setStatus('current') hwBrasSbcH248SignalMapNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 2, 1, 3), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcH248SignalMapNumber.setStatus('current') hwBrasSbcH248SignalMapAddrType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("client", 1), ("server", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcH248SignalMapAddrType.setStatus('current') hwBrasSbcH248MediaMapTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 3), ) if mibBuilder.loadTexts: hwBrasSbcH248MediaMapTable.setStatus('current') hwBrasSbcH248MediaMapEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 3, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH248MediaMapAddr"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH248MediaMapProtocol")) if mibBuilder.loadTexts: hwBrasSbcH248MediaMapEntry.setStatus('current') hwBrasSbcH248MediaMapAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 3, 1, 1), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcH248MediaMapAddr.setStatus('current') hwBrasSbcH248MediaMapProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 3, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("h248", 1)))) if mibBuilder.loadTexts: hwBrasSbcH248MediaMapProtocol.setStatus('current') hwBrasSbcH248MediaMapNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 3, 1, 3), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcH248MediaMapNumber.setStatus('current') hwBrasSbcH248IntercomMapSignalTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 4), ) if mibBuilder.loadTexts: hwBrasSbcH248IntercomMapSignalTable.setStatus('current') hwBrasSbcH248IntercomMapSignalEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 4, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH248IntercomMapSignalAddr"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH248IntercomMapSignalProtocol")) if mibBuilder.loadTexts: hwBrasSbcH248IntercomMapSignalEntry.setStatus('current') hwBrasSbcH248IntercomMapSignalAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 4, 1, 1), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcH248IntercomMapSignalAddr.setStatus('current') hwBrasSbcH248IntercomMapSignalProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 4, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("h248", 1)))) if mibBuilder.loadTexts: hwBrasSbcH248IntercomMapSignalProtocol.setStatus('current') hwBrasSbcH248IntercomMapSignalNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 4, 1, 3), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcH248IntercomMapSignalNumber.setStatus('current') hwBrasSbcH248IntercomMapMediaTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 5), ) if mibBuilder.loadTexts: hwBrasSbcH248IntercomMapMediaTable.setStatus('current') hwBrasSbcH248IntercomMapMediaEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 5, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH248IntercomMapMediaAddr"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH248IntercomMapMediaProtocol")) if mibBuilder.loadTexts: hwBrasSbcH248IntercomMapMediaEntry.setStatus('current') hwBrasSbcH248IntercomMapMediaAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 5, 1, 1), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcH248IntercomMapMediaAddr.setStatus('current') hwBrasSbcH248IntercomMapMediaProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 5, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("h248", 1)))) if mibBuilder.loadTexts: hwBrasSbcH248IntercomMapMediaProtocol.setStatus('current') hwBrasSbcH248IntercomMapMediaNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 5, 1, 3), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcH248IntercomMapMediaNumber.setStatus('current') hwBrasSbcH248StatSignalPacketTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 6), ) if mibBuilder.loadTexts: hwBrasSbcH248StatSignalPacketTable.setStatus('current') hwBrasSbcH248StatSignalPacketEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 6, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH248StatSignalPacketIndex")) if mibBuilder.loadTexts: hwBrasSbcH248StatSignalPacketEntry.setStatus('current') hwBrasSbcH248StatSignalPacketIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 6, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("h248", 1)))) if mibBuilder.loadTexts: hwBrasSbcH248StatSignalPacketIndex.setStatus('current') hwBrasSbcH248StatSignalPacketInNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 6, 1, 2), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcH248StatSignalPacketInNumber.setStatus('current') hwBrasSbcH248StatSignalPacketInOctet = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 6, 1, 3), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcH248StatSignalPacketInOctet.setStatus('current') hwBrasSbcH248StatSignalPacketOutNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 6, 1, 4), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcH248StatSignalPacketOutNumber.setStatus('current') hwBrasSbcH248StatSignalPacketOutOctet = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 6, 1, 5), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcH248StatSignalPacketOutOctet.setStatus('current') hwBrasSbcH248StatSignalPacketRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 6, 1, 6), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcH248StatSignalPacketRowStatus.setStatus('current') hwBrasSbcUpath = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8)) hwBrasSbcUpathLeaves = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 2)) hwBrasSbcUpathEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 2, 1), HWBrasEnabledStatus().clone('enabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcUpathEnable.setStatus('current') hwBrasSbcUpathSyslogEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 2, 2), HWBrasEnabledStatus().clone('enabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcUpathSyslogEnable.setStatus('current') hwBrasSbcUpathCallsessionTimer = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 2, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 24)).clone(12)).setUnits('hours').setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcUpathCallsessionTimer.setStatus('current') hwBrasSbcUpathHeartbeatTimer = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 2, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(10, 30)).clone(10)).setUnits('seconds').setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcUpathHeartbeatTimer.setStatus('current') hwBrasSbcUpathTables = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3)) hwBrasSbcUpathWellknownPortTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 1), ) if mibBuilder.loadTexts: hwBrasSbcUpathWellknownPortTable.setStatus('current') hwBrasSbcUpathWellknownPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 1, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUpathWellknownPortIndex"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUpathWellknownPortProtocol"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUpathWellknownPortAddr")) if mibBuilder.loadTexts: hwBrasSbcUpathWellknownPortEntry.setStatus('current') hwBrasSbcUpathWellknownPortIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("clientaddr", 1), ("softxaddr", 2)))) if mibBuilder.loadTexts: hwBrasSbcUpathWellknownPortIndex.setStatus('current') hwBrasSbcUpathWellknownPortProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("upath", 1)))) if mibBuilder.loadTexts: hwBrasSbcUpathWellknownPortProtocol.setStatus('current') hwBrasSbcUpathWellknownPortAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 1, 1, 3), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcUpathWellknownPortAddr.setStatus('current') hwBrasSbcUpathWellknownPortPort = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 1, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcUpathWellknownPortPort.setStatus('current') hwBrasSbcUpathWellknownPortRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 1, 1, 5), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hwBrasSbcUpathWellknownPortRowStatus.setStatus('current') hwBrasSbcUpathSignalMapTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 2), ) if mibBuilder.loadTexts: hwBrasSbcUpathSignalMapTable.setStatus('current') hwBrasSbcUpathSignalMapEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 2, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUpathSignalMapAddr"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUpathSignalMapProtocol")) if mibBuilder.loadTexts: hwBrasSbcUpathSignalMapEntry.setStatus('current') hwBrasSbcUpathSignalMapAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 2, 1, 1), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcUpathSignalMapAddr.setStatus('current') hwBrasSbcUpathSignalMapProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("upath", 1)))) if mibBuilder.loadTexts: hwBrasSbcUpathSignalMapProtocol.setStatus('current') hwBrasSbcUpathSignalMapNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 2, 1, 3), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcUpathSignalMapNumber.setStatus('current') hwBrasSbcUpathSignalMapAddrType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("client", 1), ("server", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcUpathSignalMapAddrType.setStatus('current') hwBrasSbcUpathMediaMapTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 3), ) if mibBuilder.loadTexts: hwBrasSbcUpathMediaMapTable.setStatus('current') hwBrasSbcUpathMediaMapEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 3, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUpathMediaMapAddr"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUpathMediaMapProtocol")) if mibBuilder.loadTexts: hwBrasSbcUpathMediaMapEntry.setStatus('current') hwBrasSbcUpathMediaMapAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 3, 1, 1), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcUpathMediaMapAddr.setStatus('current') hwBrasSbcUpathMediaMapProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 3, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("upath", 1)))) if mibBuilder.loadTexts: hwBrasSbcUpathMediaMapProtocol.setStatus('current') hwBrasSbcUpathMediaMapNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 3, 1, 3), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcUpathMediaMapNumber.setStatus('current') hwBrasSbcUpathIntercomMapSignalTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 4), ) if mibBuilder.loadTexts: hwBrasSbcUpathIntercomMapSignalTable.setStatus('current') hwBrasSbcUpathIntercomMapSignalEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 4, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUpathIntercomMapSignalAddr"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUpathIntercomMapSignalProtocol")) if mibBuilder.loadTexts: hwBrasSbcUpathIntercomMapSignalEntry.setStatus('current') hwBrasSbcUpathIntercomMapSignalAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 4, 1, 1), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcUpathIntercomMapSignalAddr.setStatus('current') hwBrasSbcUpathIntercomMapSignalProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 4, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("upath", 1)))) if mibBuilder.loadTexts: hwBrasSbcUpathIntercomMapSignalProtocol.setStatus('current') hwBrasSbcUpathIntercomMapSignalNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 4, 1, 3), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcUpathIntercomMapSignalNumber.setStatus('current') hwBrasSbcUpathIntercomMapMediaTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 5), ) if mibBuilder.loadTexts: hwBrasSbcUpathIntercomMapMediaTable.setStatus('current') hwBrasSbcUpathIntercomMapMediaEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 5, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUpathIntercomMapMediaAddr"), (0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUpathIntercomMapMediaProtocol")) if mibBuilder.loadTexts: hwBrasSbcUpathIntercomMapMediaEntry.setStatus('current') hwBrasSbcUpathIntercomMapMediaAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 5, 1, 1), IpAddress()) if mibBuilder.loadTexts: hwBrasSbcUpathIntercomMapMediaAddr.setStatus('current') hwBrasSbcUpathIntercomMapMediaProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 5, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("upath", 1)))) if mibBuilder.loadTexts: hwBrasSbcUpathIntercomMapMediaProtocol.setStatus('current') hwBrasSbcUpathIntercomMapMediaNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 5, 1, 3), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcUpathIntercomMapMediaNumber.setStatus('current') hwBrasSbcUpathStatSignalPacketTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 6), ) if mibBuilder.loadTexts: hwBrasSbcUpathStatSignalPacketTable.setStatus('current') hwBrasSbcUpathStatSignalPacketEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 6, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUpathStatSignalPacketIndex")) if mibBuilder.loadTexts: hwBrasSbcUpathStatSignalPacketEntry.setStatus('current') hwBrasSbcUpathStatSignalPacketIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 6, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("upath", 1)))) if mibBuilder.loadTexts: hwBrasSbcUpathStatSignalPacketIndex.setStatus('current') hwBrasSbcUpathStatSignalPacketInNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 6, 1, 2), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcUpathStatSignalPacketInNumber.setStatus('current') hwBrasSbcUpathStatSignalPacketInOctet = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 6, 1, 3), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcUpathStatSignalPacketInOctet.setStatus('current') hwBrasSbcUpathStatSignalPacketOutNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 6, 1, 4), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcUpathStatSignalPacketOutNumber.setStatus('current') hwBrasSbcUpathStatSignalPacketOutOctet = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 6, 1, 5), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwBrasSbcUpathStatSignalPacketOutOctet.setStatus('current') hwBrasSbcUpathStatSignalPacketRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 6, 1, 6), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcUpathStatSignalPacketRowStatus.setStatus('current') hwBrasSbcOm = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 21)) hwBrasSbcOmLeaves = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 21, 1)) hwBrasSbcRestartEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 21, 1, 1), HWBrasEnabledStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcRestartEnable.setStatus('current') hwBrasSbcRestartButton = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 21, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 101))).clone(namedValues=NamedValues(("notready", 1), ("restart", 101)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcRestartButton.setStatus('current') hwBrasSbcPatchLoadStatus = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 21, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("unknown", 1), ("loaded", 2))).clone('unknown')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcPatchLoadStatus.setStatus('current') hwBrasSbcLocalizationStatus = MibScalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 21, 1, 4), HWBrasEnabledStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: hwBrasSbcLocalizationStatus.setStatus('current') hwBrasSbcOmTables = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 21, 2)) hwBrasSbcTrapBind = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2)) hwBrasSbcTrapBindLeaves = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 1)) hwBrasSbcTrapBindTables = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2)) hwBrasSbcTrapBindTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 1), ) if mibBuilder.loadTexts: hwBrasSbcTrapBindTable.setStatus('current') hwBrasSbcTrapBindEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 1, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindIndex")) if mibBuilder.loadTexts: hwBrasSbcTrapBindEntry.setStatus('current') hwBrasSbcTrapBindIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("trapbind", 1)))) if mibBuilder.loadTexts: hwBrasSbcTrapBindIndex.setStatus('current') hwBrasSbcTrapBindID = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 1, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(100, 299))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: hwBrasSbcTrapBindID.setStatus('current') hwBrasSbcTrapBindTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 1, 1, 3), DateAndTime()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: hwBrasSbcTrapBindTime.setStatus('current') hwBrasSbcTrapBindFluID = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 1, 1, 4), Unsigned32()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: hwBrasSbcTrapBindFluID.setStatus('current') hwBrasSbcTrapBindReason = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 1, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(100, 299))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: hwBrasSbcTrapBindReason.setStatus('current') hwBrasSbcTrapBindType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 1, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("notify", 0), ("alarm", 1), ("resume", 2), ("sync", 3)))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: hwBrasSbcTrapBindType.setStatus('current') hwBrasSbcTrapInfoTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 2), ) if mibBuilder.loadTexts: hwBrasSbcTrapInfoTable.setStatus('current') hwBrasSbcTrapInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 2, 1), ).setIndexNames((0, "HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapInfoIndex")) if mibBuilder.loadTexts: hwBrasSbcTrapInfoEntry.setStatus('current') hwBrasSbcTrapInfoIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 2, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("trap", 1)))) if mibBuilder.loadTexts: hwBrasSbcTrapInfoIndex.setStatus('current') hwBrasSbcTrapInfoCpu = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 2, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: hwBrasSbcTrapInfoCpu.setStatus('current') hwBrasSbcTrapInfoHrp = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("action", 1)))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: hwBrasSbcTrapInfoHrp.setStatus('current') hwBrasSbcTrapInfoSignalingFlood = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 2, 1, 4), Unsigned32()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: hwBrasSbcTrapInfoSignalingFlood.setStatus('current') hwBrasSbcTrapInfoCac = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 2, 1, 5), Unsigned32()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: hwBrasSbcTrapInfoCac.setStatus('current') hwBrasSbcTrapInfoStatistic = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 2, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("action", 1)))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: hwBrasSbcTrapInfoStatistic.setStatus('current') hwBrasSbcTrapInfoPortStatistic = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 2, 1, 7), Unsigned32()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: hwBrasSbcTrapInfoPortStatistic.setStatus('current') hwBrasSbcTrapInfoOldSSIP = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 2, 1, 8), IpAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: hwBrasSbcTrapInfoOldSSIP.setStatus('current') hwBrasSbcTrapInfoImsConID = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 2, 1, 9), Unsigned32()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: hwBrasSbcTrapInfoImsConID.setStatus('current') hwBrasSbcTrapInfoImsCcbID = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 2, 1, 10), Unsigned32()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: hwBrasSbcTrapInfoImsCcbID.setStatus('current') hwBrasSbcComformance = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 3)) hwBrasSbcGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 3, 1)) hwBrasSbcGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 3, 1, 1)) for _hwBrasSbcGroup_obj in [[("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSignalAddrMapRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcPortrangeBegin"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcPortrangeEnd"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcPortrangeRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSipEnable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSipWellknownPortPort"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSoftVersion"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcCpuUsage"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIadmsWellknownPortPort"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIadmsWellknownPortRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH323WellknownPortPort"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH323WellknownPortRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIdoWellknownPortPort"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIdoWellknownPortRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH248WellknownPortPort"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH248WellknownPortRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIadmsMibRegRegister"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIadmsMibRegRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSipWellknownPortRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSipSyslogEnable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSipAnonymity"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSipCheckheartEnable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSipCallsessionTimer"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMgcpAuepTimer"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMgcpCcbTimer"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMgcpTxTimer"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMgcpWellknownPortPort"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMgcpWellknownPortRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIadmsEnable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIadmsRegRefreshEnable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMgcpSyslogEnable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIadmsSyslogEnable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcStatisticDesc"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcStatisticValue"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcStatisticTime"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH248Enable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH248CcbTimer"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH248UserAgeTimer"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH323Enable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH323CallsessionTimer"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH248SyslogEnable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH323SyslogEnable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUpathEnable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUpathSyslogEnable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUpathCallsessionTimer"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUpathHeartbeatTimer"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIdoEnable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIdoSyslogEnable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH323Q931WellknownPort"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIntercomPrefixDestAddr"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIntercomPrefixSrcAddr"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIntercomPrefixRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcStatisticEnable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcStatisticSyslogEnable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcAppMode"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMediaDetectValidityEnable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMediaDetectSsrcEnable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMediaDetectPacketLength"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcInstanceName"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcInstanceRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMapGroupInstanceName"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMapGroupSessionLimit"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGMdCliAddrVPNName"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGMdCliAddrIf1"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGMdCliAddrSlotID1"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGMdCliAddrIf2"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGMdCliAddrSlotID2"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGMdCliAddrIf3"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGMdCliAddrSlotID3"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGMdCliAddrIf4"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGMdCliAddrSlotID4"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGMdServAddrVPNName"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGMdServAddrIf1"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGMdServAddrSlotID1"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGMdServAddrIf2"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGMdServAddrSlotID2"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGMdServAddrIf3"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGMdServAddrSlotID3"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGMdServAddrIf4"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGMdServAddrSlotID4"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcBackupGroupType"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcBackupGroupInstanceName"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcBackupGroupRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcCurrentSlotID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSlotCfgState"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSlotInforRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsMgLogEnable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsStatisticsEnable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTimerMediaAging"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsMGInstanceName"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcNatSessionAgingTime"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcNatGroupIndex"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcNatVpnNameIndex"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcNatInstanceName"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcNatCfgRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwNatAddrGrpBeginningIpAddr"), ("HUAWEI-BRAS-SBC-MIB", "hwNatAddrGrpEndingIpAddr"), ("HUAWEI-BRAS-SBC-MIB", "hwNatAddrGrpRefCount"), ("HUAWEI-BRAS-SBC-MIB", "hwNatAddrGrpVpnName"), ("HUAWEI-BRAS-SBC-MIB", "hwNatAddrGrpRowstatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcBWLimitType"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcBWLimitValue"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSessionCarDegreeBandWidth"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSessionCarDegreeDscp"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSessionCarDegreeRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSessionCarRuleName"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSessionCarRuleDegreeID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSessionCarRuleRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSessionCarEnable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSessionCarRuleDegreeBandWidth"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSessionCarRuleDegreeDscp"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSipMediaMapNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMgcpMediaMapNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH323MediaMapNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIadmsMediaMapNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUpathMediaMapNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH248MediaMapNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMediaUsersType"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMediaUsersCallerID1"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMediaUsersCallerID2"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMediaUsersCallerID3"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMediaUsersCallerID4"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMediaUsersCalleeID1"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMediaUsersCalleeID2"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMediaUsersCalleeID3"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMediaUsersCalleeID4"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMediaUsersRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMediaPassEnable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMediaPassRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUsergroupRuleType"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUsergroupRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMediaPassSyslogEnable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIadmsTimer"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMediaAddrMapServerAddr"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMediaAddrMapWeight"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMediaAddrMapRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcRoamlimitRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcRoamlimitEnable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcRoamlimitDefault"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcRoamlimitSyslogEnable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMediaPassAclNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcRtpSpecialAddrRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcRtpSpecialAddrAddr"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSipSignalMapNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSipIntercomMapSignalNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMgcpIntercomMapSignalNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMgcpIntercomMapMediaNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIadmsIntercomMapSignalNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIadmsIntercomMapMediaNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH323IntercomMapSignalNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH323IntercomMapMediaNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIdoIntercomMapSignalNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH248IntercomMapSignalNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH248IntercomMapMediaNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUpathIntercomMapSignalNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUpathIntercomMapMediaNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcRoamlimitExtendEnable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSipIntercomMapMediaNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSipSignalMapAddrType"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMgcpSignalMapNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMgcpSignalMapAddrType"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIadmsSignalMapNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIadmsSignalMapAddrType"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH323SignalMapNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH323SignalMapAddrType"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIdoSignalMapNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIdoSignalMapAddrType"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH248SignalMapNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH248SignalMapAddrType"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUpathSignalMapNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcRoamlimitAclNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUpathSignalMapAddrType"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUpathWellknownPortPort"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUpathStatSignalPacketInNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUpathStatSignalPacketInOctet"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUpathStatSignalPacketOutNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUpathStatSignalPacketOutOctet"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUpathStatSignalPacketRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH248StatSignalPacketInNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH248StatSignalPacketInOctet"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH248StatSignalPacketOutNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH248StatSignalPacketOutOctet"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH248StatSignalPacketRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIdoStatSignalPacketInNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIdoStatSignalPacketInOctet"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIdoStatSignalPacketOutNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIdoStatSignalPacketOutOctet"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIdoStatSignalPacketRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH323StatSignalPacketInNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH323StatSignalPacketInOctet"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH323StatSignalPacketOutNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH323StatSignalPacketOutOctet"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH323StatSignalPacketRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIadmsStatSignalPacketInNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIadmsStatSignalPacketInOctet"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIadmsStatSignalPacketOutNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIadmsStatSignalPacketOutOctet"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIadmsStatSignalPacketRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMgcpStatSignalPacketInNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMgcpStatSignalPacketInOctet"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMgcpStatSignalPacketOutNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMgcpStatSignalPacketOutOctet"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMgcpStatSignalPacketRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSipStatSignalPacketInNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSipStatSignalPacketInOctet"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSipStatSignalPacketOutNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSipStatSignalPacketOutOctet"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSipStatSignalPacketRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcStatMediaPacketNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcStatMediaPacketOctet"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcStatMediaPacketRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcCacRegRateThreshold"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcCacRegRatePercent"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcCacRegRateRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcCacRegTotalThreshold"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcCacRegTotalPercent"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcCacRegTotalRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcCacCallRateThreshold"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcCacCallRatePercent"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcCacCallRateRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcCacCallTotalThreshold"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcCacCallTotalPercent"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcCacCallTotalRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcDefendUserConnectRateThreshold"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcDefendUserConnectRatePercent"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcDefendUserConnectRateRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcDefendConnectRateThreshold"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcDefendConnectRatePercent"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcDefendConnectRateRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcDefendEnable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcDefendMode"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcDefendActionLogEnable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcCacEnable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUpathWellknownPortRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUsergroupRuleUserName"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUsergroupRuleRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUdpTunnelPortRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUdpTunnelIfPortRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUdpTunnelEnable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUdpTunnelType"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUdpTunnelSctpAddr"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUdpTunnelTunnelTimer"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUdpTunnelTransportTimer"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUdpTunnelPoolRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMgcpEnable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUdpTunnelPoolStartIP"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUdpTunnelPoolEndIP"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIntMediaPassEnable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSignalAddrMapSoftAddr"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSignalAddrMapIadmsAddr"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcRestartEnable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcRestartButton"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcUmsVersion"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMapGroupsType"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMapGroupsStatus")], [("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMapGroupsRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGCliAddrVPN"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGCliAddrIP"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGCliAddrRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGServAddrVPN"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGServAddrRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGSofxAddrVPN"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGSofxAddrRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGIadmsAddrVPN"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGIadmsAddrRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGProtocolRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGPrefixID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGPrefixRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGMdCliAddrVPN"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGMdCliAddrRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGMdServAddrVPN"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGMdServAddrRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGMatchAcl"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGMatchRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcHrpSynchronization"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGIadmsAddrIP1"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGIadmsAddrIP2"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGIadmsAddrIP3"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGIadmsAddrIP4"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGSofxAddrIP1"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGSofxAddrIP2"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGSofxAddrIP3"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGSofxAddrIP4"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGMdServAddrIP1"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGMdServAddrIP2"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGMdServAddrIP3"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGMdServAddrIP4"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGMdCliAddrIP1"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGMdCliAddrIP2"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGMdCliAddrIP3"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGMdCliAddrIP4"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGServAddrIP1"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGServAddrIP2"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGServAddrIP3"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGServAddrIP4"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGProtocolSip"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGProtocolMgcp"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGProtocolH323"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGProtocolIadms"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGProtocolUpath"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGProtocolH248"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcPatchLoadStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsActiveStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsActiveRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsBandIfIndex"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsBandIfName"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsBandIfType"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsBandValue"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsBandRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsConnectPepID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsConnectCliType"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsConnectServIP"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsConnectServPort"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsConnectRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsQosEnable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsMediaProxyEnable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsQosLogEnable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsMediaProxyLogEnable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcCacActionLogStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsConnectCliIP"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH248PDHCountLimit"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcH323PDHCountLimit"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMgcpPDHCountLimit"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSipPDHCountLimit"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSipRegReduceStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSipRegReduceTimer"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcDHSIPDetectStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcDHSIPDetectTimer"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcDHSIPDetectSourcePort"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcDHSIPDetectFailCount"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSoftswitchPortPort"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSoftswitchPortRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIadmsPortPort"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIadmsPortRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcClientPortPort01"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcClientPortPort02"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcClientPortPort03"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcClientPortPort04"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcClientPortPort05"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcClientPortPort06"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcClientPortPort07"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcClientPortPort08"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcClientPortPort09"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcClientPortPort10"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcClientPortPort11"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcClientPortPort12"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcClientPortPort13"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcClientPortPort14"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcClientPortPort15"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcClientPortPort16"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcClientPortRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIntercomStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcQRStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcQRBandWidth"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIPCarBWValue"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIPCarBWRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcDynamicStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSignalingCarStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIPCarStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsMGDomainMapIndex"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsMGDomainRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsMGIPVersion"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsMGIPAddr"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsMGIPInterface"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsMGIPPort"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsMGIPRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsMGDescription"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsMGTableStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsMGProtocol"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsMGMidString"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsMGRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsMGStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsMGConnectTimer"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsMGAgingTimer"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsMGCallSessionTimer"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSctpStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIdlecutRtcpTimer"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIdlecutRtpTimer"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMediaDetectStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMediaOnewayStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMDStatisticMinDrop"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMDStatisticMaxDrop"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMDStatisticFragDrop"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMDStatisticFlowDrop"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMDStatisticRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMDLengthMin"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMDLengthMax"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMDLengthRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMDStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcDefendExtStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsConnectCliPort"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGPortNumber"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcMGPortRowStatus"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIntercomEnable"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcLocalizationStatus")]]: if getattr(mibBuilder, 'version', 0) < (4, 4, 2): # WARNING: leading objects get lost here! hwBrasSbcGroup = hwBrasSbcGroup.setObjects(*_hwBrasSbcGroup_obj) else: hwBrasSbcGroup = hwBrasSbcGroup.setObjects(*_hwBrasSbcGroup_obj, **dict(append=True)) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): hwBrasSbcGroup = hwBrasSbcGroup.setStatus('current') hwBrasSbcTrapGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 3, 1, 2)).setObjects(("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindTime"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindFluID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindReason"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindType"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapInfoCpu"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapInfoHrp"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapInfoSignalingFlood"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapInfoCac"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapInfoStatistic"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapInfoPortStatistic"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapInfoImsConID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapInfoImsCcbID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapInfoOldSSIP"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcDHSIPDetectFailCount")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): hwBrasSbcTrapGroup = hwBrasSbcTrapGroup.setStatus('current') hwBrasSbcCapabilities = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 3, 2)) hwBrasSbcNotification = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4)) hwBrasSbcCpu = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 1)).setObjects(("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapInfoCpu"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindTime"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindFluID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindReason"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindType")) if mibBuilder.loadTexts: hwBrasSbcCpu.setStatus('current') hwBrasSbcCpuNormal = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 2)).setObjects(("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapInfoCpu"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindTime"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindFluID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindReason"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindType")) if mibBuilder.loadTexts: hwBrasSbcCpuNormal.setStatus('current') hwBrasSbcHrp = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 3)).setObjects(("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapInfoHrp"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindTime"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindFluID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindReason"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindType")) if mibBuilder.loadTexts: hwBrasSbcHrp.setStatus('current') hwBrasSbcSignalingFlood = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 4)).setObjects(("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapInfoSignalingFlood"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindTime"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindFluID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindReason"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindType")) if mibBuilder.loadTexts: hwBrasSbcSignalingFlood.setStatus('current') hwBrasSbcSignalingFloodNormal = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 5)).setObjects(("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapInfoSignalingFlood"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindTime"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindFluID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindReason"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindType")) if mibBuilder.loadTexts: hwBrasSbcSignalingFloodNormal.setStatus('current') hwBrasSbcCac = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 6)).setObjects(("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapInfoCac"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindTime"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindFluID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindReason"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindType")) if mibBuilder.loadTexts: hwBrasSbcCac.setStatus('current') hwBrasSbcCacNormal = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 7)).setObjects(("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapInfoCac"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindTime"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindFluID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindReason"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindType")) if mibBuilder.loadTexts: hwBrasSbcCacNormal.setStatus('current') hwBrasSbcStatistic = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 8)).setObjects(("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapInfoStatistic"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindTime"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindFluID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindReason"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindType")) if mibBuilder.loadTexts: hwBrasSbcStatistic.setStatus('current') hwBrasSbcPortStatistic = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 9)).setObjects(("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapInfoPortStatistic"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindTime"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindFluID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindReason"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindType")) if mibBuilder.loadTexts: hwBrasSbcPortStatistic.setStatus('current') hwBrasSbcPortStatisticNormal = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 10)).setObjects(("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapInfoPortStatistic"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindTime"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindFluID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindReason"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindType")) if mibBuilder.loadTexts: hwBrasSbcPortStatisticNormal.setStatus('current') hwBrasSbcDHSwitch = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 11)).setObjects(("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcDHSIPDetectFailCount"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapInfoOldSSIP"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindTime"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindFluID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindReason"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindType")) if mibBuilder.loadTexts: hwBrasSbcDHSwitch.setStatus('current') hwBrasSbcDHSwitchNormal = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 12)).setObjects(("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapInfoOldSSIP"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindTime"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindFluID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindReason"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindType")) if mibBuilder.loadTexts: hwBrasSbcDHSwitchNormal.setStatus('current') hwBrasSbcImsRptFail = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 13)).setObjects(("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapInfoImsConID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindTime"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindFluID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindReason"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindType")) if mibBuilder.loadTexts: hwBrasSbcImsRptFail.setStatus('current') hwBrasSbcImsRptDrq = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 14)).setObjects(("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapInfoImsConID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindTime"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindFluID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindReason"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindType")) if mibBuilder.loadTexts: hwBrasSbcImsRptDrq.setStatus('current') hwBrasSbcImsTimeOut = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 15)).setObjects(("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapInfoImsCcbID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindTime"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindFluID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindReason"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindType")) if mibBuilder.loadTexts: hwBrasSbcImsTimeOut.setStatus('current') hwBrasSbcImsSessCreate = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 16)).setObjects(("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapInfoImsCcbID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindTime"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindFluID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindReason"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindType")) if mibBuilder.loadTexts: hwBrasSbcImsSessCreate.setStatus('current') hwBrasSbcImsSessDelete = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 17)).setObjects(("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapInfoImsCcbID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindTime"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindFluID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindReason"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindType")) if mibBuilder.loadTexts: hwBrasSbcImsSessDelete.setStatus('current') hwBrasSbcCopsLinkUp = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 18)).setObjects(("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapInfoImsConID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindTime"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindFluID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindReason"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindType")) if mibBuilder.loadTexts: hwBrasSbcCopsLinkUp.setStatus('current') hwBrasSbcCopsLinkDown = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 19)).setObjects(("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapInfoImsConID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindTime"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindFluID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindReason"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindType")) if mibBuilder.loadTexts: hwBrasSbcCopsLinkDown.setStatus('current') hwBrasSbcIaLinkUp = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 20)).setObjects(("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapInfoImsConID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindTime"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindFluID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindReason"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindType")) if mibBuilder.loadTexts: hwBrasSbcIaLinkUp.setStatus('current') hwBrasSbcIaLinkDown = NotificationType((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 21)).setObjects(("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapInfoImsConID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindTime"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindFluID"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindReason"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcTrapBindType")) if mibBuilder.loadTexts: hwBrasSbcIaLinkDown.setStatus('current') hwBrasSbcNotificationGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 5)) hwBrasSbcNotificationGroup = NotificationGroup((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 5, 1)).setObjects(("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcCpu"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcCpuNormal"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcHrp"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSignalingFlood"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcSignalingFloodNormal"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcCac"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcCacNormal"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcStatistic"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcPortStatistic"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcPortStatisticNormal"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcDHSwitch"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcDHSwitchNormal"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsRptFail"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsRptDrq"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsTimeOut"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsSessCreate"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcImsSessDelete"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcCopsLinkUp"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcCopsLinkDown"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIaLinkUp"), ("HUAWEI-BRAS-SBC-MIB", "hwBrasSbcIaLinkDown")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): hwBrasSbcNotificationGroup = hwBrasSbcNotificationGroup.setStatus('current') mibBuilder.exportSymbols("HUAWEI-BRAS-SBC-MIB", hwBrasSbcMgcpMediaMapProtocol=hwBrasSbcMgcpMediaMapProtocol, hwBrasSbcIdoWellknownPortRowStatus=hwBrasSbcIdoWellknownPortRowStatus, hwBrasSbcIdoLeaves=hwBrasSbcIdoLeaves, hwBrasSbcMapGroupsType=hwBrasSbcMapGroupsType, hwBrasSbcUdpTunnelPortPort=hwBrasSbcUdpTunnelPortPort, hwBrasSbcMGSofxAddrRowStatus=hwBrasSbcMGSofxAddrRowStatus, hwBrasSbcH248MediaMapProtocol=hwBrasSbcH248MediaMapProtocol, hwBrasSbcIadmsMibRegRegister=hwBrasSbcIadmsMibRegRegister, hwBrasSbcSessionCarDegreeID=hwBrasSbcSessionCarDegreeID, hwBrasSbcClientPortPort03=hwBrasSbcClientPortPort03, hwBrasSbcCopsLinkUp=hwBrasSbcCopsLinkUp, hwBrasSbcStatisticOffset=hwBrasSbcStatisticOffset, hwBrasSbcCacCallRatePercent=hwBrasSbcCacCallRatePercent, hwBrasSbcUsergroupRowStatus=hwBrasSbcUsergroupRowStatus, hwBrasSbcUdpTunnelTunnelTimer=hwBrasSbcUdpTunnelTunnelTimer, hwBrasSbcSipIntercomMapSignalTable=hwBrasSbcSipIntercomMapSignalTable, hwBrasSbcMgcpLeaves=hwBrasSbcMgcpLeaves, hwBrasSbcMGMdServAddrIf1=hwBrasSbcMGMdServAddrIf1, hwBrasSbcImsConnectTable=hwBrasSbcImsConnectTable, hwBrasSbcClientPortPort02=hwBrasSbcClientPortPort02, hwBrasSbcMDLengthRowStatus=hwBrasSbcMDLengthRowStatus, hwBrasSbcIntercomPrefixSrcAddr=hwBrasSbcIntercomPrefixSrcAddr, hwBrasSbcViewTables=hwBrasSbcViewTables, hwBrasSbcIdlecutRtcpTimer=hwBrasSbcIdlecutRtcpTimer, hwBrasSbcPortrangeTable=hwBrasSbcPortrangeTable, hwBrasSbcMediaAddrMapRowStatus=hwBrasSbcMediaAddrMapRowStatus, hwBrasSbcClientPortRowStatus=hwBrasSbcClientPortRowStatus, hwBrasSbcMGSofxAddrIP1=hwBrasSbcMGSofxAddrIP1, hwBrasSbcIadmsSignalMapTable=hwBrasSbcIadmsSignalMapTable, hwBrasSbcSoftswitchPortEntry=hwBrasSbcSoftswitchPortEntry, hwBrasSbcUdpTunnelPoolStartIP=hwBrasSbcUdpTunnelPoolStartIP, hwBrasSbcH248IntercomMapSignalEntry=hwBrasSbcH248IntercomMapSignalEntry, hwBrasSbcUpathIntercomMapSignalNumber=hwBrasSbcUpathIntercomMapSignalNumber, hwBrasSbcIadmsSignalMapNumber=hwBrasSbcIadmsSignalMapNumber, hwBrasSbcMgcpSignalMapEntry=hwBrasSbcMgcpSignalMapEntry, hwBrasSbcH248WellknownPortTable=hwBrasSbcH248WellknownPortTable, hwBrasSbcImsMGMidString=hwBrasSbcImsMGMidString, hwBrasSbcIadmsTimer=hwBrasSbcIadmsTimer, hwBrasSbcRoamlimitAclNumber=hwBrasSbcRoamlimitAclNumber, hwBrasSbcSessionCarEnable=hwBrasSbcSessionCarEnable, hwBrasSbcH248MediaMapTable=hwBrasSbcH248MediaMapTable, hwBrasSbcSoftswitchPortRowStatus=hwBrasSbcSoftswitchPortRowStatus, hwBrasSbcBWLimitType=hwBrasSbcBWLimitType, hwBrasSbcClientPortPort01=hwBrasSbcClientPortPort01, hwBrasSbcMGIadmsAddrVPN=hwBrasSbcMGIadmsAddrVPN, hwBrasSbcImsMGIPType=hwBrasSbcImsMGIPType, hwBrasSbcSessionCarRuleRowStatus=hwBrasSbcSessionCarRuleRowStatus, hwBrasSbcMgcpWellknownPortEntry=hwBrasSbcMgcpWellknownPortEntry, hwBrasSbcDHLeaves=hwBrasSbcDHLeaves, hwBrasSbcSessionCarTables=hwBrasSbcSessionCarTables, hwBrasSbcSessionCarRuleEntry=hwBrasSbcSessionCarRuleEntry, hwBrasSbcMDStatus=hwBrasSbcMDStatus, hwBrasSbcClientPortPort11=hwBrasSbcClientPortPort11, hwBrasSbcUdpTunnelPortEntry=hwBrasSbcUdpTunnelPortEntry, hwBrasSbcImsBandIfName=hwBrasSbcImsBandIfName, hwBrasSbcH248StatSignalPacketIndex=hwBrasSbcH248StatSignalPacketIndex, hwBrasSbcImsMGIPPort=hwBrasSbcImsMGIPPort, hwBrasSbcUsergroupRuleTable=hwBrasSbcUsergroupRuleTable, hwBrasSbcMGPrefixIndex=hwBrasSbcMGPrefixIndex, hwBrasSbcRestartButton=hwBrasSbcRestartButton, hwBrasSbcSipWellknownPortProtocol=hwBrasSbcSipWellknownPortProtocol, hwBrasSbcMGProtocolRowStatus=hwBrasSbcMGProtocolRowStatus, hwBrasSbcGeneral=hwBrasSbcGeneral, hwBrasSbcCacCallRateEntry=hwBrasSbcCacCallRateEntry, hwBrasSbcH323CallsessionTimer=hwBrasSbcH323CallsessionTimer, hwBrasSbcUpathWellknownPortRowStatus=hwBrasSbcUpathWellknownPortRowStatus, hwBrasSbcStatisticValue=hwBrasSbcStatisticValue, hwBrasSbcIPCarBWVpn=hwBrasSbcIPCarBWVpn, hwBrasSbcIaLinkUp=hwBrasSbcIaLinkUp, hwBrasSbcNotificationGroups=hwBrasSbcNotificationGroups, hwBrasSbcOmLeaves=hwBrasSbcOmLeaves, hwBrasSbcClientPortPort08=hwBrasSbcClientPortPort08, hwBrasSbcMGMdCliAddrIP4=hwBrasSbcMGMdCliAddrIP4, hwBrasSbcH248IntercomMapSignalTable=hwBrasSbcH248IntercomMapSignalTable, hwBrasSbcCacCallTotalPercent=hwBrasSbcCacCallTotalPercent, hwBrasSbcIdoStatSignalPacketOutNumber=hwBrasSbcIdoStatSignalPacketOutNumber, hwBrasSbcH323WellknownPortTable=hwBrasSbcH323WellknownPortTable, hwBrasSbcMGServAddrVPN=hwBrasSbcMGServAddrVPN, hwBrasSbcIntercomPrefixRowStatus=hwBrasSbcIntercomPrefixRowStatus, hwBrasSbcMGCliAddrTable=hwBrasSbcMGCliAddrTable, hwBrasSbcMgcpSignalMapAddrType=hwBrasSbcMgcpSignalMapAddrType, hwBrasSbcMGPrefixID=hwBrasSbcMGPrefixID, hwBrasSbcIadmsSignalMapEntry=hwBrasSbcIadmsSignalMapEntry, hwBrasSbcAdmModuleTable=hwBrasSbcAdmModuleTable, hwBrasSbcMapGroupSessionLimit=hwBrasSbcMapGroupSessionLimit, hwBrasSbcIms=hwBrasSbcIms, hwBrasSbcH248IntercomMapSignalProtocol=hwBrasSbcH248IntercomMapSignalProtocol, hwBrasSbcIadmsWellknownPortPort=hwBrasSbcIadmsWellknownPortPort, hwBrasSbcCpuUsage=hwBrasSbcCpuUsage, hwBrasSbcPortrangeIndex=hwBrasSbcPortrangeIndex, hwBrasSbcImsStatisticsEnable=hwBrasSbcImsStatisticsEnable, hwBrasSbcH248WellknownPortProtocol=hwBrasSbcH248WellknownPortProtocol, hwBrasSbcIntercomPrefixIndex=hwBrasSbcIntercomPrefixIndex, hwBrasSbcImsMgLogEnable=hwBrasSbcImsMgLogEnable, hwBrasSbcIadmsMibRegRowStatus=hwBrasSbcIadmsMibRegRowStatus, hwBrasSbcIadmsStatSignalPacketOutNumber=hwBrasSbcIadmsStatSignalPacketOutNumber, hwBrasSbcIdoWellknownPortIndex=hwBrasSbcIdoWellknownPortIndex, hwBrasSbcIadmsWellknownPortIndex=hwBrasSbcIadmsWellknownPortIndex, hwBrasSbcImsSessDelete=hwBrasSbcImsSessDelete, hwBrasSbcSipIntercomMapSignalAddr=hwBrasSbcSipIntercomMapSignalAddr, hwBrasSbcClientPortPort09=hwBrasSbcClientPortPort09, hwBrasSbcSecurityLeaves=hwBrasSbcSecurityLeaves, hwBrasSbcSoftswitchPortIP=hwBrasSbcSoftswitchPortIP, hwBrasSbcImsConnectPepID=hwBrasSbcImsConnectPepID, hwBrasSbcMGMdCliAddrEntry=hwBrasSbcMGMdCliAddrEntry, hwBrasSbcUmsVersion=hwBrasSbcUmsVersion, hwBrasSbcUpathIntercomMapMediaProtocol=hwBrasSbcUpathIntercomMapMediaProtocol, hwBrasSbcImsMGAgingTimer=hwBrasSbcImsMGAgingTimer, hwBrasSbcIntMediaPassEnable=hwBrasSbcIntMediaPassEnable, hwBrasSbcH323StatSignalPacketEntry=hwBrasSbcH323StatSignalPacketEntry, hwBrasSbcImsBandEntry=hwBrasSbcImsBandEntry, hwBrasSbcUpathWellknownPortTable=hwBrasSbcUpathWellknownPortTable, hwBrasSbcBaseTables=hwBrasSbcBaseTables, hwBrasSbcMGServAddrIP2=hwBrasSbcMGServAddrIP2, hwBrasSbcMGMdCliAddrTable=hwBrasSbcMGMdCliAddrTable, hwBrasSbcSecurityTables=hwBrasSbcSecurityTables, hwBrasSbcSessionCarRuleDegreeID=hwBrasSbcSessionCarRuleDegreeID, hwBrasSbcMGIadmsAddrIP4=hwBrasSbcMGIadmsAddrIP4, hwBrasSbcMDStatisticRowStatus=hwBrasSbcMDStatisticRowStatus, hwBrasSbcIadmsStatSignalPacketRowStatus=hwBrasSbcIadmsStatSignalPacketRowStatus, hwBrasSbcTrapInfoSignalingFlood=hwBrasSbcTrapInfoSignalingFlood, hwBrasSbcMGMdCliAddrSlotID2=hwBrasSbcMGMdCliAddrSlotID2, hwBrasSbcMgcpStatSignalPacketInOctet=hwBrasSbcMgcpStatSignalPacketInOctet, hwBrasSbcH323StatSignalPacketOutNumber=hwBrasSbcH323StatSignalPacketOutNumber, hwBrasSbcUsergroupRuleEntry=hwBrasSbcUsergroupRuleEntry, hwBrasSbcH323WellknownPortEntry=hwBrasSbcH323WellknownPortEntry, hwBrasSbcUdpTunnelLeaves=hwBrasSbcUdpTunnelLeaves, hwBrasSbcImsConnectEntry=hwBrasSbcImsConnectEntry, hwBrasSbcSipIntercomMapSignalEntry=hwBrasSbcSipIntercomMapSignalEntry, hwBrasSbcTrapBindTable=hwBrasSbcTrapBindTable, hwBrasSbcMGMatchIndex=hwBrasSbcMGMatchIndex, hwBrasSbcMGSofxAddrVPN=hwBrasSbcMGSofxAddrVPN, hwBrasSbcClientPortPort10=hwBrasSbcClientPortPort10, hwBrasSbcMGMdCliAddrSlotID1=hwBrasSbcMGMdCliAddrSlotID1, hwBrasSbcTrapBindTime=hwBrasSbcTrapBindTime, hwBrasSbcIadmsStatSignalPacketIndex=hwBrasSbcIadmsStatSignalPacketIndex, hwBrasSbcSessionCarLeaves=hwBrasSbcSessionCarLeaves, hwBrasSbcImsConnectServPort=hwBrasSbcImsConnectServPort, hwBrasSbcMDLengthIndex=hwBrasSbcMDLengthIndex, hwBrasSbcH323WellknownPortPort=hwBrasSbcH323WellknownPortPort, hwBrasSbcClientPortPort15=hwBrasSbcClientPortPort15, hwBrasSbcIadmsStatSignalPacketInNumber=hwBrasSbcIadmsStatSignalPacketInNumber, hwBrasSbcIadmsWellknownPortRowStatus=hwBrasSbcIadmsWellknownPortRowStatus, hwBrasSbcCpu=hwBrasSbcCpu, hwBrasSbcImsRptDrq=hwBrasSbcImsRptDrq, hwBrasSbcIadmsMediaMapProtocol=hwBrasSbcIadmsMediaMapProtocol, hwBrasSbcMGMdServAddrIf4=hwBrasSbcMGMdServAddrIf4, hwBrasSbcImsMGIPAddr=hwBrasSbcImsMGIPAddr, hwBrasSbcMediaUsersEntry=hwBrasSbcMediaUsersEntry, hwBrasSbcSessionCarDegreeEntry=hwBrasSbcSessionCarDegreeEntry, hwBrasSbcSipStatSignalPacketRowStatus=hwBrasSbcSipStatSignalPacketRowStatus, hwBrasSbcIadmsSignalMapAddrType=hwBrasSbcIadmsSignalMapAddrType, hwBrasSbcH323StatSignalPacketIndex=hwBrasSbcH323StatSignalPacketIndex, hwBrasSbcMediaAddrMapTable=hwBrasSbcMediaAddrMapTable, hwBrasSbcMGMdCliAddrIP2=hwBrasSbcMGMdCliAddrIP2, hwBrasSbcIdoStatSignalPacketRowStatus=hwBrasSbcIdoStatSignalPacketRowStatus, hwBrasSbcImsBandIfType=hwBrasSbcImsBandIfType, hwBrasSbcMGMdServAddrIndex=hwBrasSbcMGMdServAddrIndex, hwBrasSbcMgcp=hwBrasSbcMgcp, hwBrasSbcSignalingFloodNormal=hwBrasSbcSignalingFloodNormal, hwBrasSbcMgcpIntercomMapMediaTable=hwBrasSbcMgcpIntercomMapMediaTable, hwBrasSbcMGServAddrIP3=hwBrasSbcMGServAddrIP3, hwBrasSbcSecurity=hwBrasSbcSecurity, hwBrasSbcMGMatchTable=hwBrasSbcMGMatchTable, hwNatAddrGrpIndex=hwNatAddrGrpIndex, hwBrasSbcIdoEnable=hwBrasSbcIdoEnable, hwBrasSbcIadmsLeaves=hwBrasSbcIadmsLeaves, hwBrasSbcImsQosEnable=hwBrasSbcImsQosEnable, hwBrasSbcLocalizationStatus=hwBrasSbcLocalizationStatus, hwBrasSbcUpathStatSignalPacketInOctet=hwBrasSbcUpathStatSignalPacketInOctet, hwBrasSbcRoamlimitIndex=hwBrasSbcRoamlimitIndex, hwBrasSbcTrapInfoCpu=hwBrasSbcTrapInfoCpu, hwBrasSbcQoSReport=hwBrasSbcQoSReport, hwBrasSbcSipSignalMapEntry=hwBrasSbcSipSignalMapEntry, hwBrasSbcSipStatSignalPacketInNumber=hwBrasSbcSipStatSignalPacketInNumber, hwBrasSbcH248MediaMapEntry=hwBrasSbcH248MediaMapEntry, hwNatAddrGrpRefCount=hwNatAddrGrpRefCount, hwBrasSbcTrapBindType=hwBrasSbcTrapBindType, hwBrasSbcDHSIPDetectSourcePort=hwBrasSbcDHSIPDetectSourcePort, hwBrasSbcUpathWellknownPortProtocol=hwBrasSbcUpathWellknownPortProtocol, hwBrasSbcDefendUserConnectRateRowStatus=hwBrasSbcDefendUserConnectRateRowStatus, hwBrasSbcMGSofxAddrTable=hwBrasSbcMGSofxAddrTable, hwBrasSbcDefendUserConnectRatePercent=hwBrasSbcDefendUserConnectRatePercent, hwBrasSbcClientPortPort06=hwBrasSbcClientPortPort06, hwBrasSbcRoamlimitTable=hwBrasSbcRoamlimitTable, hwBrasSbcStatisticTime=hwBrasSbcStatisticTime, hwBrasSbcClientPortPort14=hwBrasSbcClientPortPort14, hwBrasSbcIadmsMediaMapNumber=hwBrasSbcIadmsMediaMapNumber, hwBrasSbcClientPortEntry=hwBrasSbcClientPortEntry, hwBrasSbcMGServAddrIndex=hwBrasSbcMGServAddrIndex, hwBrasSbcUdpTunnelTransportTimer=hwBrasSbcUdpTunnelTransportTimer, hwBrasSbcNatCfgEntry=hwBrasSbcNatCfgEntry, hwBrasSbcStatisticDesc=hwBrasSbcStatisticDesc, hwBrasSbcSoftswitchPortPort=hwBrasSbcSoftswitchPortPort, hwBrasSbcIdoIntercomMapSignalProtocol=hwBrasSbcIdoIntercomMapSignalProtocol, hwBrasSbcUpathLeaves=hwBrasSbcUpathLeaves, hwBrasSbcMapGroupsTable=hwBrasSbcMapGroupsTable, hwBrasSbcMGIadmsAddrIP2=hwBrasSbcMGIadmsAddrIP2, hwBrasSbcSipRegReduceTimer=hwBrasSbcSipRegReduceTimer, hwBrasSbcMediaDetectPacketLength=hwBrasSbcMediaDetectPacketLength, hwBrasSbcMediaUsersCallerID2=hwBrasSbcMediaUsersCallerID2, hwBrasSbcUsergroupRuleIndex=hwBrasSbcUsergroupRuleIndex, hwBrasSbcRtpSpecialAddrTable=hwBrasSbcRtpSpecialAddrTable, hwBrasSbcCacRegRateProtocol=hwBrasSbcCacRegRateProtocol, hwBrasSbcSipWellknownPortTable=hwBrasSbcSipWellknownPortTable, hwBrasSbcIadmsSyslogEnable=hwBrasSbcIadmsSyslogEnable, hwBrasSbcIadmsIntercomMapSignalProtocol=hwBrasSbcIadmsIntercomMapSignalProtocol, hwBrasSbcH248SignalMapProtocol=hwBrasSbcH248SignalMapProtocol, hwBrasSbcMGServAddrTable=hwBrasSbcMGServAddrTable, hwBrasSbcUdpTunnelPoolEndIP=hwBrasSbcUdpTunnelPoolEndIP, hwBrasSbcSipIntercomMapMediaNumber=hwBrasSbcSipIntercomMapMediaNumber, hwBrasSbcMGSofxAddrIP2=hwBrasSbcMGSofxAddrIP2, hwBrasSbcMgcpIntercomMapMediaNumber=hwBrasSbcMgcpIntercomMapMediaNumber, hwBrasSbcStatMediaPacketTable=hwBrasSbcStatMediaPacketTable, hwBrasSbcSignalingFlood=hwBrasSbcSignalingFlood, hwBrasSbcH323PDHCountLimit=hwBrasSbcH323PDHCountLimit, hwBrasSbcMGMdCliAddrSlotID3=hwBrasSbcMGMdCliAddrSlotID3, hwBrasSbcDefendActionLogEnable=hwBrasSbcDefendActionLogEnable, hwBrasSbcBackupGroupEntry=hwBrasSbcBackupGroupEntry, hwBrasSbcH323WellknownPortIndex=hwBrasSbcH323WellknownPortIndex, hwBrasSbcSoftswitchPortVPN=hwBrasSbcSoftswitchPortVPN, hwBrasSbcClientPortTable=hwBrasSbcClientPortTable, hwBrasSbcH248StatSignalPacketInNumber=hwBrasSbcH248StatSignalPacketInNumber, hwBrasSbcTrapBindReason=hwBrasSbcTrapBindReason, hwBrasSbcImsSessCreate=hwBrasSbcImsSessCreate, hwBrasSbcPortrangeBegin=hwBrasSbcPortrangeBegin, hwBrasSbcMgcpStatSignalPacketOutOctet=hwBrasSbcMgcpStatSignalPacketOutOctet, hwBrasSbcH323SignalMapAddr=hwBrasSbcH323SignalMapAddr, hwBrasSbcIaLinkDown=hwBrasSbcIaLinkDown, hwBrasSbcMediaPassIndex=hwBrasSbcMediaPassIndex, hwBrasSbcUsergroupRuleUserName=hwBrasSbcUsergroupRuleUserName, hwBrasSbcMGMdServAddrIP4=hwBrasSbcMGMdServAddrIP4, hwBrasSbcMgcpPDHCountLimit=hwBrasSbcMgcpPDHCountLimit, hwBrasSbcSipLeaves=hwBrasSbcSipLeaves, hwBrasSbcTrapInfoTable=hwBrasSbcTrapInfoTable, hwBrasSbcUdpTunnelTables=hwBrasSbcUdpTunnelTables, hwBrasSbcSctpStatus=hwBrasSbcSctpStatus, hwBrasSbcImsMGDescription=hwBrasSbcImsMGDescription, hwBrasSbcH323MediaMapEntry=hwBrasSbcH323MediaMapEntry, hwBrasSbcClientPortIP=hwBrasSbcClientPortIP, hwBrasSbcMGMdCliAddrIf4=hwBrasSbcMGMdCliAddrIf4, hwBrasSbcSipIntercomMapMediaEntry=hwBrasSbcSipIntercomMapMediaEntry, hwBrasSbcIadmsIntercomMapSignalTable=hwBrasSbcIadmsIntercomMapSignalTable, hwBrasSbcH248WellknownPortRowStatus=hwBrasSbcH248WellknownPortRowStatus, hwBrasSbcNotificationGroup=hwBrasSbcNotificationGroup, hwBrasSbcCacCallTotalTable=hwBrasSbcCacCallTotalTable, hwBrasSbcSipWellknownPortIndex=hwBrasSbcSipWellknownPortIndex, hwBrasSbcSipMediaMapAddr=hwBrasSbcSipMediaMapAddr, hwBrasSbcH323MediaMapAddr=hwBrasSbcH323MediaMapAddr, hwBrasSbcUpathStatSignalPacketTable=hwBrasSbcUpathStatSignalPacketTable, hwBrasSbcUdpTunnel=hwBrasSbcUdpTunnel, hwBrasSbcMGPortRowStatus=hwBrasSbcMGPortRowStatus, hwBrasSbcDefendUserConnectRateThreshold=hwBrasSbcDefendUserConnectRateThreshold, hwBrasSbcImsConnectCliIP=hwBrasSbcImsConnectCliIP) mibBuilder.exportSymbols("HUAWEI-BRAS-SBC-MIB", hwBrasSbcMediaDefendTables=hwBrasSbcMediaDefendTables, hwBrasSbcH323IntercomMapSignalEntry=hwBrasSbcH323IntercomMapSignalEntry, hwBrasSbcMGProtocolEntry=hwBrasSbcMGProtocolEntry, hwBrasSbcH248IntercomMapSignalAddr=hwBrasSbcH248IntercomMapSignalAddr, hwBrasSbcComformance=hwBrasSbcComformance, hwBrasSbcMgcpSignalMapNumber=hwBrasSbcMgcpSignalMapNumber, hwBrasSbcImsQosLogEnable=hwBrasSbcImsQosLogEnable, hwBrasSbcImsMGCallSessionTimer=hwBrasSbcImsMGCallSessionTimer, hwBrasSbcMgcpIntercomMapSignalAddr=hwBrasSbcMgcpIntercomMapSignalAddr, hwBrasSbcSipIntercomMapSignalProtocol=hwBrasSbcSipIntercomMapSignalProtocol, hwBrasSbcMediaDetectStatus=hwBrasSbcMediaDetectStatus, hwBrasSbcIntercomPrefixTable=hwBrasSbcIntercomPrefixTable, hwBrasSbcSipAnonymity=hwBrasSbcSipAnonymity, hwBrasSbcSignalingCarStatus=hwBrasSbcSignalingCarStatus, hwBrasSbcMGSofxAddrIndex=hwBrasSbcMGSofxAddrIndex, hwBrasSbcMDStatisticFlowDrop=hwBrasSbcMDStatisticFlowDrop, hwBrasSbcIadmsWellknownPortTable=hwBrasSbcIadmsWellknownPortTable, hwBrasSbcCacCallTotalThreshold=hwBrasSbcCacCallTotalThreshold, hwBrasSbcImsMGIPSN=hwBrasSbcImsMGIPSN, hwBrasSbcSipStatSignalPacketOutNumber=hwBrasSbcSipStatSignalPacketOutNumber, hwBrasSbcCacCallRateThreshold=hwBrasSbcCacCallRateThreshold, hwBrasSbcIPCarBWRowStatus=hwBrasSbcIPCarBWRowStatus, hwBrasSbcSipMediaMapProtocol=hwBrasSbcSipMediaMapProtocol, hwBrasSbcRoamlimitEntry=hwBrasSbcRoamlimitEntry, hwBrasSbcMgcpCcbTimer=hwBrasSbcMgcpCcbTimer, hwBrasSbcImsConnectIndex=hwBrasSbcImsConnectIndex, hwBrasSbcQRLeaves=hwBrasSbcQRLeaves, hwBrasSbcMgcpIntercomMapSignalProtocol=hwBrasSbcMgcpIntercomMapSignalProtocol, hwBrasSbcUdpTunnelIfPortAddr=hwBrasSbcUdpTunnelIfPortAddr, hwBrasSbcMGPortNumber=hwBrasSbcMGPortNumber, hwBrasSbcRoamlimitSyslogEnable=hwBrasSbcRoamlimitSyslogEnable, hwBrasSbcH248IntercomMapMediaTable=hwBrasSbcH248IntercomMapMediaTable, hwBrasSbcUpathSignalMapEntry=hwBrasSbcUpathSignalMapEntry, hwBrasSbcMDLengthMin=hwBrasSbcMDLengthMin, hwBrasSbcSignalingNatTables=hwBrasSbcSignalingNatTables, hwBrasSbcMgcpStatSignalPacketOutNumber=hwBrasSbcMgcpStatSignalPacketOutNumber, hwBrasSbcStatMediaPacketIndex=hwBrasSbcStatMediaPacketIndex, hwBrasSbcH248Leaves=hwBrasSbcH248Leaves, hwBrasSbcTrapBind=hwBrasSbcTrapBind, hwBrasSbcImsBandRowStatus=hwBrasSbcImsBandRowStatus, hwBrasSbcIdoWellknownPortAddr=hwBrasSbcIdoWellknownPortAddr, hwBrasSbcIadmsPortEntry=hwBrasSbcIadmsPortEntry, hwBrasSbcIadmsMediaMapEntry=hwBrasSbcIadmsMediaMapEntry, HWBrasPermitStatus=HWBrasPermitStatus, hwBrasSbcMGMdCliAddrRowStatus=hwBrasSbcMGMdCliAddrRowStatus, hwBrasSbcDHSIPDetectFailCount=hwBrasSbcDHSIPDetectFailCount, hwBrasSbcSignalAddrMapSoftAddr=hwBrasSbcSignalAddrMapSoftAddr, hwBrasSbcImsMGProtocol=hwBrasSbcImsMGProtocol, hwBrasSbcH323SignalMapEntry=hwBrasSbcH323SignalMapEntry, hwBrasSbcBackupGroupID=hwBrasSbcBackupGroupID, hwBrasSbcMgcpStatSignalPacketRowStatus=hwBrasSbcMgcpStatSignalPacketRowStatus, hwBrasSbcMGProtocolSip=hwBrasSbcMGProtocolSip, hwBrasSbcIdoStatSignalPacketOutOctet=hwBrasSbcIdoStatSignalPacketOutOctet, hwBrasSbcSlotInforRowStatus=hwBrasSbcSlotInforRowStatus, hwBrasSbcH323IntercomMapSignalAddr=hwBrasSbcH323IntercomMapSignalAddr, hwBrasSbcIdoIntercomMapSignalEntry=hwBrasSbcIdoIntercomMapSignalEntry, hwBrasSbcMediaPassEnable=hwBrasSbcMediaPassEnable, hwNatAddrGrpEndingIpAddr=hwNatAddrGrpEndingIpAddr, hwBrasSbcDefendConnectRateEntry=hwBrasSbcDefendConnectRateEntry, hwBrasSbcH248IntercomMapMediaProtocol=hwBrasSbcH248IntercomMapMediaProtocol, hwBrasSbcIntercomStatus=hwBrasSbcIntercomStatus, hwBrasSbcMGCliAddrRowStatus=hwBrasSbcMGCliAddrRowStatus, hwBrasSbcImsActiveTable=hwBrasSbcImsActiveTable, hwBrasSbcImsMGDomainEntry=hwBrasSbcImsMGDomainEntry, hwBrasSbcSipStatSignalPacketEntry=hwBrasSbcSipStatSignalPacketEntry, hwBrasSbcMgcpWellknownPortPort=hwBrasSbcMgcpWellknownPortPort, hwBrasSbcDefendConnectRateThreshold=hwBrasSbcDefendConnectRateThreshold, hwBrasSbcH323Q931WellknownPort=hwBrasSbcH323Q931WellknownPort, hwBrasSbcUpathHeartbeatTimer=hwBrasSbcUpathHeartbeatTimer, hwBrasSbcH248SignalMapNumber=hwBrasSbcH248SignalMapNumber, hwBrasSbcH323SyslogEnable=hwBrasSbcH323SyslogEnable, hwBrasSbcTimerMediaAging=hwBrasSbcTimerMediaAging, hwBrasSbcH323IntercomMapSignalProtocol=hwBrasSbcH323IntercomMapSignalProtocol, hwBrasSbcH248WellknownPortPort=hwBrasSbcH248WellknownPortPort, hwBrasSbcH248IntercomMapMediaAddr=hwBrasSbcH248IntercomMapMediaAddr, hwBrasSbcSignalAddrMapServerAddr=hwBrasSbcSignalAddrMapServerAddr, hwBrasSbcH323MediaMapNumber=hwBrasSbcH323MediaMapNumber, hwBrasSbcNatAddressGroupTable=hwBrasSbcNatAddressGroupTable, hwBrasSbcTrapInfoImsConID=hwBrasSbcTrapInfoImsConID, hwBrasSbcMGCliAddrIP=hwBrasSbcMGCliAddrIP, hwBrasSbcH248SignalMapAddrType=hwBrasSbcH248SignalMapAddrType, hwBrasSbcMGIadmsAddrIndex=hwBrasSbcMGIadmsAddrIndex, hwBrasSbcTrapInfoIndex=hwBrasSbcTrapInfoIndex, hwBrasSbcMDStatisticMaxDrop=hwBrasSbcMDStatisticMaxDrop, hwBrasSbcAppMode=hwBrasSbcAppMode, hwBrasSbcSignalingNatLeaves=hwBrasSbcSignalingNatLeaves, hwBrasSbcImsMGTable=hwBrasSbcImsMGTable, hwBrasSbcBackupGroupTable=hwBrasSbcBackupGroupTable, hwBrasSbcMDLengthEntry=hwBrasSbcMDLengthEntry, hwBrasSbcRestartEnable=hwBrasSbcRestartEnable, hwBrasSbcPatchLoadStatus=hwBrasSbcPatchLoadStatus, hwBrasSbcMediaPassRowStatus=hwBrasSbcMediaPassRowStatus, hwBrasSbcIadmsRegRefreshEnable=hwBrasSbcIadmsRegRefreshEnable, hwBrasSbcMgcpMediaMapAddr=hwBrasSbcMgcpMediaMapAddr, hwBrasSbcSlotInforTable=hwBrasSbcSlotInforTable, hwBrasSbcUdpTunnelIfPortEntry=hwBrasSbcUdpTunnelIfPortEntry, hwBrasSbcIadmsStatSignalPacketEntry=hwBrasSbcIadmsStatSignalPacketEntry, PYSNMP_MODULE_ID=hwBrasSbcMgmt, hwBrasSbcSessionCarDegreeBandWidth=hwBrasSbcSessionCarDegreeBandWidth, hwBrasSbcUpathTables=hwBrasSbcUpathTables, hwBrasSbcIadmsStatSignalPacketOutOctet=hwBrasSbcIadmsStatSignalPacketOutOctet, hwBrasSbcSipWellknownPortAddr=hwBrasSbcSipWellknownPortAddr, hwBrasSbcMgcpWellknownPortTable=hwBrasSbcMgcpWellknownPortTable, hwNatAddrGrpRowstatus=hwNatAddrGrpRowstatus, hwBrasSbcIadmsStatSignalPacketInOctet=hwBrasSbcIadmsStatSignalPacketInOctet, hwBrasSbcUpath=hwBrasSbcUpath, hwBrasSbcSipWellknownPortRowStatus=hwBrasSbcSipWellknownPortRowStatus, hwBrasSbcClientPortPort12=hwBrasSbcClientPortPort12, hwBrasSbcDefendUserConnectRateProtocol=hwBrasSbcDefendUserConnectRateProtocol, hwBrasSbcMGMdCliAddrVPNName=hwBrasSbcMGMdCliAddrVPNName, hwBrasSbcIntercomPrefixDestAddr=hwBrasSbcIntercomPrefixDestAddr, hwBrasSbcSoftswitchPortProtocol=hwBrasSbcSoftswitchPortProtocol, hwBrasSbcMediaAddrMapServerAddr=hwBrasSbcMediaAddrMapServerAddr, hwBrasSbcMgcpIntercomMapSignalEntry=hwBrasSbcMgcpIntercomMapSignalEntry, hwBrasSbcH248MediaMapAddr=hwBrasSbcH248MediaMapAddr, hwBrasSbcOm=hwBrasSbcOm, hwBrasSbcIdlecutRtpTimer=hwBrasSbcIdlecutRtpTimer, hwBrasSbcUpathCallsessionTimer=hwBrasSbcUpathCallsessionTimer, hwBrasSbcHrp=hwBrasSbcHrp, hwBrasSbcQRStatus=hwBrasSbcQRStatus, hwBrasSbcUpathSignalMapProtocol=hwBrasSbcUpathSignalMapProtocol, hwBrasSbcH248WellknownPortIndex=hwBrasSbcH248WellknownPortIndex, hwBrasSbcMGPortEntry=hwBrasSbcMGPortEntry, hwBrasSbcMapGroup=hwBrasSbcMapGroup, hwBrasSbcDefendUserConnectRateEntry=hwBrasSbcDefendUserConnectRateEntry, hwBrasSbcImsMGIPRowStatus=hwBrasSbcImsMGIPRowStatus, hwBrasSbcUpathSignalMapNumber=hwBrasSbcUpathSignalMapNumber, hwBrasSbcH323WellknownPortRowStatus=hwBrasSbcH323WellknownPortRowStatus, hwBrasSbcSessionCarRuleName=hwBrasSbcSessionCarRuleName, hwBrasSbcUdpTunnelIfPortPort=hwBrasSbcUdpTunnelIfPortPort, hwBrasSbcIPCarBWAddress=hwBrasSbcIPCarBWAddress, hwBrasSbcH248=hwBrasSbcH248, hwBrasSbcUpathStatSignalPacketIndex=hwBrasSbcUpathStatSignalPacketIndex, hwBrasSbcCacRegRateEntry=hwBrasSbcCacRegRateEntry, hwBrasSbcViewLeaves=hwBrasSbcViewLeaves, hwBrasSbcH323StatSignalPacketRowStatus=hwBrasSbcH323StatSignalPacketRowStatus, hwBrasSbcIdoStatSignalPacketInNumber=hwBrasSbcIdoStatSignalPacketInNumber, hwBrasSbcMediaUsersTable=hwBrasSbcMediaUsersTable, hwBrasSbcH323SignalMapProtocol=hwBrasSbcH323SignalMapProtocol, hwBrasSbcH248SignalMapEntry=hwBrasSbcH248SignalMapEntry, hwBrasSbcSignalAddrMapEntry=hwBrasSbcSignalAddrMapEntry, hwBrasSbcUpathSignalMapAddrType=hwBrasSbcUpathSignalMapAddrType, hwBrasSbcUpathMediaMapTable=hwBrasSbcUpathMediaMapTable, hwBrasSbcH248PDHCountLimit=hwBrasSbcH248PDHCountLimit, hwBrasSbcNotification=hwBrasSbcNotification, hwBrasSbcCac=hwBrasSbcCac, hwBrasSbcCurrentSlotID=hwBrasSbcCurrentSlotID, hwBrasSbcBandwidthLimit=hwBrasSbcBandwidthLimit, hwBrasSbcUpathStatSignalPacketOutOctet=hwBrasSbcUpathStatSignalPacketOutOctet, hwBrasSbcIdoSignalMapTable=hwBrasSbcIdoSignalMapTable, hwBrasSbcUdpTunnelType=hwBrasSbcUdpTunnelType, hwBrasSbcMediaAddrMapWeight=hwBrasSbcMediaAddrMapWeight, hwBrasSbcMGMdCliAddrIf3=hwBrasSbcMGMdCliAddrIf3, hwBrasSbcH323IntercomMapMediaAddr=hwBrasSbcH323IntercomMapMediaAddr, hwBrasSbcH248IntercomMapMediaEntry=hwBrasSbcH248IntercomMapMediaEntry, hwBrasSbcUpathIntercomMapMediaAddr=hwBrasSbcUpathIntercomMapMediaAddr, hwNatAddrGrpBeginningIpAddr=hwNatAddrGrpBeginningIpAddr, hwBrasSbcNatVpnNameIndex=hwBrasSbcNatVpnNameIndex, hwBrasSbcMgcpMediaMapTable=hwBrasSbcMgcpMediaMapTable, hwBrasSbcImsMediaProxyEnable=hwBrasSbcImsMediaProxyEnable, hwBrasSbcImsActiveRowStatus=hwBrasSbcImsActiveRowStatus, hwBrasSbcCacRegTotalPercent=hwBrasSbcCacRegTotalPercent, hwBrasSbcH323SignalMapAddrType=hwBrasSbcH323SignalMapAddrType, hwBrasSbcMGIadmsAddrIP1=hwBrasSbcMGIadmsAddrIP1, HWBrasSbcBaseProtocol=HWBrasSbcBaseProtocol, hwBrasSbcUsergroupTable=hwBrasSbcUsergroupTable, hwBrasSbcMGServAddrEntry=hwBrasSbcMGServAddrEntry, hwBrasSbcMgcpWellknownPortAddr=hwBrasSbcMgcpWellknownPortAddr, hwBrasSbcClientPortPort04=hwBrasSbcClientPortPort04, hwBrasSbcSipSignalMapAddrType=hwBrasSbcSipSignalMapAddrType, hwBrasSbcIdoWellknownPortPort=hwBrasSbcIdoWellknownPortPort, hwBrasSbcImsMGDomainType=hwBrasSbcImsMGDomainType, hwBrasSbcMgcpStatSignalPacketInNumber=hwBrasSbcMgcpStatSignalPacketInNumber, hwBrasSbcMediaPassTable=hwBrasSbcMediaPassTable, hwBrasSbcSessionCarRuleID=hwBrasSbcSessionCarRuleID, hwBrasSbcImsMGIPEntry=hwBrasSbcImsMGIPEntry, hwBrasSbcBaseLeaves=hwBrasSbcBaseLeaves, hwBrasSbcMediaUsersCalleeID3=hwBrasSbcMediaUsersCalleeID3, hwBrasSbcIdoWellknownPortProtocol=hwBrasSbcIdoWellknownPortProtocol, hwBrasSbcMgcpEnable=hwBrasSbcMgcpEnable, hwBrasSbcSipCheckheartEnable=hwBrasSbcSipCheckheartEnable, hwBrasSbcMediaDetectSsrcEnable=hwBrasSbcMediaDetectSsrcEnable, hwBrasSbcMediaUsersType=hwBrasSbcMediaUsersType, HwBrasAppMode=HwBrasAppMode, hwBrasSbcCacRegTotalEntry=hwBrasSbcCacRegTotalEntry, hwBrasSbcMDStatisticFragDrop=hwBrasSbcMDStatisticFragDrop, hwBrasSbcIdoSyslogEnable=hwBrasSbcIdoSyslogEnable, hwBrasSbcOmTables=hwBrasSbcOmTables, hwBrasSbcH323IntercomMapMediaEntry=hwBrasSbcH323IntercomMapMediaEntry, hwBrasSbcIntercomPrefixEntry=hwBrasSbcIntercomPrefixEntry, hwBrasSbcMGIadmsAddrIP3=hwBrasSbcMGIadmsAddrIP3, hwBrasSbcSipIntercomMapMediaTable=hwBrasSbcSipIntercomMapMediaTable, hwBrasSbcTrapBindTables=hwBrasSbcTrapBindTables, hwBrasSbcUpathIntercomMapMediaEntry=hwBrasSbcUpathIntercomMapMediaEntry, hwBrasSbcIadmsPortPort=hwBrasSbcIadmsPortPort, hwBrasSbcCacCallTotalEntry=hwBrasSbcCacCallTotalEntry, hwBrasSbcSignalAddrMapIadmsAddr=hwBrasSbcSignalAddrMapIadmsAddr, hwBrasSbcUdpTunnelSctpAddr=hwBrasSbcUdpTunnelSctpAddr, hwBrasSbcMGProtocolTable=hwBrasSbcMGProtocolTable, hwBrasSbcSipEnable=hwBrasSbcSipEnable, hwBrasSbcSipCallsessionTimer=hwBrasSbcSipCallsessionTimer, hwBrasSbcMGPortIndex=hwBrasSbcMGPortIndex, hwBrasSbcImsConnectServIP=hwBrasSbcImsConnectServIP, hwBrasSbcIadms=hwBrasSbcIadms, hwBrasSbcIadmsMediaMapTable=hwBrasSbcIadmsMediaMapTable, HwBrasBWLimitType=HwBrasBWLimitType, hwBrasSbcMGServAddrRowStatus=hwBrasSbcMGServAddrRowStatus, hwBrasSbcHrpSynchronization=hwBrasSbcHrpSynchronization, hwBrasSbcH323IntercomMapSignalNumber=hwBrasSbcH323IntercomMapSignalNumber, hwBrasSbcMapGroupsIndex=hwBrasSbcMapGroupsIndex, hwBrasSbcMediaUsersCallerID1=hwBrasSbcMediaUsersCallerID1, hwBrasSbcSip=hwBrasSbcSip, hwBrasSbcIadmsPortProtocol=hwBrasSbcIadmsPortProtocol, hwBrasSbcTrapInfoStatistic=hwBrasSbcTrapInfoStatistic, hwBrasSbcH323IntercomMapSignalTable=hwBrasSbcH323IntercomMapSignalTable, hwBrasSbcMGProtocolMgcp=hwBrasSbcMGProtocolMgcp, hwBrasSbcIadmsTables=hwBrasSbcIadmsTables, hwBrasSbcH323Enable=hwBrasSbcH323Enable, hwBrasSbcModule=hwBrasSbcModule, hwBrasSbcUpathIntercomMapSignalAddr=hwBrasSbcUpathIntercomMapSignalAddr, hwBrasSbcIdoSignalMapAddrType=hwBrasSbcIdoSignalMapAddrType, hwBrasSbcUpathStatSignalPacketEntry=hwBrasSbcUpathStatSignalPacketEntry, hwBrasSbcDefendMode=hwBrasSbcDefendMode, hwBrasSbcImsMGDomainRowStatus=hwBrasSbcImsMGDomainRowStatus, hwBrasSbcObjects=hwBrasSbcObjects, hwBrasSbcMgcpStatSignalPacketTable=hwBrasSbcMgcpStatSignalPacketTable, hwBrasSbcMediaPassAclNumber=hwBrasSbcMediaPassAclNumber, hwBrasSbcUpathSignalMapTable=hwBrasSbcUpathSignalMapTable, hwBrasSbcMediaOnewayStatus=hwBrasSbcMediaOnewayStatus, hwBrasSbcTrapInfoImsCcbID=hwBrasSbcTrapInfoImsCcbID, hwBrasSbcMediaAddrMapEntry=hwBrasSbcMediaAddrMapEntry, hwBrasSbcMGMdServAddrRowStatus=hwBrasSbcMGMdServAddrRowStatus, hwBrasSbcSipPDHCountLimit=hwBrasSbcSipPDHCountLimit, hwBrasSbcUdpTunnelPoolEntry=hwBrasSbcUdpTunnelPoolEntry, hwBrasSbcIdoSignalMapProtocol=hwBrasSbcIdoSignalMapProtocol, hwBrasSbcMediaUsersCallerID4=hwBrasSbcMediaUsersCallerID4, hwBrasSbcImsMGDomainMapIndex=hwBrasSbcImsMGDomainMapIndex, hwBrasSbcH248SignalMapAddr=hwBrasSbcH248SignalMapAddr, hwBrasSbcMgmt=hwBrasSbcMgmt, hwBrasSbcMDStatisticMinDrop=hwBrasSbcMDStatisticMinDrop, hwBrasSbcH323WellknownPortAddr=hwBrasSbcH323WellknownPortAddr, hwBrasSbcUpathStatSignalPacketInNumber=hwBrasSbcUpathStatSignalPacketInNumber, hwBrasSbcMGMdServAddrIf2=hwBrasSbcMGMdServAddrIf2, hwBrasSbcMGPrefixEntry=hwBrasSbcMGPrefixEntry, hwBrasSbcUpathMediaMapEntry=hwBrasSbcUpathMediaMapEntry, hwBrasSbcCacCallRateProtocol=hwBrasSbcCacCallRateProtocol, hwBrasSbcIadmsWellknownPortEntry=hwBrasSbcIadmsWellknownPortEntry, hwBrasSbcAdvance=hwBrasSbcAdvance, hwBrasSbcH323=hwBrasSbcH323, hwBrasSbcUpathMediaMapNumber=hwBrasSbcUpathMediaMapNumber, hwBrasSbcMapGroupLeaves=hwBrasSbcMapGroupLeaves, hwBrasSbcSipSignalMapTable=hwBrasSbcSipSignalMapTable, hwBrasSbcUsergroupRuleRowStatus=hwBrasSbcUsergroupRuleRowStatus, hwBrasSbcMgcpWellknownPortIndex=hwBrasSbcMgcpWellknownPortIndex) mibBuilder.exportSymbols("HUAWEI-BRAS-SBC-MIB", hwBrasSbcUsergroupIndex=hwBrasSbcUsergroupIndex, hwBrasSbcCacRegTotalThreshold=hwBrasSbcCacRegTotalThreshold, hwBrasSbcSipStatSignalPacketInOctet=hwBrasSbcSipStatSignalPacketInOctet, hwBrasSbcDHSIPDetectTimer=hwBrasSbcDHSIPDetectTimer, hwBrasSbcSipMediaMapEntry=hwBrasSbcSipMediaMapEntry, hwBrasSbcMGMdCliAddrVPN=hwBrasSbcMGMdCliAddrVPN, hwBrasSbcIadmsWellknownPortProtocol=hwBrasSbcIadmsWellknownPortProtocol, hwBrasSbcSignalAddrMapTable=hwBrasSbcSignalAddrMapTable, hwBrasSbcCacCallTotalProtocol=hwBrasSbcCacCallTotalProtocol, hwBrasSbcSipMediaMapTable=hwBrasSbcSipMediaMapTable, hwBrasSbcCacEnable=hwBrasSbcCacEnable, hwBrasSbcMgcpTxTimer=hwBrasSbcMgcpTxTimer, hwBrasSbcImsMGStatus=hwBrasSbcImsMGStatus, hwBrasSbcImsMGIPTable=hwBrasSbcImsMGIPTable, hwBrasSbcBackupGroupType=hwBrasSbcBackupGroupType, hwBrasSbcDefendConnectRateRowStatus=hwBrasSbcDefendConnectRateRowStatus, hwBrasSbcH323StatSignalPacketInNumber=hwBrasSbcH323StatSignalPacketInNumber, hwBrasSbcH248CcbTimer=hwBrasSbcH248CcbTimer, hwBrasSbcH248StatSignalPacketOutNumber=hwBrasSbcH248StatSignalPacketOutNumber, hwBrasSbcH323Tables=hwBrasSbcH323Tables, hwBrasSbcBackupGroupInstanceName=hwBrasSbcBackupGroupInstanceName, hwBrasSbcMapGroupTables=hwBrasSbcMapGroupTables, hwBrasSbcImsActiveConnectId=hwBrasSbcImsActiveConnectId, hwBrasSbcRtpSpecialAddrRowStatus=hwBrasSbcRtpSpecialAddrRowStatus, hwBrasSbcMapGroupsStatus=hwBrasSbcMapGroupsStatus, hwBrasSbcMDStatisticTable=hwBrasSbcMDStatisticTable, hwBrasSbcH323StatSignalPacketInOctet=hwBrasSbcH323StatSignalPacketInOctet, hwBrasSbcMapGroupsEntry=hwBrasSbcMapGroupsEntry, hwBrasSbcSipWellknownPortPort=hwBrasSbcSipWellknownPortPort, hwBrasSbcSipTables=hwBrasSbcSipTables, hwBrasSbcNatInstanceName=hwBrasSbcNatInstanceName, hwBrasSbcH248Tables=hwBrasSbcH248Tables, hwBrasSbcSlotIndex=hwBrasSbcSlotIndex, hwBrasSbcMGMdCliAddrIndex=hwBrasSbcMGMdCliAddrIndex, hwBrasSbcMGMdServAddrEntry=hwBrasSbcMGMdServAddrEntry, hwBrasSbcMgcpIntercomMapSignalTable=hwBrasSbcMgcpIntercomMapSignalTable, hwBrasSbcMgcpSyslogEnable=hwBrasSbcMgcpSyslogEnable, hwBrasSbcQRTables=hwBrasSbcQRTables, hwBrasSbcH248WellknownPortEntry=hwBrasSbcH248WellknownPortEntry, hwBrasSbcSlotInforEntry=hwBrasSbcSlotInforEntry, hwBrasSbcSipRegReduceStatus=hwBrasSbcSipRegReduceStatus, hwBrasSbcTrapBindFluID=hwBrasSbcTrapBindFluID, hwBrasSbcMGCliAddrVPN=hwBrasSbcMGCliAddrVPN, hwBrasSbcIdoStatSignalPacketEntry=hwBrasSbcIdoStatSignalPacketEntry, hwBrasSbcStatMediaPacketEntry=hwBrasSbcStatMediaPacketEntry, hwBrasSbcIadmsMibRegTable=hwBrasSbcIadmsMibRegTable, hwBrasSbcUpathSyslogEnable=hwBrasSbcUpathSyslogEnable, hwBrasSbcCacRegTotalRowStatus=hwBrasSbcCacRegTotalRowStatus, hwBrasSbcIdoTables=hwBrasSbcIdoTables, hwBrasSbcMGMdServAddrSlotID1=hwBrasSbcMGMdServAddrSlotID1, hwBrasSbcBWLimitValue=hwBrasSbcBWLimitValue, hwBrasSbcH248Enable=hwBrasSbcH248Enable, hwBrasSbcImsConnectCliPort=hwBrasSbcImsConnectCliPort, hwBrasSbcMGMdCliAddrIf2=hwBrasSbcMGMdCliAddrIf2, hwBrasSbcH248StatSignalPacketTable=hwBrasSbcH248StatSignalPacketTable, hwBrasSbcBWLimitLeaves=hwBrasSbcBWLimitLeaves, hwBrasSbcMediaUsersIndex=hwBrasSbcMediaUsersIndex, hwBrasSbcPortrangeEntry=hwBrasSbcPortrangeEntry, hwBrasSbcCacRegRatePercent=hwBrasSbcCacRegRatePercent, hwBrasSbcH248IntercomMapSignalNumber=hwBrasSbcH248IntercomMapSignalNumber, hwBrasSbcSipSyslogEnable=hwBrasSbcSipSyslogEnable, hwBrasSbcIPCarBWValue=hwBrasSbcIPCarBWValue, hwBrasSbcPortStatisticNormal=hwBrasSbcPortStatisticNormal, hwBrasSbcIntercom=hwBrasSbcIntercom, hwBrasSbcMgcpMediaMapNumber=hwBrasSbcMgcpMediaMapNumber, hwBrasSbcMediaUsersCallerID3=hwBrasSbcMediaUsersCallerID3, hwBrasSbcH323IntercomMapMediaTable=hwBrasSbcH323IntercomMapMediaTable, hwBrasSbcMGSofxAddrIP3=hwBrasSbcMGSofxAddrIP3, hwBrasSbcNatCfgRowStatus=hwBrasSbcNatCfgRowStatus, hwBrasSbcSessionCarRuleDegreeBandWidth=hwBrasSbcSessionCarRuleDegreeBandWidth, hwBrasSbcIdoSignalMapNumber=hwBrasSbcIdoSignalMapNumber, hwBrasSbcMGMdServAddrVPNName=hwBrasSbcMGMdServAddrVPNName, hwBrasSbcCopsLinkDown=hwBrasSbcCopsLinkDown, hwBrasSbcIadmsIntercomMapMediaProtocol=hwBrasSbcIadmsIntercomMapMediaProtocol, hwBrasSbcIdoWellknownPortEntry=hwBrasSbcIdoWellknownPortEntry, hwBrasSbcDHSwitch=hwBrasSbcDHSwitch, hwBrasSbcUsergroupRuleType=hwBrasSbcUsergroupRuleType, hwBrasSbcClientPortPort16=hwBrasSbcClientPortPort16, hwBrasSbcCpuNormal=hwBrasSbcCpuNormal, hwBrasSbcTrapInfoEntry=hwBrasSbcTrapInfoEntry, hwBrasSbcMgcpWellknownPortProtocol=hwBrasSbcMgcpWellknownPortProtocol, hwBrasSbcSipStatSignalPacketTable=hwBrasSbcSipStatSignalPacketTable, hwBrasSbcImsTables=hwBrasSbcImsTables, hwBrasSbcIadmsPortIP=hwBrasSbcIadmsPortIP, hwBrasSbcMGSofxAddrIP4=hwBrasSbcMGSofxAddrIP4, hwBrasSbcMediaPassEntry=hwBrasSbcMediaPassEntry, hwBrasSbcUsergroupEntry=hwBrasSbcUsergroupEntry, hwBrasSbcImsMediaProxyLogEnable=hwBrasSbcImsMediaProxyLogEnable, hwBrasSbcUpathWellknownPortPort=hwBrasSbcUpathWellknownPortPort, hwNatAddrGrpVpnName=hwNatAddrGrpVpnName, hwBrasSbcSipIntercomMapMediaAddr=hwBrasSbcSipIntercomMapMediaAddr, hwBrasSbcSipIntercomMapSignalNumber=hwBrasSbcSipIntercomMapSignalNumber, hwBrasSbcMediaUsersCalleeID2=hwBrasSbcMediaUsersCalleeID2, hwBrasSbcSipSignalMapProtocol=hwBrasSbcSipSignalMapProtocol, hwBrasSbcImsActiveEntry=hwBrasSbcImsActiveEntry, hwBrasSbcMapGroupInstanceName=hwBrasSbcMapGroupInstanceName, hwBrasSbcCacRegTotalProtocol=hwBrasSbcCacRegTotalProtocol, hwBrasSbcMGProtocolH323=hwBrasSbcMGProtocolH323, hwBrasSbcMgcpWellknownPortRowStatus=hwBrasSbcMgcpWellknownPortRowStatus, hwBrasSbcIadmsIntercomMapMediaNumber=hwBrasSbcIadmsIntercomMapMediaNumber, hwBrasSbcInstanceEntry=hwBrasSbcInstanceEntry, hwBrasSbcUpathSignalMapAddr=hwBrasSbcUpathSignalMapAddr, hwBrasSbcMgcpIntercomMapMediaProtocol=hwBrasSbcMgcpIntercomMapMediaProtocol, hwBrasSbcGroups=hwBrasSbcGroups, hwBrasSbcIntercomLeaves=hwBrasSbcIntercomLeaves, hwBrasSbcClientPortPort07=hwBrasSbcClientPortPort07, hwBrasSbcSignalingNat=hwBrasSbcSignalingNat, hwBrasSbcIadmsIntercomMapMediaTable=hwBrasSbcIadmsIntercomMapMediaTable, hwBrasSbcCacRegRateTable=hwBrasSbcCacRegRateTable, hwBrasSbcAdvanceLeaves=hwBrasSbcAdvanceLeaves, hwBrasSbcIadmsEnable=hwBrasSbcIadmsEnable, hwBrasSbcCacActionLogStatus=hwBrasSbcCacActionLogStatus, hwBrasSbcH248SyslogEnable=hwBrasSbcH248SyslogEnable, hwBrasSbcMGMatchAcl=hwBrasSbcMGMatchAcl, hwBrasSbcMGIadmsAddrRowStatus=hwBrasSbcMGIadmsAddrRowStatus, hwBrasSbcMGMatchRowStatus=hwBrasSbcMGMatchRowStatus, hwBrasSbcH323MediaMapProtocol=hwBrasSbcH323MediaMapProtocol, hwBrasSbcMGProtocolIndex=hwBrasSbcMGProtocolIndex, hwBrasSbcIdoStatSignalPacketInOctet=hwBrasSbcIdoStatSignalPacketInOctet, hwBrasSbcH248StatSignalPacketRowStatus=hwBrasSbcH248StatSignalPacketRowStatus, hwBrasSbcH248UserAgeTimer=hwBrasSbcH248UserAgeTimer, hwBrasSbcPortStatistic=hwBrasSbcPortStatistic, hwBrasSbcH323Leaves=hwBrasSbcH323Leaves, hwBrasSbcIPCarBandwidthTable=hwBrasSbcIPCarBandwidthTable, hwBrasSbcH323WellknownPortProtocol=hwBrasSbcH323WellknownPortProtocol, hwBrasSbcCapabilities=hwBrasSbcCapabilities, hwBrasSbcMediaAddrMapClientAddr=hwBrasSbcMediaAddrMapClientAddr, hwBrasSbcMGMdCliAddrSlotID4=hwBrasSbcMGMdCliAddrSlotID4, hwBrasSbcTrapBindLeaves=hwBrasSbcTrapBindLeaves, hwBrasSbcIadmsIntercomMapMediaAddr=hwBrasSbcIadmsIntercomMapMediaAddr, hwBrasSbcSessionCarDegreeRowStatus=hwBrasSbcSessionCarDegreeRowStatus, hwBrasSbcSipWellknownPortEntry=hwBrasSbcSipWellknownPortEntry, hwBrasSbcUdpTunnelPoolRowStatus=hwBrasSbcUdpTunnelPoolRowStatus, hwBrasSbcDualHoming=hwBrasSbcDualHoming, hwBrasSbcImsConnectCliType=hwBrasSbcImsConnectCliType, hwBrasSbcMgcpSignalMapProtocol=hwBrasSbcMgcpSignalMapProtocol, hwBrasSbcInstanceRowStatus=hwBrasSbcInstanceRowStatus, hwBrasSbcMGMdCliAddrIf1=hwBrasSbcMGMdCliAddrIf1, hwBrasSbcIadmsWellknownPortAddr=hwBrasSbcIadmsWellknownPortAddr, hwBrasSbcH248IntercomMapMediaNumber=hwBrasSbcH248IntercomMapMediaNumber, hwBrasSbcStatisticSyslogEnable=hwBrasSbcStatisticSyslogEnable, hwBrasSbcH323IntercomMapMediaProtocol=hwBrasSbcH323IntercomMapMediaProtocol, hwBrasSbcImsMGConnectTimer=hwBrasSbcImsMGConnectTimer, hwBrasSbcSipMediaMapNumber=hwBrasSbcSipMediaMapNumber, hwBrasSbcMGMatchEntry=hwBrasSbcMGMatchEntry, hwBrasSbcIdoSignalMapEntry=hwBrasSbcIdoSignalMapEntry, hwBrasSbcMGSofxAddrEntry=hwBrasSbcMGSofxAddrEntry, hwBrasSbcSignalAddrMapClientAddr=hwBrasSbcSignalAddrMapClientAddr, hwBrasSbcImsMGEntry=hwBrasSbcImsMGEntry, hwBrasSbcMDStatisticEntry=hwBrasSbcMDStatisticEntry, hwBrasSbcIntercomTables=hwBrasSbcIntercomTables, hwBrasSbcNatSessionAgingTime=hwBrasSbcNatSessionAgingTime, hwBrasSbcH323IntercomMapMediaNumber=hwBrasSbcH323IntercomMapMediaNumber, hwBrasSbcSessionCarDegreeDscp=hwBrasSbcSessionCarDegreeDscp, hwBrasSbcMediaPassSyslogEnable=hwBrasSbcMediaPassSyslogEnable, hwBrasSbcMGMdServAddrIP3=hwBrasSbcMGMdServAddrIP3, hwBrasSbcTrapInfoOldSSIP=hwBrasSbcTrapInfoOldSSIP, hwBrasSbcIadmsIntercomMapSignalAddr=hwBrasSbcIadmsIntercomMapSignalAddr, hwBrasSbcMGCliAddrEntry=hwBrasSbcMGCliAddrEntry, hwBrasSbcSlotCfgState=hwBrasSbcSlotCfgState, hwBrasSbcIntercomEnable=hwBrasSbcIntercomEnable, hwBrasSbcUdpTunnelPortRowStatus=hwBrasSbcUdpTunnelPortRowStatus, hwBrasSbcImsBandValue=hwBrasSbcImsBandValue, hwBrasSbcNatCfgTable=hwBrasSbcNatCfgTable, hwBrasSbcUdpTunnelPortTable=hwBrasSbcUdpTunnelPortTable, hwBrasSbcIadmsIntercomMapSignalNumber=hwBrasSbcIadmsIntercomMapSignalNumber, hwBrasSbcBackupGroupIndex=hwBrasSbcBackupGroupIndex, hwBrasSbcMGServAddrIP4=hwBrasSbcMGServAddrIP4, hwBrasSbcMGMdServAddrIP2=hwBrasSbcMGMdServAddrIP2, hwBrasSbcUdpTunnelPoolIndex=hwBrasSbcUdpTunnelPoolIndex, hwBrasSbcCacCallRateRowStatus=hwBrasSbcCacCallRateRowStatus, hwBrasSbcIadmsPortVPN=hwBrasSbcIadmsPortVPN, hwBrasSbcPortrangeRowStatus=hwBrasSbcPortrangeRowStatus, hwBrasSbcMediaUsersCalleeID4=hwBrasSbcMediaUsersCalleeID4, hwBrasSbcDHSwitchNormal=hwBrasSbcDHSwitchNormal, hwBrasSbcClientPortPort05=hwBrasSbcClientPortPort05, hwBrasSbcStatMediaPacketRowStatus=hwBrasSbcStatMediaPacketRowStatus, hwBrasSbcRoamlimitExtendEnable=hwBrasSbcRoamlimitExtendEnable, HWBrasEnabledStatus=HWBrasEnabledStatus, hwBrasSbcStatisticEnable=hwBrasSbcStatisticEnable, hwBrasSbcMediaUsersRowStatus=hwBrasSbcMediaUsersRowStatus, hwBrasSbcIadmsIntercomMapSignalEntry=hwBrasSbcIadmsIntercomMapSignalEntry, hwBrasSbcStatMediaPacketNumber=hwBrasSbcStatMediaPacketNumber, hwBrasSbcImsMGDomainTable=hwBrasSbcImsMGDomainTable, hwBrasSbcTrapBindID=hwBrasSbcTrapBindID, hwBrasSbcImsMGIPVersion=hwBrasSbcImsMGIPVersion, hwBrasSbcRtpSpecialAddrIndex=hwBrasSbcRtpSpecialAddrIndex, hwBrasSbcUpathWellknownPortEntry=hwBrasSbcUpathWellknownPortEntry, hwBrasSbcIdoIntercomMapSignalNumber=hwBrasSbcIdoIntercomMapSignalNumber, hwBrasSbcMgcpSignalMapTable=hwBrasSbcMgcpSignalMapTable, hwBrasSbcIadmsIntercomMapMediaEntry=hwBrasSbcIadmsIntercomMapMediaEntry, hwBrasSbcView=hwBrasSbcView, hwBrasSbcStatisticIndex=hwBrasSbcStatisticIndex, hwBrasSbcCacRegRateRowStatus=hwBrasSbcCacRegRateRowStatus, hwBrasSbcMGMdServAddrSlotID3=hwBrasSbcMGMdServAddrSlotID3, hwBrasSbcIdoStatSignalPacketTable=hwBrasSbcIdoStatSignalPacketTable, hwBrasSbcMGCliAddrIndex=hwBrasSbcMGCliAddrIndex, hwBrasSbcMgcpMediaMapEntry=hwBrasSbcMgcpMediaMapEntry, hwBrasSbcTrapBindEntry=hwBrasSbcTrapBindEntry, hwBrasSbcGroup=hwBrasSbcGroup, hwBrasSbcUdpTunnelPoolTable=hwBrasSbcUdpTunnelPoolTable, hwBrasSbcPortrangeEnd=hwBrasSbcPortrangeEnd, hwBrasSbcIPCarStatus=hwBrasSbcIPCarStatus, hwBrasSbcUpathIntercomMapSignalEntry=hwBrasSbcUpathIntercomMapSignalEntry, hwBrasSbcStatisticTable=hwBrasSbcStatisticTable, hwBrasSbcUpathMediaMapProtocol=hwBrasSbcUpathMediaMapProtocol, hwBrasSbcSipSignalMapNumber=hwBrasSbcSipSignalMapNumber, hwBrasSbcMGIadmsAddrTable=hwBrasSbcMGIadmsAddrTable, hwBrasSbcBackupGroupsTable=hwBrasSbcBackupGroupsTable, hwBrasSbcImsMGDomainName=hwBrasSbcImsMGDomainName, hwBrasSbcClientPortVPN=hwBrasSbcClientPortVPN, hwBrasSbcImsConnectRowStatus=hwBrasSbcImsConnectRowStatus, hwBrasSbcMDLengthMax=hwBrasSbcMDLengthMax, hwBrasSbcMgcpStatSignalPacketIndex=hwBrasSbcMgcpStatSignalPacketIndex, hwBrasSbcH323SignalMapTable=hwBrasSbcH323SignalMapTable, hwBrasSbcMgcpIntercomMapMediaAddr=hwBrasSbcMgcpIntercomMapMediaAddr, hwBrasSbcH248StatSignalPacketOutOctet=hwBrasSbcH248StatSignalPacketOutOctet, hwBrasSbcMediaDetectValidityEnable=hwBrasSbcMediaDetectValidityEnable, hwBrasSbcImsBandTable=hwBrasSbcImsBandTable, hwBrasSbcMgcpSignalMapAddr=hwBrasSbcMgcpSignalMapAddr, hwBrasSbcMGProtocolIadms=hwBrasSbcMGProtocolIadms, hwBrasSbcClientPortProtocol=hwBrasSbcClientPortProtocol, hwBrasSbcMGMdCliAddrIP1=hwBrasSbcMGMdCliAddrIP1, hwBrasSbcUdpTunnelIfPortTable=hwBrasSbcUdpTunnelIfPortTable, hwBrasSbcMGMdServAddrSlotID4=hwBrasSbcMGMdServAddrSlotID4, hwBrasSbcImsLeaves=hwBrasSbcImsLeaves, hwBrasSbcIdoIntercomMapSignalTable=hwBrasSbcIdoIntercomMapSignalTable, hwBrasSbcMGProtocolUpath=hwBrasSbcMGProtocolUpath, hwBrasSbcMGMdCliAddrIP3=hwBrasSbcMGMdCliAddrIP3, hwBrasSbcImsBandIfIndex=hwBrasSbcImsBandIfIndex, hwBrasSbcIadmsMibRegEntry=hwBrasSbcIadmsMibRegEntry, hwBrasSbcMGIadmsAddrEntry=hwBrasSbcMGIadmsAddrEntry, hwBrasSbcBackupGroupRowStatus=hwBrasSbcBackupGroupRowStatus, hwBrasSbcMediaDefend=hwBrasSbcMediaDefend, hwBrasSbcAdvanceTables=hwBrasSbcAdvanceTables, hwBrasSbcImsBandIndex=hwBrasSbcImsBandIndex, hwBrasSbcIdo=hwBrasSbcIdo, hwBrasSbcNatAddressGroupEntry=hwBrasSbcNatAddressGroupEntry, hwBrasSbcIadmsSignalMapAddr=hwBrasSbcIadmsSignalMapAddr, hwBrasSbcImsMGInstanceName=hwBrasSbcImsMGInstanceName, hwBrasSbcUpathEnable=hwBrasSbcUpathEnable, hwBrasSbcMDLengthTable=hwBrasSbcMDLengthTable, hwBrasSbcUpathIntercomMapMediaNumber=hwBrasSbcUpathIntercomMapMediaNumber, hwBrasSbcCacRegTotalTable=hwBrasSbcCacRegTotalTable, hwBrasSbcMGMdServAddrVPN=hwBrasSbcMGMdServAddrVPN, hwBrasSbcRtpSpecialAddrEntry=hwBrasSbcRtpSpecialAddrEntry, hwBrasSbcIdoStatSignalPacketIndex=hwBrasSbcIdoStatSignalPacketIndex, hwBrasSbcSoftVersion=hwBrasSbcSoftVersion, hwBrasSbcH323SignalMapNumber=hwBrasSbcH323SignalMapNumber, hwBrasSbcSipSignalMapAddr=hwBrasSbcSipSignalMapAddr, hwBrasSbcSessionCarDegreeTable=hwBrasSbcSessionCarDegreeTable, hwBrasSbcUdpTunnelEnable=hwBrasSbcUdpTunnelEnable, hwBrasSbcMDStatisticIndex=hwBrasSbcMDStatisticIndex, hwBrasSbcIadmsMediaMapAddr=hwBrasSbcIadmsMediaMapAddr) mibBuilder.exportSymbols("HUAWEI-BRAS-SBC-MIB", hwBrasSbcTrapInfoCac=hwBrasSbcTrapInfoCac, hwBrasSbcCacRegRateThreshold=hwBrasSbcCacRegRateThreshold, hwBrasSbcIadmsStatSignalPacketTable=hwBrasSbcIadmsStatSignalPacketTable, hwBrasSbcTrapGroup=hwBrasSbcTrapGroup, hwBrasSbcDynamicStatus=hwBrasSbcDynamicStatus, hwBrasSbcUpathIntercomMapSignalTable=hwBrasSbcUpathIntercomMapSignalTable, HWBrasSecurityProtocol=HWBrasSecurityProtocol, hwBrasSbcIdoSignalMapAddr=hwBrasSbcIdoSignalMapAddr, hwBrasSbcRtpSpecialAddrAddr=hwBrasSbcRtpSpecialAddrAddr, hwBrasSbcBase=hwBrasSbcBase, hwBrasSbcImsActiveStatus=hwBrasSbcImsActiveStatus, hwBrasSbcImsMGTableStatus=hwBrasSbcImsMGTableStatus, hwBrasSbcSipStatSignalPacketIndex=hwBrasSbcSipStatSignalPacketIndex, hwBrasSbcUpathIntercomMapMediaTable=hwBrasSbcUpathIntercomMapMediaTable, hwBrasSbcSessionCarRuleDegreeDscp=hwBrasSbcSessionCarRuleDegreeDscp, hwBrasSbcMediaUsersCalleeID1=hwBrasSbcMediaUsersCalleeID1, hwBrasSbcStatisticEntry=hwBrasSbcStatisticEntry, hwBrasSbcUpathMediaMapAddr=hwBrasSbcUpathMediaMapAddr, hwBrasSbcTrapBindIndex=hwBrasSbcTrapBindIndex, hwBrasSbcIadmsSignalMapProtocol=hwBrasSbcIadmsSignalMapProtocol, hwBrasSbcRoamlimitDefault=hwBrasSbcRoamlimitDefault, hwBrasSbcImsTimeOut=hwBrasSbcImsTimeOut, hwBrasSbcMediaDefendLeaves=hwBrasSbcMediaDefendLeaves, hwBrasSbcInstanceName=hwBrasSbcInstanceName, hwBrasSbcMgcpTables=hwBrasSbcMgcpTables, hwBrasSbcCacNormal=hwBrasSbcCacNormal, hwBrasSbcMgcpStatSignalPacketEntry=hwBrasSbcMgcpStatSignalPacketEntry, hwBrasSbcMGProtocolH248=hwBrasSbcMGProtocolH248, hwBrasSbcIPCarBandwidthEntry=hwBrasSbcIPCarBandwidthEntry, hwBrasSbcUpathStatSignalPacketRowStatus=hwBrasSbcUpathStatSignalPacketRowStatus, hwBrasSbcMGServAddrIP1=hwBrasSbcMGServAddrIP1, hwBrasSbcRoamlimitRowStatus=hwBrasSbcRoamlimitRowStatus, hwBrasSbcCacCallRateTable=hwBrasSbcCacCallRateTable, hwBrasSbcUdpTunnelIfPortRowStatus=hwBrasSbcUdpTunnelIfPortRowStatus, hwBrasSbcSipStatSignalPacketOutOctet=hwBrasSbcSipStatSignalPacketOutOctet, hwBrasSbcUpathIntercomMapSignalProtocol=hwBrasSbcUpathIntercomMapSignalProtocol, hwBrasSbcIadmsPortTable=hwBrasSbcIadmsPortTable, hwBrasSbcMGMdServAddrIP1=hwBrasSbcMGMdServAddrIP1, hwBrasSbcSessionCar=hwBrasSbcSessionCar, hwBrasSbcNatGroupIndex=hwBrasSbcNatGroupIndex, hwBrasSbcMGMdServAddrSlotID2=hwBrasSbcMGMdServAddrSlotID2, hwBrasSbcDHSIPDetectStatus=hwBrasSbcDHSIPDetectStatus, hwBrasSbcIadmsPortRowStatus=hwBrasSbcIadmsPortRowStatus, hwBrasSbcDefendUserConnectRateTable=hwBrasSbcDefendUserConnectRateTable, hwBrasSbcUdpTunnelPortProtocol=hwBrasSbcUdpTunnelPortProtocol, hwBrasSbcMgcpIntercomMapSignalNumber=hwBrasSbcMgcpIntercomMapSignalNumber, hwBrasSbcCacCallTotalRowStatus=hwBrasSbcCacCallTotalRowStatus, hwBrasSbcMgcpAuepTimer=hwBrasSbcMgcpAuepTimer, hwBrasSbcIdoIntercomMapSignalAddr=hwBrasSbcIdoIntercomMapSignalAddr, hwBrasSbcDefendEnable=hwBrasSbcDefendEnable, hwBrasSbcDefendConnectRateTable=hwBrasSbcDefendConnectRateTable, hwBrasSbcMGMdServAddrIf3=hwBrasSbcMGMdServAddrIf3, hwBrasSbcDefendConnectRatePercent=hwBrasSbcDefendConnectRatePercent, hwBrasSbcMgcpIntercomMapMediaEntry=hwBrasSbcMgcpIntercomMapMediaEntry, hwBrasSbcMapGroupsRowStatus=hwBrasSbcMapGroupsRowStatus, hwBrasSbcUpathWellknownPortIndex=hwBrasSbcUpathWellknownPortIndex, hwBrasSbcClientPortPort13=hwBrasSbcClientPortPort13, hwBrasSbcQRBandWidth=hwBrasSbcQRBandWidth, hwBrasSbcSignalAddrMapRowStatus=hwBrasSbcSignalAddrMapRowStatus, hwBrasSbcStatMediaPacketOctet=hwBrasSbcStatMediaPacketOctet, hwBrasSbcH248StatSignalPacketInOctet=hwBrasSbcH248StatSignalPacketInOctet, hwBrasSbcImsRptFail=hwBrasSbcImsRptFail, hwBrasSbcTrapInfoPortStatistic=hwBrasSbcTrapInfoPortStatistic, hwBrasSbcH248WellknownPortAddr=hwBrasSbcH248WellknownPortAddr, hwBrasSbcSipIntercomMapMediaProtocol=hwBrasSbcSipIntercomMapMediaProtocol, hwBrasSbcH323StatSignalPacketOutOctet=hwBrasSbcH323StatSignalPacketOutOctet, hwBrasSbcUpathStatSignalPacketOutNumber=hwBrasSbcUpathStatSignalPacketOutNumber, hwBrasSbcUpathWellknownPortAddr=hwBrasSbcUpathWellknownPortAddr, hwBrasSbcH248MediaMapNumber=hwBrasSbcH248MediaMapNumber, hwBrasSbcH323MediaMapTable=hwBrasSbcH323MediaMapTable, hwBrasSbcMGPrefixTable=hwBrasSbcMGPrefixTable, hwBrasSbcImsMGRowStatus=hwBrasSbcImsMGRowStatus, hwBrasSbcDefendConnectRateProtocol=hwBrasSbcDefendConnectRateProtocol, hwBrasSbcIadmsMibRegVersion=hwBrasSbcIadmsMibRegVersion, hwBrasSbcInstanceTable=hwBrasSbcInstanceTable, hwBrasSbcMGPortTable=hwBrasSbcMGPortTable, hwBrasSbcImsMGIndex=hwBrasSbcImsMGIndex, hwBrasSbcDefendExtStatus=hwBrasSbcDefendExtStatus, hwBrasSbcSoftswitchPortTable=hwBrasSbcSoftswitchPortTable, hwBrasSbcH248SignalMapTable=hwBrasSbcH248SignalMapTable, hwBrasSbcH323StatSignalPacketTable=hwBrasSbcH323StatSignalPacketTable, hwBrasSbcImsMGIPInterface=hwBrasSbcImsMGIPInterface, hwBrasSbcMGMdServAddrTable=hwBrasSbcMGMdServAddrTable, hwBrasSbcTrapInfoHrp=hwBrasSbcTrapInfoHrp, hwBrasSbcStatistic=hwBrasSbcStatistic, hwBrasSbcMGPrefixRowStatus=hwBrasSbcMGPrefixRowStatus, hwBrasSbcIdoWellknownPortTable=hwBrasSbcIdoWellknownPortTable, hwBrasSbcSessionCarRuleTable=hwBrasSbcSessionCarRuleTable, hwBrasSbcH248StatSignalPacketEntry=hwBrasSbcH248StatSignalPacketEntry, hwBrasSbcRoamlimitEnable=hwBrasSbcRoamlimitEnable)
(octet_string, integer, object_identifier) = mibBuilder.importSymbols('ASN1', 'OctetString', 'Integer', 'ObjectIdentifier') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (value_range_constraint, single_value_constraint, constraints_intersection, value_size_constraint, constraints_union) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueRangeConstraint', 'SingleValueConstraint', 'ConstraintsIntersection', 'ValueSizeConstraint', 'ConstraintsUnion') (ent_physical_index,) = mibBuilder.importSymbols('ENTITY-MIB', 'entPhysicalIndex') (hw_bras_mib,) = mibBuilder.importSymbols('HUAWEI-MIB', 'hwBRASMib') (object_group, module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ObjectGroup', 'ModuleCompliance', 'NotificationGroup') (module_identity, counter64, iso, integer32, gauge32, object_identity, mib_identifier, ip_address, mib_scalar, mib_table, mib_table_row, mib_table_column, bits, unsigned32, notification_type, time_ticks, counter32) = mibBuilder.importSymbols('SNMPv2-SMI', 'ModuleIdentity', 'Counter64', 'iso', 'Integer32', 'Gauge32', 'ObjectIdentity', 'MibIdentifier', 'IpAddress', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Bits', 'Unsigned32', 'NotificationType', 'TimeTicks', 'Counter32') (truth_value, display_string, row_status, textual_convention, date_and_time) = mibBuilder.importSymbols('SNMPv2-TC', 'TruthValue', 'DisplayString', 'RowStatus', 'TextualConvention', 'DateAndTime') hw_bras_sbc_mgmt = module_identity((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25)) hwBrasSbcMgmt.setRevisions(('2007-08-14 09:00',)) if mibBuilder.loadTexts: hwBrasSbcMgmt.setLastUpdated('200711210900Z') if mibBuilder.loadTexts: hwBrasSbcMgmt.setOrganization('Huawei Technologies Co., Ltd.') class Hwbrasenabledstatus(TextualConvention, Integer32): status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2)) named_values = named_values(('enabled', 1), ('disabled', 2)) class Hwbraspermitstatus(TextualConvention, Integer32): status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2)) named_values = named_values(('deny', 1), ('permit', 2)) class Hwbrassecurityprotocol(TextualConvention, Integer32): status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3, 4)) named_values = named_values(('sip', 1), ('mgcp', 2), ('h323', 3), ('signaling', 4)) class Hwbrassbcbaseprotocol(TextualConvention, Integer32): status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8)) named_values = named_values(('sip', 1), ('mgcp', 2), ('snmp', 3), ('ras', 4), ('upath', 5), ('h248', 6), ('ido', 7), ('q931', 8)) class Hwbrasappmode(TextualConvention, Integer32): status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2)) named_values = named_values(('singleDomain', 1), ('multiDomain', 2)) class Hwbrasbwlimittype(TextualConvention, Integer32): status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2)) named_values = named_values(('be', 1), ('qos', 2)) hw_bras_sbc_module = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2)) hw_bras_sbc_objects = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1)) hw_bras_sbc_general = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1)) hw_bras_sbc_base = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1)) hw_bras_sbc_base_leaves = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 1)) hw_bras_sbc_statistic_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 1, 1), hw_bras_enabled_status().clone('enabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcStatisticEnable.setStatus('current') hw_bras_sbc_statistic_syslog_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 1, 2), hw_bras_enabled_status().clone('enabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcStatisticSyslogEnable.setStatus('current') hw_bras_sbc_app_mode = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 1, 3), hw_bras_app_mode().clone()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcAppMode.setStatus('current') hw_bras_sbc_media_detect_validity_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 1, 4), hw_bras_enabled_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcMediaDetectValidityEnable.setStatus('current') hw_bras_sbc_media_detect_ssrc_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 1, 5), hw_bras_enabled_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcMediaDetectSsrcEnable.setStatus('current') hw_bras_sbc_media_detect_packet_length = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 1, 6), unsigned32().subtype(subtypeSpec=value_range_constraint(28, 65535)).clone(1500)).setUnits('byte').setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcMediaDetectPacketLength.setStatus('current') hw_bras_sbc_base_tables = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2)) hw_bras_sbc_signal_addr_map_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 1)) if mibBuilder.loadTexts: hwBrasSbcSignalAddrMapTable.setStatus('current') hw_bras_sbc_signal_addr_map_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 1, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSignalAddrMapClientAddr'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSignalAddrMapServerAddr')) if mibBuilder.loadTexts: hwBrasSbcSignalAddrMapEntry.setStatus('current') hw_bras_sbc_signal_addr_map_client_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 1, 1, 1), ip_address()) if mibBuilder.loadTexts: hwBrasSbcSignalAddrMapClientAddr.setStatus('current') hw_bras_sbc_signal_addr_map_server_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 1, 1, 2), ip_address()) if mibBuilder.loadTexts: hwBrasSbcSignalAddrMapServerAddr.setStatus('current') hw_bras_sbc_signal_addr_map_soft_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 1, 1, 3), ip_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcSignalAddrMapSoftAddr.setStatus('current') hw_bras_sbc_signal_addr_map_iadms_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 1, 1, 4), ip_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcSignalAddrMapIadmsAddr.setStatus('current') hw_bras_sbc_signal_addr_map_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 1, 1, 5), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcSignalAddrMapRowStatus.setStatus('current') hw_bras_sbc_media_addr_map_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 2)) if mibBuilder.loadTexts: hwBrasSbcMediaAddrMapTable.setStatus('current') hw_bras_sbc_media_addr_map_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 2, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMediaAddrMapClientAddr')) if mibBuilder.loadTexts: hwBrasSbcMediaAddrMapEntry.setStatus('current') hw_bras_sbc_media_addr_map_client_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 2, 1, 1), ip_address()) if mibBuilder.loadTexts: hwBrasSbcMediaAddrMapClientAddr.setStatus('current') hw_bras_sbc_media_addr_map_server_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 2, 1, 2), ip_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMediaAddrMapServerAddr.setStatus('current') hw_bras_sbc_media_addr_map_weight = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 2, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(10, 100)).clone(50)).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMediaAddrMapWeight.setStatus('current') hw_bras_sbc_media_addr_map_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 2, 1, 4), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMediaAddrMapRowStatus.setStatus('current') hw_bras_sbc_portrange_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 3)) if mibBuilder.loadTexts: hwBrasSbcPortrangeTable.setStatus('current') hw_bras_sbc_portrange_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 3, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcPortrangeIndex')) if mibBuilder.loadTexts: hwBrasSbcPortrangeEntry.setStatus('current') hw_bras_sbc_portrange_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 3, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('signal', 1), ('media', 2), ('nat', 3), ('tcp', 4), ('udp', 5), ('mediacur', 6)))) if mibBuilder.loadTexts: hwBrasSbcPortrangeIndex.setStatus('current') hw_bras_sbc_portrange_begin = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 3, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(10001, 65535))).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcPortrangeBegin.setStatus('current') hw_bras_sbc_portrange_end = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 3, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(10001, 65535))).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcPortrangeEnd.setStatus('current') hw_bras_sbc_portrange_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 3, 1, 4), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcPortrangeRowStatus.setStatus('current') hw_bras_sbc_stat_media_packet_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 4)) if mibBuilder.loadTexts: hwBrasSbcStatMediaPacketTable.setStatus('current') hw_bras_sbc_stat_media_packet_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 4, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcStatMediaPacketIndex')) if mibBuilder.loadTexts: hwBrasSbcStatMediaPacketEntry.setStatus('current') hw_bras_sbc_stat_media_packet_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 4, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('rtp', 1), ('rtcp', 2)))) if mibBuilder.loadTexts: hwBrasSbcStatMediaPacketIndex.setStatus('current') hw_bras_sbc_stat_media_packet_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 4, 1, 2), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcStatMediaPacketNumber.setStatus('current') hw_bras_sbc_stat_media_packet_octet = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 4, 1, 3), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcStatMediaPacketOctet.setStatus('current') hw_bras_sbc_stat_media_packet_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 4, 1, 4), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcStatMediaPacketRowStatus.setStatus('current') hw_bras_sbc_client_port_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5)) if mibBuilder.loadTexts: hwBrasSbcClientPortTable.setStatus('current') hw_bras_sbc_client_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcClientPortProtocol'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcClientPortVPN'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcClientPortIP')) if mibBuilder.loadTexts: hwBrasSbcClientPortEntry.setStatus('current') hw_bras_sbc_client_port_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=named_values(('sip', 1), ('mgcp', 2), ('snmp', 3), ('ras', 4), ('upath', 5), ('h248', 6), ('ido', 7)))) if mibBuilder.loadTexts: hwBrasSbcClientPortProtocol.setStatus('current') hw_bras_sbc_client_port_vpn = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1023))) if mibBuilder.loadTexts: hwBrasSbcClientPortVPN.setStatus('current') hw_bras_sbc_client_port_ip = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 3), ip_address()) if mibBuilder.loadTexts: hwBrasSbcClientPortIP.setStatus('current') hw_bras_sbc_client_port_port01 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 11), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 10000))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcClientPortPort01.setStatus('current') hw_bras_sbc_client_port_port02 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 12), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 10000))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcClientPortPort02.setStatus('current') hw_bras_sbc_client_port_port03 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 13), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 10000))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcClientPortPort03.setStatus('current') hw_bras_sbc_client_port_port04 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 14), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 10000))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcClientPortPort04.setStatus('current') hw_bras_sbc_client_port_port05 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 15), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 10000))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcClientPortPort05.setStatus('current') hw_bras_sbc_client_port_port06 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 16), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 10000))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcClientPortPort06.setStatus('current') hw_bras_sbc_client_port_port07 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 17), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 10000))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcClientPortPort07.setStatus('current') hw_bras_sbc_client_port_port08 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 18), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 10000))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcClientPortPort08.setStatus('current') hw_bras_sbc_client_port_port09 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 19), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 10000))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcClientPortPort09.setStatus('current') hw_bras_sbc_client_port_port10 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 20), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 10000))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcClientPortPort10.setStatus('current') hw_bras_sbc_client_port_port11 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 21), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 10000))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcClientPortPort11.setStatus('current') hw_bras_sbc_client_port_port12 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 22), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 10000))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcClientPortPort12.setStatus('current') hw_bras_sbc_client_port_port13 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 23), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 10000))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcClientPortPort13.setStatus('current') hw_bras_sbc_client_port_port14 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 24), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 10000))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcClientPortPort14.setStatus('current') hw_bras_sbc_client_port_port15 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 25), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 10000))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcClientPortPort15.setStatus('current') hw_bras_sbc_client_port_port16 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 26), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 10000))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcClientPortPort16.setStatus('current') hw_bras_sbc_client_port_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 5, 1, 51), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcClientPortRowStatus.setStatus('current') hw_bras_sbc_softswitch_port_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 6)) if mibBuilder.loadTexts: hwBrasSbcSoftswitchPortTable.setStatus('current') hw_bras_sbc_softswitch_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 6, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSoftswitchPortProtocol'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSoftswitchPortVPN'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSoftswitchPortIP')) if mibBuilder.loadTexts: hwBrasSbcSoftswitchPortEntry.setStatus('current') hw_bras_sbc_softswitch_port_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 6, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('sip', 1), ('mgcp', 2), ('ras', 4), ('upath', 5), ('h248', 6), ('ido', 7), ('q931', 8)))) if mibBuilder.loadTexts: hwBrasSbcSoftswitchPortProtocol.setStatus('current') hw_bras_sbc_softswitch_port_vpn = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 6, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1023))) if mibBuilder.loadTexts: hwBrasSbcSoftswitchPortVPN.setStatus('current') hw_bras_sbc_softswitch_port_ip = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 6, 1, 3), ip_address()) if mibBuilder.loadTexts: hwBrasSbcSoftswitchPortIP.setStatus('current') hw_bras_sbc_softswitch_port_port = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 6, 1, 11), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcSoftswitchPortPort.setStatus('current') hw_bras_sbc_softswitch_port_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 6, 1, 51), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcSoftswitchPortRowStatus.setStatus('current') hw_bras_sbc_iadms_port_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 7)) if mibBuilder.loadTexts: hwBrasSbcIadmsPortTable.setStatus('current') hw_bras_sbc_iadms_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 7, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIadmsPortProtocol'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIadmsPortVPN'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIadmsPortIP')) if mibBuilder.loadTexts: hwBrasSbcIadmsPortEntry.setStatus('current') hw_bras_sbc_iadms_port_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 7, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(3))).clone(namedValues=named_values(('snmp', 3)))) if mibBuilder.loadTexts: hwBrasSbcIadmsPortProtocol.setStatus('current') hw_bras_sbc_iadms_port_vpn = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 7, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1023))) if mibBuilder.loadTexts: hwBrasSbcIadmsPortVPN.setStatus('current') hw_bras_sbc_iadms_port_ip = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 7, 1, 3), ip_address()) if mibBuilder.loadTexts: hwBrasSbcIadmsPortIP.setStatus('current') hw_bras_sbc_iadms_port_port = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 7, 1, 11), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcIadmsPortPort.setStatus('current') hw_bras_sbc_iadms_port_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 7, 1, 51), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcIadmsPortRowStatus.setStatus('current') hw_bras_sbc_instance_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 8)) if mibBuilder.loadTexts: hwBrasSbcInstanceTable.setStatus('current') hw_bras_sbc_instance_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 8, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcInstanceName')) if mibBuilder.loadTexts: hwBrasSbcInstanceEntry.setStatus('current') hw_bras_sbc_instance_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 8, 1, 1), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcInstanceName.setStatus('current') hw_bras_sbc_instance_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 2, 8, 1, 51), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcInstanceRowStatus.setStatus('current') hw_bras_sbc_map_group = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3)) hw_bras_sbc_map_group_leaves = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 1)) hw_bras_sbc_map_group_tables = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2)) hw_bras_sbc_map_groups_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 1)) if mibBuilder.loadTexts: hwBrasSbcMapGroupsTable.setStatus('current') hw_bras_sbc_map_groups_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 1, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMapGroupsIndex')) if mibBuilder.loadTexts: hwBrasSbcMapGroupsEntry.setStatus('current') hw_bras_sbc_map_groups_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 1, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 2999))) if mibBuilder.loadTexts: hwBrasSbcMapGroupsIndex.setStatus('current') hw_bras_sbc_map_groups_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 1, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('proxy', 1), ('intercomIP', 2), ('intercomPrefix', 3), ('bgf', 4)))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMapGroupsType.setStatus('current') hw_bras_sbc_map_groups_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 1, 1, 12), hw_bras_enabled_status().clone('disabled')).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMapGroupsStatus.setStatus('current') hw_bras_sbc_map_group_instance_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 1, 1, 13), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMapGroupInstanceName.setStatus('current') hw_bras_sbc_map_group_session_limit = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 1, 1, 14), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 40000)).clone(40000)).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMapGroupSessionLimit.setStatus('current') hw_bras_sbc_map_groups_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 1, 1, 51), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMapGroupsRowStatus.setStatus('current') hw_bras_sbc_mg_cli_addr_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 2)) if mibBuilder.loadTexts: hwBrasSbcMGCliAddrTable.setStatus('current') hw_bras_sbc_mg_cli_addr_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 2, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGCliAddrIndex')) if mibBuilder.loadTexts: hwBrasSbcMGCliAddrEntry.setStatus('current') hw_bras_sbc_mg_cli_addr_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 2, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 2999))) if mibBuilder.loadTexts: hwBrasSbcMGCliAddrIndex.setStatus('current') hw_bras_sbc_mg_cli_addr_vpn = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 2, 1, 11), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1023))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGCliAddrVPN.setStatus('current') hw_bras_sbc_mg_cli_addr_ip = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 2, 1, 12), ip_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGCliAddrIP.setStatus('current') hw_bras_sbc_mg_cli_addr_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 2, 1, 51), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGCliAddrRowStatus.setStatus('current') hw_bras_sbc_mg_serv_addr_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 3)) if mibBuilder.loadTexts: hwBrasSbcMGServAddrTable.setStatus('current') hw_bras_sbc_mg_serv_addr_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 3, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGServAddrIndex')) if mibBuilder.loadTexts: hwBrasSbcMGServAddrEntry.setStatus('current') hw_bras_sbc_mg_serv_addr_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 3, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 2999))) if mibBuilder.loadTexts: hwBrasSbcMGServAddrIndex.setStatus('current') hw_bras_sbc_mg_serv_addr_vpn = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 3, 1, 11), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1023))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGServAddrVPN.setStatus('current') hw_bras_sbc_mg_serv_addr_ip1 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 3, 1, 12), ip_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGServAddrIP1.setStatus('current') hw_bras_sbc_mg_serv_addr_ip2 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 3, 1, 13), ip_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGServAddrIP2.setStatus('current') hw_bras_sbc_mg_serv_addr_ip3 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 3, 1, 14), ip_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGServAddrIP3.setStatus('current') hw_bras_sbc_mg_serv_addr_ip4 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 3, 1, 15), ip_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGServAddrIP4.setStatus('current') hw_bras_sbc_mg_serv_addr_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 3, 1, 51), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGServAddrRowStatus.setStatus('current') hw_bras_sbc_mg_sofx_addr_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 4)) if mibBuilder.loadTexts: hwBrasSbcMGSofxAddrTable.setStatus('current') hw_bras_sbc_mg_sofx_addr_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 4, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGSofxAddrIndex')) if mibBuilder.loadTexts: hwBrasSbcMGSofxAddrEntry.setStatus('current') hw_bras_sbc_mg_sofx_addr_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 4, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 2999))) if mibBuilder.loadTexts: hwBrasSbcMGSofxAddrIndex.setStatus('current') hw_bras_sbc_mg_sofx_addr_vpn = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 4, 1, 11), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1023))).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcMGSofxAddrVPN.setStatus('current') hw_bras_sbc_mg_sofx_addr_ip1 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 4, 1, 12), ip_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGSofxAddrIP1.setStatus('current') hw_bras_sbc_mg_sofx_addr_ip2 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 4, 1, 13), ip_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGSofxAddrIP2.setStatus('current') hw_bras_sbc_mg_sofx_addr_ip3 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 4, 1, 14), ip_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGSofxAddrIP3.setStatus('current') hw_bras_sbc_mg_sofx_addr_ip4 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 4, 1, 15), ip_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGSofxAddrIP4.setStatus('current') hw_bras_sbc_mg_sofx_addr_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 4, 1, 51), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcMGSofxAddrRowStatus.setStatus('current') hw_bras_sbc_mg_iadms_addr_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 5)) if mibBuilder.loadTexts: hwBrasSbcMGIadmsAddrTable.setStatus('current') hw_bras_sbc_mg_iadms_addr_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 5, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGIadmsAddrIndex')) if mibBuilder.loadTexts: hwBrasSbcMGIadmsAddrEntry.setStatus('current') hw_bras_sbc_mg_iadms_addr_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 5, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 2999))) if mibBuilder.loadTexts: hwBrasSbcMGIadmsAddrIndex.setStatus('current') hw_bras_sbc_mg_iadms_addr_vpn = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 5, 1, 11), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1023))).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcMGIadmsAddrVPN.setStatus('current') hw_bras_sbc_mg_iadms_addr_ip1 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 5, 1, 12), ip_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcMGIadmsAddrIP1.setStatus('current') hw_bras_sbc_mg_iadms_addr_ip2 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 5, 1, 13), ip_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcMGIadmsAddrIP2.setStatus('current') hw_bras_sbc_mg_iadms_addr_ip3 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 5, 1, 14), ip_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcMGIadmsAddrIP3.setStatus('current') hw_bras_sbc_mg_iadms_addr_ip4 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 5, 1, 15), ip_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcMGIadmsAddrIP4.setStatus('current') hw_bras_sbc_mg_iadms_addr_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 5, 1, 51), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcMGIadmsAddrRowStatus.setStatus('current') hw_bras_sbc_mg_protocol_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 6)) if mibBuilder.loadTexts: hwBrasSbcMGProtocolTable.setStatus('current') hw_bras_sbc_mg_protocol_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 6, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGProtocolIndex')) if mibBuilder.loadTexts: hwBrasSbcMGProtocolEntry.setStatus('current') hw_bras_sbc_mg_protocol_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 6, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 2999))) if mibBuilder.loadTexts: hwBrasSbcMGProtocolIndex.setStatus('current') hw_bras_sbc_mg_protocol_sip = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 6, 1, 11), hw_bras_enabled_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcMGProtocolSip.setStatus('current') hw_bras_sbc_mg_protocol_mgcp = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 6, 1, 12), hw_bras_enabled_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcMGProtocolMgcp.setStatus('current') hw_bras_sbc_mg_protocol_h323 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 6, 1, 13), hw_bras_enabled_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcMGProtocolH323.setStatus('current') hw_bras_sbc_mg_protocol_iadms = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 6, 1, 14), hw_bras_enabled_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcMGProtocolIadms.setStatus('current') hw_bras_sbc_mg_protocol_upath = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 6, 1, 15), hw_bras_enabled_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcMGProtocolUpath.setStatus('current') hw_bras_sbc_mg_protocol_h248 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 6, 1, 16), hw_bras_enabled_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcMGProtocolH248.setStatus('current') hw_bras_sbc_mg_protocol_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 6, 1, 51), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcMGProtocolRowStatus.setStatus('current') hw_bras_sbc_mg_port_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 7)) if mibBuilder.loadTexts: hwBrasSbcMGPortTable.setStatus('current') hw_bras_sbc_mg_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 7, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGPortIndex')) if mibBuilder.loadTexts: hwBrasSbcMGPortEntry.setStatus('current') hw_bras_sbc_mg_port_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 7, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 2999))) if mibBuilder.loadTexts: hwBrasSbcMGPortIndex.setStatus('current') hw_bras_sbc_mg_port_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 7, 1, 11), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGPortNumber.setStatus('current') hw_bras_sbc_mg_port_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 7, 1, 51), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGPortRowStatus.setStatus('current') hw_bras_sbc_mg_prefix_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 8)) if mibBuilder.loadTexts: hwBrasSbcMGPrefixTable.setStatus('current') hw_bras_sbc_mg_prefix_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 8, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGPrefixIndex')) if mibBuilder.loadTexts: hwBrasSbcMGPrefixEntry.setStatus('current') hw_bras_sbc_mg_prefix_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 8, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 2999))) if mibBuilder.loadTexts: hwBrasSbcMGPrefixIndex.setStatus('current') hw_bras_sbc_mg_prefix_id = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 8, 1, 11), display_string().subtype(subtypeSpec=value_size_constraint(1, 63))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGPrefixID.setStatus('current') hw_bras_sbc_mg_prefix_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 8, 1, 51), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGPrefixRowStatus.setStatus('current') hw_bras_sbc_mg_md_cli_addr_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 9)) if mibBuilder.loadTexts: hwBrasSbcMGMdCliAddrTable.setStatus('current') hw_bras_sbc_mg_md_cli_addr_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 9, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGMdCliAddrIndex')) if mibBuilder.loadTexts: hwBrasSbcMGMdCliAddrEntry.setStatus('current') hw_bras_sbc_mg_md_cli_addr_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 9, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 2999))) if mibBuilder.loadTexts: hwBrasSbcMGMdCliAddrIndex.setStatus('current') hw_bras_sbc_mg_md_cli_addr_vpn = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 9, 1, 11), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1023))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGMdCliAddrVPN.setStatus('current') hw_bras_sbc_mg_md_cli_addr_ip1 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 9, 1, 12), ip_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGMdCliAddrIP1.setStatus('current') hw_bras_sbc_mg_md_cli_addr_ip2 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 9, 1, 13), ip_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGMdCliAddrIP2.setStatus('current') hw_bras_sbc_mg_md_cli_addr_ip3 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 9, 1, 14), ip_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGMdCliAddrIP3.setStatus('current') hw_bras_sbc_mg_md_cli_addr_ip4 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 9, 1, 15), ip_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGMdCliAddrIP4.setStatus('current') hw_bras_sbc_mg_md_cli_addr_vpn_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 9, 1, 16), octet_string().subtype(subtypeSpec=value_size_constraint(0, 31))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGMdCliAddrVPNName.setStatus('current') hw_bras_sbc_mg_md_cli_addr_if1 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 9, 1, 17), octet_string().subtype(subtypeSpec=value_size_constraint(0, 47))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGMdCliAddrIf1.setStatus('current') hw_bras_sbc_mg_md_cli_addr_slot_id1 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 9, 1, 18), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 16))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGMdCliAddrSlotID1.setStatus('current') hw_bras_sbc_mg_md_cli_addr_if2 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 9, 1, 19), octet_string().subtype(subtypeSpec=value_size_constraint(0, 47))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGMdCliAddrIf2.setStatus('current') hw_bras_sbc_mg_md_cli_addr_slot_id2 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 9, 1, 20), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 16))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGMdCliAddrSlotID2.setStatus('current') hw_bras_sbc_mg_md_cli_addr_if3 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 9, 1, 21), octet_string().subtype(subtypeSpec=value_size_constraint(0, 47))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGMdCliAddrIf3.setStatus('current') hw_bras_sbc_mg_md_cli_addr_slot_id3 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 9, 1, 22), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 16))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGMdCliAddrSlotID3.setStatus('current') hw_bras_sbc_mg_md_cli_addr_if4 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 9, 1, 23), octet_string().subtype(subtypeSpec=value_size_constraint(0, 47))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGMdCliAddrIf4.setStatus('current') hw_bras_sbc_mg_md_cli_addr_slot_id4 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 9, 1, 24), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 16))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGMdCliAddrSlotID4.setStatus('current') hw_bras_sbc_mg_md_cli_addr_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 9, 1, 51), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGMdCliAddrRowStatus.setStatus('current') hw_bras_sbc_mg_md_serv_addr_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 10)) if mibBuilder.loadTexts: hwBrasSbcMGMdServAddrTable.setStatus('current') hw_bras_sbc_mg_md_serv_addr_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 10, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGMdServAddrIndex')) if mibBuilder.loadTexts: hwBrasSbcMGMdServAddrEntry.setStatus('current') hw_bras_sbc_mg_md_serv_addr_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 10, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 2999))) if mibBuilder.loadTexts: hwBrasSbcMGMdServAddrIndex.setStatus('current') hw_bras_sbc_mg_md_serv_addr_vpn = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 10, 1, 11), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1023))).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcMGMdServAddrVPN.setStatus('current') hw_bras_sbc_mg_md_serv_addr_ip1 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 10, 1, 12), ip_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGMdServAddrIP1.setStatus('current') hw_bras_sbc_mg_md_serv_addr_ip2 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 10, 1, 13), ip_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGMdServAddrIP2.setStatus('current') hw_bras_sbc_mg_md_serv_addr_ip3 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 10, 1, 14), ip_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGMdServAddrIP3.setStatus('current') hw_bras_sbc_mg_md_serv_addr_ip4 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 10, 1, 15), ip_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGMdServAddrIP4.setStatus('current') hw_bras_sbc_mg_md_serv_addr_vpn_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 10, 1, 16), octet_string().subtype(subtypeSpec=value_size_constraint(0, 31))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGMdServAddrVPNName.setStatus('current') hw_bras_sbc_mg_md_serv_addr_if1 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 10, 1, 17), octet_string().subtype(subtypeSpec=value_size_constraint(0, 47))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGMdServAddrIf1.setStatus('current') hw_bras_sbc_mg_md_serv_addr_slot_id1 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 10, 1, 18), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 16))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGMdServAddrSlotID1.setStatus('current') hw_bras_sbc_mg_md_serv_addr_if2 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 10, 1, 19), octet_string().subtype(subtypeSpec=value_size_constraint(0, 47))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGMdServAddrIf2.setStatus('current') hw_bras_sbc_mg_md_serv_addr_slot_id2 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 10, 1, 20), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 16))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGMdServAddrSlotID2.setStatus('current') hw_bras_sbc_mg_md_serv_addr_if3 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 10, 1, 21), octet_string().subtype(subtypeSpec=value_size_constraint(0, 47))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGMdServAddrIf3.setStatus('current') hw_bras_sbc_mg_md_serv_addr_slot_id3 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 10, 1, 22), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 16))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGMdServAddrSlotID3.setStatus('current') hw_bras_sbc_mg_md_serv_addr_if4 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 10, 1, 23), octet_string().subtype(subtypeSpec=value_size_constraint(0, 47))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGMdServAddrIf4.setStatus('current') hw_bras_sbc_mg_md_serv_addr_slot_id4 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 10, 1, 24), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 16))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGMdServAddrSlotID4.setStatus('current') hw_bras_sbc_mg_md_serv_addr_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 10, 1, 51), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGMdServAddrRowStatus.setStatus('current') hw_bras_sbc_mg_match_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 11)) if mibBuilder.loadTexts: hwBrasSbcMGMatchTable.setStatus('current') hw_bras_sbc_mg_match_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 11, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGMatchIndex')) if mibBuilder.loadTexts: hwBrasSbcMGMatchEntry.setStatus('current') hw_bras_sbc_mg_match_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 11, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 2999))) if mibBuilder.loadTexts: hwBrasSbcMGMatchIndex.setStatus('current') hw_bras_sbc_mg_match_acl = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 11, 1, 11), unsigned32().subtype(subtypeSpec=value_range_constraint(2000, 3999))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGMatchAcl.setStatus('current') hw_bras_sbc_mg_match_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 3, 2, 11, 1, 51), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMGMatchRowStatus.setStatus('current') hw_bras_sbc_adm_module_table = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 4)) hw_bras_sbc_backup_groups_table = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 4, 1)) hw_bras_sbc_backup_group_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 4, 1, 1)) if mibBuilder.loadTexts: hwBrasSbcBackupGroupTable.setStatus('current') hw_bras_sbc_backup_group_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 4, 1, 1, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcBackupGroupID')) if mibBuilder.loadTexts: hwBrasSbcBackupGroupEntry.setStatus('current') hw_bras_sbc_backup_group_id = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 4, 1, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 14))) if mibBuilder.loadTexts: hwBrasSbcBackupGroupID.setStatus('current') hw_bras_sbc_backup_group_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 4, 1, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('signal', 1), ('media', 2)))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcBackupGroupType.setStatus('current') hw_bras_sbc_backup_group_instance_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 4, 1, 1, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcBackupGroupInstanceName.setStatus('current') hw_bras_sbc_backup_group_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 4, 1, 1, 1, 51), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcBackupGroupRowStatus.setStatus('current') hw_bras_sbc_slot_infor_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 4, 1, 2)) if mibBuilder.loadTexts: hwBrasSbcSlotInforTable.setStatus('current') hw_bras_sbc_slot_infor_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 4, 1, 2, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcBackupGroupIndex'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSlotIndex')) if mibBuilder.loadTexts: hwBrasSbcSlotInforEntry.setStatus('current') hw_bras_sbc_backup_group_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 4, 1, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 14))) if mibBuilder.loadTexts: hwBrasSbcBackupGroupIndex.setStatus('current') hw_bras_sbc_slot_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 4, 1, 2, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 7))) if mibBuilder.loadTexts: hwBrasSbcSlotIndex.setStatus('current') hw_bras_sbc_current_slot_id = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 4, 1, 2, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 16))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcCurrentSlotID.setStatus('current') hw_bras_sbc_slot_cfg_state = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 4, 1, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('master', 1), ('slave', 2)))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcSlotCfgState.setStatus('current') hw_bras_sbc_slot_infor_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 1, 4, 1, 2, 1, 5), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcSlotInforRowStatus.setStatus('current') hw_bras_sbc_advance = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2)) hw_bras_sbc_advance_leaves = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 1)) hw_bras_sbc_media_pass_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 1, 1), hw_bras_enabled_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcMediaPassEnable.setStatus('current') hw_bras_sbc_media_pass_syslog_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 1, 2), hw_bras_enabled_status().clone('enabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcMediaPassSyslogEnable.setStatus('current') hw_bras_sbc_int_media_pass_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 1, 3), hw_bras_enabled_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcIntMediaPassEnable.setStatus('current') hw_bras_sbc_roamlimit_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 1, 4), hw_bras_enabled_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcRoamlimitEnable.setStatus('current') hw_bras_sbc_roamlimit_default = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 1, 5), hw_bras_permit_status().clone('deny')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcRoamlimitDefault.setStatus('current') hw_bras_sbc_roamlimit_syslog_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 1, 6), hw_bras_enabled_status().clone('enabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcRoamlimitSyslogEnable.setStatus('current') hw_bras_sbc_roamlimit_extend_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 1, 7), hw_bras_enabled_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcRoamlimitExtendEnable.setStatus('current') hw_bras_sbc_hrp_synchronization = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('reserve', 1), ('synchronize', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcHrpSynchronization.setStatus('current') hw_bras_sbc_advance_tables = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2)) hw_bras_sbc_media_pass_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 1)) if mibBuilder.loadTexts: hwBrasSbcMediaPassTable.setStatus('current') hw_bras_sbc_media_pass_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 1, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMediaPassIndex')) if mibBuilder.loadTexts: hwBrasSbcMediaPassEntry.setStatus('current') hw_bras_sbc_media_pass_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 1000))) if mibBuilder.loadTexts: hwBrasSbcMediaPassIndex.setStatus('current') hw_bras_sbc_media_pass_acl_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(2000, 2999)))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMediaPassAclNumber.setStatus('current') hw_bras_sbc_media_pass_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 1, 1, 3), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMediaPassRowStatus.setStatus('current') hw_bras_sbc_usergroup_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 2)) if mibBuilder.loadTexts: hwBrasSbcUsergroupTable.setStatus('current') hw_bras_sbc_usergroup_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 2, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUsergroupIndex')) if mibBuilder.loadTexts: hwBrasSbcUsergroupEntry.setStatus('current') hw_bras_sbc_usergroup_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 1000))) if mibBuilder.loadTexts: hwBrasSbcUsergroupIndex.setStatus('current') hw_bras_sbc_usergroup_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 2, 1, 2), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcUsergroupRowStatus.setStatus('current') hw_bras_sbc_usergroup_rule_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 3)) if mibBuilder.loadTexts: hwBrasSbcUsergroupRuleTable.setStatus('current') hw_bras_sbc_usergroup_rule_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 3, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUsergroupIndex'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUsergroupRuleIndex')) if mibBuilder.loadTexts: hwBrasSbcUsergroupRuleEntry.setStatus('current') hw_bras_sbc_usergroup_rule_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 3, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 100))) if mibBuilder.loadTexts: hwBrasSbcUsergroupRuleIndex.setStatus('current') hw_bras_sbc_usergroup_rule_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 3, 1, 2), hw_bras_permit_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcUsergroupRuleType.setStatus('current') hw_bras_sbc_usergroup_rule_user_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 3, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(1, 63))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcUsergroupRuleUserName.setStatus('current') hw_bras_sbc_usergroup_rule_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 3, 1, 4), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcUsergroupRuleRowStatus.setStatus('current') hw_bras_sbc_rtp_special_addr_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 4)) if mibBuilder.loadTexts: hwBrasSbcRtpSpecialAddrTable.setStatus('current') hw_bras_sbc_rtp_special_addr_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 4, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcRtpSpecialAddrIndex')) if mibBuilder.loadTexts: hwBrasSbcRtpSpecialAddrEntry.setStatus('current') hw_bras_sbc_rtp_special_addr_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 4, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 10))) if mibBuilder.loadTexts: hwBrasSbcRtpSpecialAddrIndex.setStatus('current') hw_bras_sbc_rtp_special_addr_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 4, 1, 2), ip_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcRtpSpecialAddrAddr.setStatus('current') hw_bras_sbc_rtp_special_addr_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 4, 1, 3), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcRtpSpecialAddrRowStatus.setStatus('current') hw_bras_sbc_roamlimit_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 5)) if mibBuilder.loadTexts: hwBrasSbcRoamlimitTable.setStatus('current') hw_bras_sbc_roamlimit_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 5, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcRoamlimitIndex')) if mibBuilder.loadTexts: hwBrasSbcRoamlimitEntry.setStatus('current') hw_bras_sbc_roamlimit_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 5, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 1000))) if mibBuilder.loadTexts: hwBrasSbcRoamlimitIndex.setStatus('current') hw_bras_sbc_roamlimit_acl_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 5, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(2000, 2999))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcRoamlimitAclNumber.setStatus('current') hw_bras_sbc_roamlimit_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 5, 1, 3), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcRoamlimitRowStatus.setStatus('current') hw_bras_sbc_media_users_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 6)) if mibBuilder.loadTexts: hwBrasSbcMediaUsersTable.setStatus('current') hw_bras_sbc_media_users_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 6, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMediaUsersIndex')) if mibBuilder.loadTexts: hwBrasSbcMediaUsersEntry.setStatus('current') hw_bras_sbc_media_users_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 6, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 255))) if mibBuilder.loadTexts: hwBrasSbcMediaUsersIndex.setStatus('current') hw_bras_sbc_media_users_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 6, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('media', 1), ('audio', 2), ('video', 3), ('data', 4)))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMediaUsersType.setStatus('current') hw_bras_sbc_media_users_caller_id1 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 6, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 63))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMediaUsersCallerID1.setStatus('current') hw_bras_sbc_media_users_caller_id2 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 6, 1, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 63))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMediaUsersCallerID2.setStatus('current') hw_bras_sbc_media_users_caller_id3 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 6, 1, 5), display_string().subtype(subtypeSpec=value_size_constraint(0, 63))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMediaUsersCallerID3.setStatus('current') hw_bras_sbc_media_users_caller_id4 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 6, 1, 6), display_string().subtype(subtypeSpec=value_size_constraint(0, 63))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMediaUsersCallerID4.setStatus('current') hw_bras_sbc_media_users_callee_id1 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 6, 1, 7), display_string().subtype(subtypeSpec=value_size_constraint(0, 63))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMediaUsersCalleeID1.setStatus('current') hw_bras_sbc_media_users_callee_id2 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 6, 1, 8), display_string().subtype(subtypeSpec=value_size_constraint(0, 63))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMediaUsersCalleeID2.setStatus('current') hw_bras_sbc_media_users_callee_id3 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 6, 1, 9), display_string().subtype(subtypeSpec=value_size_constraint(0, 63))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMediaUsersCalleeID3.setStatus('current') hw_bras_sbc_media_users_callee_id4 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 6, 1, 10), display_string().subtype(subtypeSpec=value_size_constraint(0, 63))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMediaUsersCalleeID4.setStatus('current') hw_bras_sbc_media_users_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 2, 6, 1, 11), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMediaUsersRowStatus.setStatus('current') hw_bras_sbc_intercom = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 3)) hw_bras_sbc_intercom_leaves = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 3, 1)) hw_bras_sbc_intercom_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 3, 1, 1), hw_bras_enabled_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcIntercomEnable.setStatus('current') hw_bras_sbc_intercom_status = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 3, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('disabled', 1), ('iproute', 2), ('prefixroute', 3))).clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcIntercomStatus.setStatus('current') hw_bras_sbc_intercom_tables = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 3, 2)) hw_bras_sbc_intercom_prefix_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 3, 2, 1)) if mibBuilder.loadTexts: hwBrasSbcIntercomPrefixTable.setStatus('current') hw_bras_sbc_intercom_prefix_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 3, 2, 1, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIntercomPrefixIndex')) if mibBuilder.loadTexts: hwBrasSbcIntercomPrefixEntry.setStatus('current') hw_bras_sbc_intercom_prefix_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 3, 2, 1, 1, 1), display_string().subtype(subtypeSpec=value_size_constraint(1, 63))) if mibBuilder.loadTexts: hwBrasSbcIntercomPrefixIndex.setStatus('current') hw_bras_sbc_intercom_prefix_dest_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 3, 2, 1, 1, 2), ip_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcIntercomPrefixDestAddr.setStatus('current') hw_bras_sbc_intercom_prefix_src_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 3, 2, 1, 1, 3), ip_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcIntercomPrefixSrcAddr.setStatus('current') hw_bras_sbc_intercom_prefix_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 3, 2, 1, 1, 4), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcIntercomPrefixRowStatus.setStatus('current') hw_bras_sbc_session_car = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 4)) hw_bras_sbc_session_car_leaves = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 4, 1)) hw_bras_sbc_session_car_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 4, 1, 1), hw_bras_enabled_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcSessionCarEnable.setStatus('current') hw_bras_sbc_session_car_tables = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 4, 2)) hw_bras_sbc_session_car_degree_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 4, 2, 1)) if mibBuilder.loadTexts: hwBrasSbcSessionCarDegreeTable.setStatus('current') hw_bras_sbc_session_car_degree_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 4, 2, 1, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSessionCarDegreeID')) if mibBuilder.loadTexts: hwBrasSbcSessionCarDegreeEntry.setStatus('current') hw_bras_sbc_session_car_degree_id = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 4, 2, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 16))) if mibBuilder.loadTexts: hwBrasSbcSessionCarDegreeID.setStatus('current') hw_bras_sbc_session_car_degree_band_width = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 4, 2, 1, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(8, 131071))).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcSessionCarDegreeBandWidth.setStatus('current') hw_bras_sbc_session_car_degree_dscp = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 4, 2, 1, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 64))).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcSessionCarDegreeDscp.setStatus('current') hw_bras_sbc_session_car_degree_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 4, 2, 1, 1, 4), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcSessionCarDegreeRowStatus.setStatus('current') hw_bras_sbc_session_car_rule_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 4, 2, 2)) if mibBuilder.loadTexts: hwBrasSbcSessionCarRuleTable.setStatus('current') hw_bras_sbc_session_car_rule_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 4, 2, 2, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSessionCarRuleID')) if mibBuilder.loadTexts: hwBrasSbcSessionCarRuleEntry.setStatus('current') hw_bras_sbc_session_car_rule_id = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 4, 2, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 255))) if mibBuilder.loadTexts: hwBrasSbcSessionCarRuleID.setStatus('current') hw_bras_sbc_session_car_rule_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 4, 2, 2, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(1, 63))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcSessionCarRuleName.setStatus('current') hw_bras_sbc_session_car_rule_degree_id = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 4, 2, 2, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 16))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcSessionCarRuleDegreeID.setStatus('current') hw_bras_sbc_session_car_rule_degree_band_width = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 4, 2, 2, 1, 4), unsigned32().subtype(subtypeSpec=value_range_constraint(8, 131071))).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcSessionCarRuleDegreeBandWidth.setStatus('current') hw_bras_sbc_session_car_rule_degree_dscp = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 4, 2, 2, 1, 5), integer32().subtype(subtypeSpec=value_range_constraint(0, 64))).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcSessionCarRuleDegreeDscp.setStatus('current') hw_bras_sbc_session_car_rule_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 4, 2, 2, 1, 6), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcSessionCarRuleRowStatus.setStatus('current') hw_bras_sbc_security = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5)) hw_bras_sbc_security_leaves = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 1)) hw_bras_sbc_defend_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 1, 1), hw_bras_enabled_status().clone('enabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcDefendEnable.setStatus('current') hw_bras_sbc_defend_mode = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('auto', 1), ('manual', 2))).clone('auto')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcDefendMode.setStatus('current') hw_bras_sbc_defend_action_log_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 1, 3), hw_bras_enabled_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcDefendActionLogEnable.setStatus('current') hw_bras_sbc_cac_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 1, 4), hw_bras_enabled_status().clone('enabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcCacEnable.setStatus('current') hw_bras_sbc_cac_action_log_status = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('denyAndNoLog', 1), ('permitAndNoLog', 2), ('denyAndLog', 3), ('permitAndLog', 4))).clone('denyAndNoLog')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcCacActionLogStatus.setStatus('current') hw_bras_sbc_defend_ext_status = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 1, 6), hw_bras_enabled_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcDefendExtStatus.setStatus('current') hw_bras_sbc_signaling_car_status = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 1, 7), hw_bras_enabled_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcSignalingCarStatus.setStatus('current') hw_bras_sbc_ip_car_status = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 1, 8), hw_bras_enabled_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcIPCarStatus.setStatus('current') hw_bras_sbc_dynamic_status = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 1, 9), hw_bras_enabled_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcDynamicStatus.setStatus('current') hw_bras_sbc_security_tables = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2)) hw_bras_sbc_defend_connect_rate_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 1)) if mibBuilder.loadTexts: hwBrasSbcDefendConnectRateTable.setStatus('current') hw_bras_sbc_defend_connect_rate_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 1, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcDefendConnectRateProtocol')) if mibBuilder.loadTexts: hwBrasSbcDefendConnectRateEntry.setStatus('current') hw_bras_sbc_defend_connect_rate_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 1, 1, 1), hw_bras_security_protocol()) if mibBuilder.loadTexts: hwBrasSbcDefendConnectRateProtocol.setStatus('current') hw_bras_sbc_defend_connect_rate_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 1, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(6, 60000))).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcDefendConnectRateThreshold.setStatus('current') hw_bras_sbc_defend_connect_rate_percent = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 1, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(60, 100)).clone(80)).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcDefendConnectRatePercent.setStatus('current') hw_bras_sbc_defend_connect_rate_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 1, 1, 4), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcDefendConnectRateRowStatus.setStatus('current') hw_bras_sbc_defend_user_connect_rate_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 2)) if mibBuilder.loadTexts: hwBrasSbcDefendUserConnectRateTable.setStatus('current') hw_bras_sbc_defend_user_connect_rate_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 2, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcDefendUserConnectRateProtocol')) if mibBuilder.loadTexts: hwBrasSbcDefendUserConnectRateEntry.setStatus('current') hw_bras_sbc_defend_user_connect_rate_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 2, 1, 1), hw_bras_security_protocol()) if mibBuilder.loadTexts: hwBrasSbcDefendUserConnectRateProtocol.setStatus('current') hw_bras_sbc_defend_user_connect_rate_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 2, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(6, 60000))).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcDefendUserConnectRateThreshold.setStatus('current') hw_bras_sbc_defend_user_connect_rate_percent = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 2, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(60, 100)).clone(80)).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcDefendUserConnectRatePercent.setStatus('current') hw_bras_sbc_defend_user_connect_rate_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 2, 1, 4), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcDefendUserConnectRateRowStatus.setStatus('current') hw_bras_sbc_cac_call_total_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 3)) if mibBuilder.loadTexts: hwBrasSbcCacCallTotalTable.setStatus('current') hw_bras_sbc_cac_call_total_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 3, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcCacCallTotalProtocol')) if mibBuilder.loadTexts: hwBrasSbcCacCallTotalEntry.setStatus('current') hw_bras_sbc_cac_call_total_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 3, 1, 1), hw_bras_security_protocol()) if mibBuilder.loadTexts: hwBrasSbcCacCallTotalProtocol.setStatus('current') hw_bras_sbc_cac_call_total_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 3, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(60, 60000))).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcCacCallTotalThreshold.setStatus('current') hw_bras_sbc_cac_call_total_percent = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 3, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(60, 100)).clone(80)).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcCacCallTotalPercent.setStatus('current') hw_bras_sbc_cac_call_total_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 3, 1, 4), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcCacCallTotalRowStatus.setStatus('current') hw_bras_sbc_cac_call_rate_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 4)) if mibBuilder.loadTexts: hwBrasSbcCacCallRateTable.setStatus('current') hw_bras_sbc_cac_call_rate_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 4, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcCacCallRateProtocol')) if mibBuilder.loadTexts: hwBrasSbcCacCallRateEntry.setStatus('current') hw_bras_sbc_cac_call_rate_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 4, 1, 1), hw_bras_security_protocol()) if mibBuilder.loadTexts: hwBrasSbcCacCallRateProtocol.setStatus('current') hw_bras_sbc_cac_call_rate_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 4, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(6, 600))).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcCacCallRateThreshold.setStatus('current') hw_bras_sbc_cac_call_rate_percent = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 4, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(60, 100)).clone(80)).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcCacCallRatePercent.setStatus('current') hw_bras_sbc_cac_call_rate_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 4, 1, 4), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcCacCallRateRowStatus.setStatus('current') hw_bras_sbc_cac_reg_total_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 5)) if mibBuilder.loadTexts: hwBrasSbcCacRegTotalTable.setStatus('current') hw_bras_sbc_cac_reg_total_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 5, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcCacRegTotalProtocol')) if mibBuilder.loadTexts: hwBrasSbcCacRegTotalEntry.setStatus('current') hw_bras_sbc_cac_reg_total_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 5, 1, 1), hw_bras_security_protocol()) if mibBuilder.loadTexts: hwBrasSbcCacRegTotalProtocol.setStatus('current') hw_bras_sbc_cac_reg_total_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 5, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(100, 60000))).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcCacRegTotalThreshold.setStatus('current') hw_bras_sbc_cac_reg_total_percent = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 5, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(60, 100)).clone(80)).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcCacRegTotalPercent.setStatus('current') hw_bras_sbc_cac_reg_total_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 5, 1, 4), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcCacRegTotalRowStatus.setStatus('current') hw_bras_sbc_cac_reg_rate_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 6)) if mibBuilder.loadTexts: hwBrasSbcCacRegRateTable.setStatus('current') hw_bras_sbc_cac_reg_rate_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 6, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcCacRegRateProtocol')) if mibBuilder.loadTexts: hwBrasSbcCacRegRateEntry.setStatus('current') hw_bras_sbc_cac_reg_rate_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 6, 1, 1), hw_bras_security_protocol()) if mibBuilder.loadTexts: hwBrasSbcCacRegRateProtocol.setStatus('current') hw_bras_sbc_cac_reg_rate_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 6, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(6, 600))).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcCacRegRateThreshold.setStatus('current') hw_bras_sbc_cac_reg_rate_percent = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 6, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(60, 100)).clone(80)).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcCacRegRatePercent.setStatus('current') hw_bras_sbc_cac_reg_rate_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 6, 1, 4), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcCacRegRateRowStatus.setStatus('current') hw_bras_sbc_ip_car_bandwidth_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 7)) if mibBuilder.loadTexts: hwBrasSbcIPCarBandwidthTable.setStatus('current') hw_bras_sbc_ip_car_bandwidth_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 7, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIPCarBWVpn'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIPCarBWAddress')) if mibBuilder.loadTexts: hwBrasSbcIPCarBandwidthEntry.setStatus('current') hw_bras_sbc_ip_car_bw_vpn = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 7, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1023))) if mibBuilder.loadTexts: hwBrasSbcIPCarBWVpn.setStatus('current') hw_bras_sbc_ip_car_bw_address = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 7, 1, 2), ip_address()) if mibBuilder.loadTexts: hwBrasSbcIPCarBWAddress.setStatus('current') hw_bras_sbc_ip_car_bw_value = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 7, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(8, 1000000000)).clone(1000000000)).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcIPCarBWValue.setStatus('current') hw_bras_sbc_ip_car_bw_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 5, 2, 7, 1, 4), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcIPCarBWRowStatus.setStatus('current') hw_bras_sbc_udp_tunnel = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6)) hw_bras_sbc_udp_tunnel_leaves = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 1)) hw_bras_sbc_udp_tunnel_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 1, 1), hw_bras_enabled_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcUdpTunnelEnable.setStatus('current') hw_bras_sbc_udp_tunnel_type = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('notype', 1), ('server', 2), ('client', 3)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcUdpTunnelType.setStatus('current') hw_bras_sbc_udp_tunnel_sctp_addr = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 1, 3), ip_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcUdpTunnelSctpAddr.setStatus('current') hw_bras_sbc_udp_tunnel_tunnel_timer = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 1, 4), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 65535)).clone(900)).setUnits('seconds').setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcUdpTunnelTunnelTimer.setStatus('current') hw_bras_sbc_udp_tunnel_transport_timer = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 1, 5), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 65535)).clone(900)).setUnits('seconds').setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcUdpTunnelTransportTimer.setStatus('current') hw_bras_sbc_udp_tunnel_tables = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 2)) hw_bras_sbc_udp_tunnel_pool_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 2, 1)) if mibBuilder.loadTexts: hwBrasSbcUdpTunnelPoolTable.setStatus('current') hw_bras_sbc_udp_tunnel_pool_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 2, 1, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUdpTunnelPoolIndex')) if mibBuilder.loadTexts: hwBrasSbcUdpTunnelPoolEntry.setStatus('current') hw_bras_sbc_udp_tunnel_pool_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 2, 1, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 1))) if mibBuilder.loadTexts: hwBrasSbcUdpTunnelPoolIndex.setStatus('current') hw_bras_sbc_udp_tunnel_pool_start_ip = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 2, 1, 1, 2), ip_address().clone(hexValue='7FA8B501')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcUdpTunnelPoolStartIP.setStatus('current') hw_bras_sbc_udp_tunnel_pool_end_ip = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 2, 1, 1, 3), ip_address().clone(hexValue='7FA8EF98')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcUdpTunnelPoolEndIP.setStatus('current') hw_bras_sbc_udp_tunnel_pool_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 2, 1, 1, 4), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcUdpTunnelPoolRowStatus.setStatus('current') hw_bras_sbc_udp_tunnel_port_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 2, 2)) if mibBuilder.loadTexts: hwBrasSbcUdpTunnelPortTable.setStatus('current') hw_bras_sbc_udp_tunnel_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 2, 2, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUdpTunnelPortProtocol'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUdpTunnelPortPort')) if mibBuilder.loadTexts: hwBrasSbcUdpTunnelPortEntry.setStatus('current') hw_bras_sbc_udp_tunnel_port_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 2, 2, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('udp', 1), ('tcp', 2)))) if mibBuilder.loadTexts: hwBrasSbcUdpTunnelPortProtocol.setStatus('current') hw_bras_sbc_udp_tunnel_port_port = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 2, 2, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 65535))) if mibBuilder.loadTexts: hwBrasSbcUdpTunnelPortPort.setStatus('current') hw_bras_sbc_udp_tunnel_port_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 2, 2, 1, 3), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcUdpTunnelPortRowStatus.setStatus('current') hw_bras_sbc_udp_tunnel_if_port_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 2, 3)) if mibBuilder.loadTexts: hwBrasSbcUdpTunnelIfPortTable.setStatus('current') hw_bras_sbc_udp_tunnel_if_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 2, 3, 1)).setIndexNames((0, 'ENTITY-MIB', 'entPhysicalIndex'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUdpTunnelIfPortAddr'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUdpTunnelIfPortPort')) if mibBuilder.loadTexts: hwBrasSbcUdpTunnelIfPortEntry.setStatus('current') hw_bras_sbc_udp_tunnel_if_port_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 2, 3, 1, 2), ip_address()) if mibBuilder.loadTexts: hwBrasSbcUdpTunnelIfPortAddr.setStatus('current') hw_bras_sbc_udp_tunnel_if_port_port = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 2, 3, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 9999))) if mibBuilder.loadTexts: hwBrasSbcUdpTunnelIfPortPort.setStatus('current') hw_bras_sbc_udp_tunnel_if_port_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 6, 2, 3, 1, 4), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcUdpTunnelIfPortRowStatus.setStatus('current') hw_bras_sbc_ims = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7)) hw_bras_sbc_ims_leaves = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 1)) hw_bras_sbc_ims_qos_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 1, 1), hw_bras_enabled_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcImsQosEnable.setStatus('current') hw_bras_sbc_ims_media_proxy_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 1, 2), hw_bras_enabled_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcImsMediaProxyEnable.setStatus('current') hw_bras_sbc_ims_qos_log_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 1, 3), hw_bras_enabled_status().clone('enabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcImsQosLogEnable.setStatus('current') hw_bras_sbc_ims_media_proxy_log_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 1, 4), hw_bras_enabled_status().clone('enabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcImsMediaProxyLogEnable.setStatus('current') hw_bras_sbc_ims_mg_status = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 1, 5), hw_bras_enabled_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcImsMGStatus.setStatus('current') hw_bras_sbc_ims_mg_connect_timer = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 1, 6), unsigned32().subtype(subtypeSpec=value_range_constraint(100, 3600000)).clone(1000)).setUnits('ms').setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcImsMGConnectTimer.setStatus('current') hw_bras_sbc_ims_mg_aging_timer = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 1, 7), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 36000)).clone(120)).setUnits('s').setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcImsMGAgingTimer.setStatus('current') hw_bras_sbc_ims_mg_call_session_timer = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 1, 8), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 14400)).clone(30)).setUnits('m').setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcImsMGCallSessionTimer.setStatus('current') hw_bras_sbc_sctp_status = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 1, 9), hw_bras_enabled_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcSctpStatus.setStatus('current') hw_bras_sbc_idlecut_rtcp_timer = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 1, 10), unsigned32().subtype(subtypeSpec=value_range_constraint(5, 3600)).clone(300)).setUnits('s').setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcIdlecutRtcpTimer.setStatus('current') hw_bras_sbc_idlecut_rtp_timer = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 1, 11), unsigned32().subtype(subtypeSpec=value_range_constraint(5, 3600)).clone(30)).setUnits('s').setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcIdlecutRtpTimer.setStatus('current') hw_bras_sbc_media_detect_status = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 1, 12), hw_bras_enabled_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcMediaDetectStatus.setStatus('current') hw_bras_sbc_media_oneway_status = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 1, 13), hw_bras_enabled_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcMediaOnewayStatus.setStatus('current') hw_bras_sbc_ims_mg_log_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 1, 14), hw_bras_enabled_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcImsMgLogEnable.setStatus('current') hw_bras_sbc_ims_statistics_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 1, 15), hw_bras_enabled_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcImsStatisticsEnable.setStatus('current') hw_bras_sbc_timer_media_aging = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 1, 16), unsigned32().subtype(subtypeSpec=value_range_constraint(5, 3600)).clone(300)).setUnits('s').setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcTimerMediaAging.setStatus('current') hw_bras_sbc_ims_tables = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2)) hw_bras_sbc_ims_connect_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 1)) if mibBuilder.loadTexts: hwBrasSbcImsConnectTable.setStatus('current') hw_bras_sbc_ims_connect_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 1, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsConnectIndex')) if mibBuilder.loadTexts: hwBrasSbcImsConnectEntry.setStatus('current') hw_bras_sbc_ims_connect_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 1, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 9))) if mibBuilder.loadTexts: hwBrasSbcImsConnectIndex.setStatus('current') hw_bras_sbc_ims_connect_pep_id = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 1, 1, 11), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcImsConnectPepID.setStatus('current') hw_bras_sbc_ims_connect_cli_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 1, 1, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('unknown', 1), ('brasSbci', 2), ('goi', 3)))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcImsConnectCliType.setStatus('current') hw_bras_sbc_ims_connect_cli_ip = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 1, 1, 13), ip_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcImsConnectCliIP.setStatus('current') hw_bras_sbc_ims_connect_cli_port = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 1, 1, 14), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 50000))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcImsConnectCliPort.setStatus('current') hw_bras_sbc_ims_connect_serv_ip = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 1, 1, 15), ip_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcImsConnectServIP.setStatus('current') hw_bras_sbc_ims_connect_serv_port = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 1, 1, 16), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 50000))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcImsConnectServPort.setStatus('current') hw_bras_sbc_ims_connect_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 1, 1, 51), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcImsConnectRowStatus.setStatus('current') hw_bras_sbc_ims_band_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 2)) if mibBuilder.loadTexts: hwBrasSbcImsBandTable.setStatus('current') hw_bras_sbc_ims_band_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 2, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsBandIndex')) if mibBuilder.loadTexts: hwBrasSbcImsBandEntry.setStatus('current') hw_bras_sbc_ims_band_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 2, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 64))) if mibBuilder.loadTexts: hwBrasSbcImsBandIndex.setStatus('current') hw_bras_sbc_ims_band_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 2, 1, 11), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcImsBandIfIndex.setStatus('current') hw_bras_sbc_ims_band_if_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 2, 1, 12), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcImsBandIfName.setStatus('current') hw_bras_sbc_ims_band_if_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 2, 1, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('fe', 1), ('ge', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcImsBandIfType.setStatus('current') hw_bras_sbc_ims_band_value = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 2, 1, 14), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 1024))).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcImsBandValue.setStatus('current') hw_bras_sbc_ims_band_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 2, 1, 51), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcImsBandRowStatus.setStatus('current') hw_bras_sbc_ims_active_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 3)) if mibBuilder.loadTexts: hwBrasSbcImsActiveTable.setStatus('current') hw_bras_sbc_ims_active_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 3, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsActiveConnectId')) if mibBuilder.loadTexts: hwBrasSbcImsActiveEntry.setStatus('current') hw_bras_sbc_ims_active_connect_id = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 3, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 9))) if mibBuilder.loadTexts: hwBrasSbcImsActiveConnectId.setStatus('current') hw_bras_sbc_ims_active_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 3, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('sleep', 1), ('active', 2), ('online', 3))).clone('sleep')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcImsActiveStatus.setStatus('current') hw_bras_sbc_ims_active_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 3, 1, 51), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcImsActiveRowStatus.setStatus('current') hw_bras_sbc_ims_mg_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 4)) if mibBuilder.loadTexts: hwBrasSbcImsMGTable.setStatus('current') hw_bras_sbc_ims_mg_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 4, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsMGIndex')) if mibBuilder.loadTexts: hwBrasSbcImsMGEntry.setStatus('current') hw_bras_sbc_ims_mg_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 4, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 14))) if mibBuilder.loadTexts: hwBrasSbcImsMGIndex.setStatus('current') hw_bras_sbc_ims_mg_description = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 4, 1, 11), display_string().subtype(subtypeSpec=value_size_constraint(0, 63))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcImsMGDescription.setStatus('current') hw_bras_sbc_ims_mg_table_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 4, 1, 12), hw_bras_enabled_status().clone('disabled')).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcImsMGTableStatus.setStatus('current') hw_bras_sbc_ims_mg_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 4, 1, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('sctp', 1), ('udp', 2), ('tcp', 3))).clone('udp')).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcImsMGProtocol.setStatus('current') hw_bras_sbc_ims_mg_mid_string = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 4, 1, 14), display_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcImsMGMidString.setStatus('current') hw_bras_sbc_ims_mg_instance_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 4, 1, 15), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcImsMGInstanceName.setStatus('current') hw_bras_sbc_ims_mg_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 4, 1, 51), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcImsMGRowStatus.setStatus('current') hw_bras_sbc_ims_mgip_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 5)) if mibBuilder.loadTexts: hwBrasSbcImsMGIPTable.setStatus('current') hw_bras_sbc_ims_mgip_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 5, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsMGIndex'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsMGIPType'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsMGIPSN')) if mibBuilder.loadTexts: hwBrasSbcImsMGIPEntry.setStatus('current') hw_bras_sbc_ims_mgip_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 5, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('mg', 1), ('mgc', 2)))) if mibBuilder.loadTexts: hwBrasSbcImsMGIPType.setStatus('current') hw_bras_sbc_ims_mgipsn = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 5, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 4))) if mibBuilder.loadTexts: hwBrasSbcImsMGIPSN.setStatus('current') hw_bras_sbc_ims_mgip_version = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 5, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(4, 6))).clone(namedValues=named_values(('ipv4', 4), ('ipv6', 6)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcImsMGIPVersion.setStatus('current') hw_bras_sbc_ims_mgip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 5, 1, 12), display_string().subtype(subtypeSpec=value_size_constraint(0, 63))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcImsMGIPAddr.setStatus('current') hw_bras_sbc_ims_mgip_interface = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 5, 1, 15), octet_string().subtype(subtypeSpec=value_size_constraint(1, 47))).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcImsMGIPInterface.setStatus('current') hw_bras_sbc_ims_mgip_port = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 5, 1, 13), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 10000))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcImsMGIPPort.setStatus('current') hw_bras_sbc_ims_mgip_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 5, 1, 51), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcImsMGIPRowStatus.setStatus('current') hw_bras_sbc_ims_mg_domain_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 6)) if mibBuilder.loadTexts: hwBrasSbcImsMGDomainTable.setStatus('current') hw_bras_sbc_ims_mg_domain_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 6, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsMGIndex'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsMGDomainType'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsMGDomainName')) if mibBuilder.loadTexts: hwBrasSbcImsMGDomainEntry.setStatus('current') hw_bras_sbc_ims_mg_domain_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 6, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('inner', 1), ('outter', 2)))) if mibBuilder.loadTexts: hwBrasSbcImsMGDomainType.setStatus('current') hw_bras_sbc_ims_mg_domain_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 6, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(1, 64))) if mibBuilder.loadTexts: hwBrasSbcImsMGDomainName.setStatus('current') hw_bras_sbc_ims_mg_domain_map_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 6, 1, 11), unsigned32().subtype(subtypeSpec=value_range_constraint(2501, 2999))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcImsMGDomainMapIndex.setStatus('current') hw_bras_sbc_ims_mg_domain_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 7, 2, 6, 1, 51), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcImsMGDomainRowStatus.setStatus('current') hw_bras_sbc_dual_homing = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 8)) hw_bras_sbc_dh_leaves = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 8, 1)) hw_bras_sbc_dhsip_detect_status = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 8, 1, 1), hw_bras_enabled_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcDHSIPDetectStatus.setStatus('current') hw_bras_sbc_dhsip_detect_timer = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 8, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 7200)).clone(10)).setUnits('seconds').setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcDHSIPDetectTimer.setStatus('current') hw_bras_sbc_dhsip_detect_source_port = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 8, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(1024, 10000)).clone(5060)).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcDHSIPDetectSourcePort.setStatus('current') hw_bras_sbc_dhsip_detect_fail_count = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 8, 1, 4), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 100)).clone(3)).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcDHSIPDetectFailCount.setStatus('current') hw_bras_sbc_qo_s_report = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 9)) hw_bras_sbc_qr_leaves = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 9, 1)) hw_bras_sbc_qr_status = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 9, 1, 1), hw_bras_enabled_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcQRStatus.setStatus('current') hw_bras_sbc_qr_band_width = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 9, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 40960)).clone(1024)).setUnits('packetspersecond').setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcQRBandWidth.setStatus('current') hw_bras_sbc_qr_tables = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 9, 2)) hw_bras_sbc_media_defend = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 11)) hw_bras_sbc_media_defend_leaves = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 11, 1)) hw_bras_sbc_md_status = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 11, 1, 1), hw_bras_enabled_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcMDStatus.setStatus('current') hw_bras_sbc_media_defend_tables = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 11, 2)) hw_bras_sbc_md_length_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 11, 2, 1)) if mibBuilder.loadTexts: hwBrasSbcMDLengthTable.setStatus('current') hw_bras_sbc_md_length_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 11, 2, 1, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMDLengthIndex')) if mibBuilder.loadTexts: hwBrasSbcMDLengthEntry.setStatus('current') hw_bras_sbc_md_length_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 11, 2, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('rtp', 1), ('rtcp', 2)))) if mibBuilder.loadTexts: hwBrasSbcMDLengthIndex.setStatus('current') hw_bras_sbc_md_length_min = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 11, 2, 1, 1, 11), unsigned32().subtype(subtypeSpec=value_range_constraint(28, 65535)).clone(28)).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcMDLengthMin.setStatus('current') hw_bras_sbc_md_length_max = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 11, 2, 1, 1, 12), unsigned32().subtype(subtypeSpec=value_range_constraint(28, 65535)).clone(1500)).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcMDLengthMax.setStatus('current') hw_bras_sbc_md_length_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 11, 2, 1, 1, 51), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcMDLengthRowStatus.setStatus('current') hw_bras_sbc_md_statistic_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 11, 2, 2)) if mibBuilder.loadTexts: hwBrasSbcMDStatisticTable.setStatus('current') hw_bras_sbc_md_statistic_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 11, 2, 2, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMDStatisticIndex')) if mibBuilder.loadTexts: hwBrasSbcMDStatisticEntry.setStatus('current') hw_bras_sbc_md_statistic_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 11, 2, 2, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('rtp', 1), ('rtcp', 2)))) if mibBuilder.loadTexts: hwBrasSbcMDStatisticIndex.setStatus('current') hw_bras_sbc_md_statistic_min_drop = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 11, 2, 2, 1, 11), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcMDStatisticMinDrop.setStatus('current') hw_bras_sbc_md_statistic_max_drop = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 11, 2, 2, 1, 12), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcMDStatisticMaxDrop.setStatus('current') hw_bras_sbc_md_statistic_frag_drop = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 11, 2, 2, 1, 13), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcMDStatisticFragDrop.setStatus('current') hw_bras_sbc_md_statistic_flow_drop = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 11, 2, 2, 1, 14), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcMDStatisticFlowDrop.setStatus('current') hw_bras_sbc_md_statistic_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 11, 2, 2, 1, 51), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcMDStatisticRowStatus.setStatus('current') hw_bras_sbc_signaling_nat = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 12)) hw_bras_sbc_signaling_nat_leaves = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 12, 1)) hw_bras_sbc_nat_session_aging_time = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 12, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 40000)).clone(20)).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcNatSessionAgingTime.setStatus('current') hw_bras_sbc_signaling_nat_tables = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 12, 2)) hw_bras_sbc_nat_cfg_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 12, 2, 1)) if mibBuilder.loadTexts: hwBrasSbcNatCfgTable.setStatus('current') hw_bras_sbc_nat_cfg_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 12, 2, 1, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcNatGroupIndex'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcNatVpnNameIndex')) if mibBuilder.loadTexts: hwBrasSbcNatCfgEntry.setStatus('current') hw_bras_sbc_nat_group_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 12, 2, 1, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 127))).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcNatGroupIndex.setStatus('current') hw_bras_sbc_nat_vpn_name_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 12, 2, 1, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(1, 31))).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcNatVpnNameIndex.setStatus('current') hw_bras_sbc_nat_instance_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 12, 2, 1, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcNatInstanceName.setStatus('current') hw_bras_sbc_nat_cfg_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 12, 2, 1, 1, 51), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcNatCfgRowStatus.setStatus('current') hw_bras_sbc_nat_address_group_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 12, 2, 2)) if mibBuilder.loadTexts: hwBrasSbcNatAddressGroupTable.setStatus('current') hw_bras_sbc_nat_address_group_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 12, 2, 2, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwNatAddrGrpIndex')) if mibBuilder.loadTexts: hwBrasSbcNatAddressGroupEntry.setStatus('current') hw_nat_addr_grp_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 12, 2, 2, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 127))) if mibBuilder.loadTexts: hwNatAddrGrpIndex.setStatus('current') hw_nat_addr_grp_beginning_ip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 12, 2, 2, 1, 2), ip_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwNatAddrGrpBeginningIpAddr.setStatus('current') hw_nat_addr_grp_ending_ip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 12, 2, 2, 1, 3), ip_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwNatAddrGrpEndingIpAddr.setStatus('current') hw_nat_addr_grp_ref_count = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 12, 2, 2, 1, 4), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwNatAddrGrpRefCount.setStatus('current') hw_nat_addr_grp_vpn_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 12, 2, 2, 1, 5), octet_string().subtype(subtypeSpec=value_size_constraint(0, 31))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwNatAddrGrpVpnName.setStatus('current') hw_nat_addr_grp_rowstatus = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 12, 2, 2, 1, 6), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwNatAddrGrpRowstatus.setStatus('current') hw_bras_sbc_bandwidth_limit = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 13)) hw_bras_sbc_bw_limit_leaves = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 13, 1)) hw_bras_sbc_bw_limit_type = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 13, 1, 1), hw_bras_bw_limit_type().clone('qos')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcBWLimitType.setStatus('current') hw_bras_sbc_bw_limit_value = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 2, 13, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 10485760)).clone(6291456)).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcBWLimitValue.setStatus('current') hw_bras_sbc_view = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 3)) hw_bras_sbc_view_leaves = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 3, 1)) hw_bras_sbc_soft_version = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 3, 1, 1), display_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcSoftVersion.setStatus('current') hw_bras_sbc_cpu_usage = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 3, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcCpuUsage.setStatus('current') hw_bras_sbc_ums_version = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 3, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(8, 63))).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcUmsVersion.setStatus('current') hw_bras_sbc_view_tables = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 3, 2)) hw_bras_sbc_statistic_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 3, 2, 1)) if mibBuilder.loadTexts: hwBrasSbcStatisticTable.setStatus('current') hw_bras_sbc_statistic_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 3, 2, 1, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcStatisticIndex'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcStatisticOffset')) if mibBuilder.loadTexts: hwBrasSbcStatisticEntry.setStatus('current') hw_bras_sbc_statistic_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 3, 2, 1, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 2147483647))) if mibBuilder.loadTexts: hwBrasSbcStatisticIndex.setStatus('current') hw_bras_sbc_statistic_offset = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 3, 2, 1, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 143))).setUnits('hours') if mibBuilder.loadTexts: hwBrasSbcStatisticOffset.setStatus('current') hw_bras_sbc_statistic_desc = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 3, 2, 1, 1, 3), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcStatisticDesc.setStatus('current') hw_bras_sbc_statistic_value = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 3, 2, 1, 1, 4), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcStatisticValue.setStatus('current') hw_bras_sbc_statistic_time = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 1, 3, 2, 1, 1, 5), date_and_time().subtype(subtypeSpec=value_size_constraint(8, 8)).setFixedLength(8)).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcStatisticTime.setStatus('current') hw_bras_sbc_sip = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2)) hw_bras_sbc_sip_leaves = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 1)) hw_bras_sbc_sip_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 1, 1), hw_bras_enabled_status().clone('enabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcSipEnable.setStatus('current') hw_bras_sbc_sip_syslog_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 1, 2), hw_bras_enabled_status().clone('enabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcSipSyslogEnable.setStatus('current') hw_bras_sbc_sip_anonymity = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 63))).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcSipAnonymity.setStatus('current') hw_bras_sbc_sip_checkheart_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 1, 4), hw_bras_enabled_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcSipCheckheartEnable.setStatus('current') hw_bras_sbc_sip_callsession_timer = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 1, 5), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 14400)).clone(720)).setUnits('minutes').setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcSipCallsessionTimer.setStatus('current') hw_bras_sbc_sip_pdh_count_limit = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 1, 6), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 100)).clone(6)).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcSipPDHCountLimit.setStatus('current') hw_bras_sbc_sip_reg_reduce_status = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 1, 7), hw_bras_enabled_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcSipRegReduceStatus.setStatus('current') hw_bras_sbc_sip_reg_reduce_timer = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 1, 8), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 600)).clone(60)).setUnits('minutes').setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcSipRegReduceTimer.setStatus('current') hw_bras_sbc_sip_tables = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2)) hw_bras_sbc_sip_wellknown_port_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 1)) if mibBuilder.loadTexts: hwBrasSbcSipWellknownPortTable.setStatus('current') hw_bras_sbc_sip_wellknown_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 1, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSipWellknownPortIndex'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSipWellknownPortProtocol'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSipWellknownPortAddr')) if mibBuilder.loadTexts: hwBrasSbcSipWellknownPortEntry.setStatus('current') hw_bras_sbc_sip_wellknown_port_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('clientaddr', 1), ('softxaddr', 2)))) if mibBuilder.loadTexts: hwBrasSbcSipWellknownPortIndex.setStatus('current') hw_bras_sbc_sip_wellknown_port_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('sip', 1)))) if mibBuilder.loadTexts: hwBrasSbcSipWellknownPortProtocol.setStatus('current') hw_bras_sbc_sip_wellknown_port_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 1, 1, 3), ip_address()) if mibBuilder.loadTexts: hwBrasSbcSipWellknownPortAddr.setStatus('current') hw_bras_sbc_sip_wellknown_port_port = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 1, 1, 4), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcSipWellknownPortPort.setStatus('current') hw_bras_sbc_sip_wellknown_port_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 1, 1, 5), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcSipWellknownPortRowStatus.setStatus('current') hw_bras_sbc_sip_signal_map_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 2)) if mibBuilder.loadTexts: hwBrasSbcSipSignalMapTable.setStatus('current') hw_bras_sbc_sip_signal_map_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 2, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSipSignalMapAddr'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSipSignalMapProtocol')) if mibBuilder.loadTexts: hwBrasSbcSipSignalMapEntry.setStatus('current') hw_bras_sbc_sip_signal_map_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 2, 1, 1), ip_address()) if mibBuilder.loadTexts: hwBrasSbcSipSignalMapAddr.setStatus('current') hw_bras_sbc_sip_signal_map_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('sip', 1)))) if mibBuilder.loadTexts: hwBrasSbcSipSignalMapProtocol.setStatus('current') hw_bras_sbc_sip_signal_map_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 2, 1, 3), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcSipSignalMapNumber.setStatus('current') hw_bras_sbc_sip_signal_map_addr_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('client', 1), ('server', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcSipSignalMapAddrType.setStatus('current') hw_bras_sbc_sip_media_map_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 3)) if mibBuilder.loadTexts: hwBrasSbcSipMediaMapTable.setStatus('current') hw_bras_sbc_sip_media_map_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 3, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSipMediaMapAddr'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSipMediaMapProtocol')) if mibBuilder.loadTexts: hwBrasSbcSipMediaMapEntry.setStatus('current') hw_bras_sbc_sip_media_map_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 3, 1, 1), ip_address()) if mibBuilder.loadTexts: hwBrasSbcSipMediaMapAddr.setStatus('current') hw_bras_sbc_sip_media_map_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 3, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('sip', 1)))) if mibBuilder.loadTexts: hwBrasSbcSipMediaMapProtocol.setStatus('current') hw_bras_sbc_sip_media_map_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 3, 1, 3), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcSipMediaMapNumber.setStatus('current') hw_bras_sbc_sip_intercom_map_signal_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 4)) if mibBuilder.loadTexts: hwBrasSbcSipIntercomMapSignalTable.setStatus('current') hw_bras_sbc_sip_intercom_map_signal_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 4, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSipIntercomMapSignalAddr'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSipIntercomMapSignalProtocol')) if mibBuilder.loadTexts: hwBrasSbcSipIntercomMapSignalEntry.setStatus('current') hw_bras_sbc_sip_intercom_map_signal_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 4, 1, 1), ip_address()) if mibBuilder.loadTexts: hwBrasSbcSipIntercomMapSignalAddr.setStatus('current') hw_bras_sbc_sip_intercom_map_signal_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 4, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('sip', 1)))) if mibBuilder.loadTexts: hwBrasSbcSipIntercomMapSignalProtocol.setStatus('current') hw_bras_sbc_sip_intercom_map_signal_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 4, 1, 3), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcSipIntercomMapSignalNumber.setStatus('current') hw_bras_sbc_sip_intercom_map_media_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 5)) if mibBuilder.loadTexts: hwBrasSbcSipIntercomMapMediaTable.setStatus('current') hw_bras_sbc_sip_intercom_map_media_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 5, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSipIntercomMapMediaAddr'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSipIntercomMapMediaProtocol')) if mibBuilder.loadTexts: hwBrasSbcSipIntercomMapMediaEntry.setStatus('current') hw_bras_sbc_sip_intercom_map_media_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 5, 1, 1), ip_address()) if mibBuilder.loadTexts: hwBrasSbcSipIntercomMapMediaAddr.setStatus('current') hw_bras_sbc_sip_intercom_map_media_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 5, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('sip', 1)))) if mibBuilder.loadTexts: hwBrasSbcSipIntercomMapMediaProtocol.setStatus('current') hw_bras_sbc_sip_intercom_map_media_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 5, 1, 3), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcSipIntercomMapMediaNumber.setStatus('current') hw_bras_sbc_sip_stat_signal_packet_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 6)) if mibBuilder.loadTexts: hwBrasSbcSipStatSignalPacketTable.setStatus('current') hw_bras_sbc_sip_stat_signal_packet_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 6, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSipStatSignalPacketIndex')) if mibBuilder.loadTexts: hwBrasSbcSipStatSignalPacketEntry.setStatus('current') hw_bras_sbc_sip_stat_signal_packet_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 6, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('sip', 1)))) if mibBuilder.loadTexts: hwBrasSbcSipStatSignalPacketIndex.setStatus('current') hw_bras_sbc_sip_stat_signal_packet_in_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 6, 1, 2), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcSipStatSignalPacketInNumber.setStatus('current') hw_bras_sbc_sip_stat_signal_packet_in_octet = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 6, 1, 3), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcSipStatSignalPacketInOctet.setStatus('current') hw_bras_sbc_sip_stat_signal_packet_out_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 6, 1, 4), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcSipStatSignalPacketOutNumber.setStatus('current') hw_bras_sbc_sip_stat_signal_packet_out_octet = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 6, 1, 5), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcSipStatSignalPacketOutOctet.setStatus('current') hw_bras_sbc_sip_stat_signal_packet_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 2, 2, 6, 1, 6), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcSipStatSignalPacketRowStatus.setStatus('current') hw_bras_sbc_mgcp = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3)) hw_bras_sbc_mgcp_leaves = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 1)) hw_bras_sbc_mgcp_syslog_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 1, 1), hw_bras_enabled_status().clone('enabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcMgcpSyslogEnable.setStatus('current') hw_bras_sbc_mgcp_auep_timer = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 3600)).clone(600)).setUnits('seconds').setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcMgcpAuepTimer.setStatus('current') hw_bras_sbc_mgcp_ccb_timer = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(10, 14400)).clone(30)).setUnits('minutes').setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcMgcpCcbTimer.setStatus('current') hw_bras_sbc_mgcp_tx_timer = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 1, 4), unsigned32().subtype(subtypeSpec=value_range_constraint(6, 60)).clone(6)).setUnits('seconds').setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcMgcpTxTimer.setStatus('current') hw_bras_sbc_mgcp_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 1, 5), hw_bras_enabled_status().clone('enabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcMgcpEnable.setStatus('current') hw_bras_sbc_mgcp_pdh_count_limit = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 1, 6), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 100)).clone(6)).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcMgcpPDHCountLimit.setStatus('current') hw_bras_sbc_mgcp_tables = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3)) hw_bras_sbc_mgcp_wellknown_port_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 1)) if mibBuilder.loadTexts: hwBrasSbcMgcpWellknownPortTable.setStatus('current') hw_bras_sbc_mgcp_wellknown_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 1, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMgcpWellknownPortIndex'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMgcpWellknownPortProtocol'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMgcpWellknownPortAddr')) if mibBuilder.loadTexts: hwBrasSbcMgcpWellknownPortEntry.setStatus('current') hw_bras_sbc_mgcp_wellknown_port_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('clientaddr', 1), ('softxaddr', 2)))) if mibBuilder.loadTexts: hwBrasSbcMgcpWellknownPortIndex.setStatus('current') hw_bras_sbc_mgcp_wellknown_port_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('mgcp', 1)))) if mibBuilder.loadTexts: hwBrasSbcMgcpWellknownPortProtocol.setStatus('current') hw_bras_sbc_mgcp_wellknown_port_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 1, 1, 3), ip_address()) if mibBuilder.loadTexts: hwBrasSbcMgcpWellknownPortAddr.setStatus('current') hw_bras_sbc_mgcp_wellknown_port_port = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 1, 1, 4), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMgcpWellknownPortPort.setStatus('current') hw_bras_sbc_mgcp_wellknown_port_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 1, 1, 5), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcMgcpWellknownPortRowStatus.setStatus('current') hw_bras_sbc_mgcp_signal_map_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 2)) if mibBuilder.loadTexts: hwBrasSbcMgcpSignalMapTable.setStatus('current') hw_bras_sbc_mgcp_signal_map_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 2, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMgcpSignalMapAddr'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMgcpSignalMapProtocol')) if mibBuilder.loadTexts: hwBrasSbcMgcpSignalMapEntry.setStatus('current') hw_bras_sbc_mgcp_signal_map_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 2, 1, 1), ip_address()) if mibBuilder.loadTexts: hwBrasSbcMgcpSignalMapAddr.setStatus('current') hw_bras_sbc_mgcp_signal_map_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('mgcp', 1)))) if mibBuilder.loadTexts: hwBrasSbcMgcpSignalMapProtocol.setStatus('current') hw_bras_sbc_mgcp_signal_map_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 2, 1, 3), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcMgcpSignalMapNumber.setStatus('current') hw_bras_sbc_mgcp_signal_map_addr_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('client', 1), ('server', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcMgcpSignalMapAddrType.setStatus('current') hw_bras_sbc_mgcp_media_map_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 3)) if mibBuilder.loadTexts: hwBrasSbcMgcpMediaMapTable.setStatus('current') hw_bras_sbc_mgcp_media_map_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 3, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMgcpMediaMapAddr'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMgcpMediaMapProtocol')) if mibBuilder.loadTexts: hwBrasSbcMgcpMediaMapEntry.setStatus('current') hw_bras_sbc_mgcp_media_map_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 3, 1, 1), ip_address()) if mibBuilder.loadTexts: hwBrasSbcMgcpMediaMapAddr.setStatus('current') hw_bras_sbc_mgcp_media_map_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 3, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('mgcp', 1)))) if mibBuilder.loadTexts: hwBrasSbcMgcpMediaMapProtocol.setStatus('current') hw_bras_sbc_mgcp_media_map_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 3, 1, 3), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcMgcpMediaMapNumber.setStatus('current') hw_bras_sbc_mgcp_intercom_map_signal_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 4)) if mibBuilder.loadTexts: hwBrasSbcMgcpIntercomMapSignalTable.setStatus('current') hw_bras_sbc_mgcp_intercom_map_signal_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 4, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMgcpIntercomMapSignalAddr'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMgcpIntercomMapSignalProtocol')) if mibBuilder.loadTexts: hwBrasSbcMgcpIntercomMapSignalEntry.setStatus('current') hw_bras_sbc_mgcp_intercom_map_signal_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 4, 1, 1), ip_address()) if mibBuilder.loadTexts: hwBrasSbcMgcpIntercomMapSignalAddr.setStatus('current') hw_bras_sbc_mgcp_intercom_map_signal_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 4, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('mgcp', 1)))) if mibBuilder.loadTexts: hwBrasSbcMgcpIntercomMapSignalProtocol.setStatus('current') hw_bras_sbc_mgcp_intercom_map_signal_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 4, 1, 3), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcMgcpIntercomMapSignalNumber.setStatus('current') hw_bras_sbc_mgcp_intercom_map_media_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 5)) if mibBuilder.loadTexts: hwBrasSbcMgcpIntercomMapMediaTable.setStatus('current') hw_bras_sbc_mgcp_intercom_map_media_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 5, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMgcpIntercomMapMediaAddr'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMgcpIntercomMapMediaProtocol')) if mibBuilder.loadTexts: hwBrasSbcMgcpIntercomMapMediaEntry.setStatus('current') hw_bras_sbc_mgcp_intercom_map_media_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 5, 1, 1), ip_address()) if mibBuilder.loadTexts: hwBrasSbcMgcpIntercomMapMediaAddr.setStatus('current') hw_bras_sbc_mgcp_intercom_map_media_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 5, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('mgcp', 1)))) if mibBuilder.loadTexts: hwBrasSbcMgcpIntercomMapMediaProtocol.setStatus('current') hw_bras_sbc_mgcp_intercom_map_media_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 5, 1, 3), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcMgcpIntercomMapMediaNumber.setStatus('current') hw_bras_sbc_mgcp_stat_signal_packet_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 6)) if mibBuilder.loadTexts: hwBrasSbcMgcpStatSignalPacketTable.setStatus('current') hw_bras_sbc_mgcp_stat_signal_packet_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 6, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMgcpStatSignalPacketIndex')) if mibBuilder.loadTexts: hwBrasSbcMgcpStatSignalPacketEntry.setStatus('current') hw_bras_sbc_mgcp_stat_signal_packet_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 6, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('mgcp', 1)))) if mibBuilder.loadTexts: hwBrasSbcMgcpStatSignalPacketIndex.setStatus('current') hw_bras_sbc_mgcp_stat_signal_packet_in_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 6, 1, 2), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcMgcpStatSignalPacketInNumber.setStatus('current') hw_bras_sbc_mgcp_stat_signal_packet_in_octet = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 6, 1, 3), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcMgcpStatSignalPacketInOctet.setStatus('current') hw_bras_sbc_mgcp_stat_signal_packet_out_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 6, 1, 4), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcMgcpStatSignalPacketOutNumber.setStatus('current') hw_bras_sbc_mgcp_stat_signal_packet_out_octet = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 6, 1, 5), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcMgcpStatSignalPacketOutOctet.setStatus('current') hw_bras_sbc_mgcp_stat_signal_packet_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 3, 3, 6, 1, 6), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcMgcpStatSignalPacketRowStatus.setStatus('current') hw_bras_sbc_iadms = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4)) hw_bras_sbc_iadms_leaves = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 1)) hw_bras_sbc_iadms_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 1, 1), hw_bras_enabled_status().clone('enabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcIadmsEnable.setStatus('current') hw_bras_sbc_iadms_syslog_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 1, 2), hw_bras_enabled_status().clone('enabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcIadmsSyslogEnable.setStatus('current') hw_bras_sbc_iadms_reg_refresh_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 1, 3), hw_bras_enabled_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcIadmsRegRefreshEnable.setStatus('current') hw_bras_sbc_iadms_timer = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 1, 4), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 30)).clone(20)).setUnits('minutes').setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcIadmsTimer.setStatus('current') hw_bras_sbc_iadms_tables = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2)) hw_bras_sbc_iadms_wellknown_port_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 1)) if mibBuilder.loadTexts: hwBrasSbcIadmsWellknownPortTable.setStatus('current') hw_bras_sbc_iadms_wellknown_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 1, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIadmsWellknownPortIndex'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIadmsWellknownPortProtocol'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIadmsWellknownPortAddr')) if mibBuilder.loadTexts: hwBrasSbcIadmsWellknownPortEntry.setStatus('current') hw_bras_sbc_iadms_wellknown_port_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('clientaddr', 1), ('iadmsaddr', 2)))) if mibBuilder.loadTexts: hwBrasSbcIadmsWellknownPortIndex.setStatus('current') hw_bras_sbc_iadms_wellknown_port_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('snmp', 1)))) if mibBuilder.loadTexts: hwBrasSbcIadmsWellknownPortProtocol.setStatus('current') hw_bras_sbc_iadms_wellknown_port_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 1, 1, 3), ip_address()) if mibBuilder.loadTexts: hwBrasSbcIadmsWellknownPortAddr.setStatus('current') hw_bras_sbc_iadms_wellknown_port_port = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 1, 1, 4), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcIadmsWellknownPortPort.setStatus('current') hw_bras_sbc_iadms_wellknown_port_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 1, 1, 5), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcIadmsWellknownPortRowStatus.setStatus('current') hw_bras_sbc_iadms_mib_reg_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 2)) if mibBuilder.loadTexts: hwBrasSbcIadmsMibRegTable.setStatus('current') hw_bras_sbc_iadms_mib_reg_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 2, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIadmsMibRegVersion')) if mibBuilder.loadTexts: hwBrasSbcIadmsMibRegEntry.setStatus('current') hw_bras_sbc_iadms_mib_reg_version = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 2, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('amend', 1), ('v150', 2), ('v152', 3), ('v160', 4), ('v210', 5)))) if mibBuilder.loadTexts: hwBrasSbcIadmsMibRegVersion.setStatus('current') hw_bras_sbc_iadms_mib_reg_register = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 2, 1, 2), truth_value().clone('true')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcIadmsMibRegRegister.setStatus('current') hw_bras_sbc_iadms_mib_reg_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 2, 1, 3), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcIadmsMibRegRowStatus.setStatus('current') hw_bras_sbc_iadms_signal_map_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 3)) if mibBuilder.loadTexts: hwBrasSbcIadmsSignalMapTable.setStatus('current') hw_bras_sbc_iadms_signal_map_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 3, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIadmsSignalMapAddr'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIadmsSignalMapProtocol')) if mibBuilder.loadTexts: hwBrasSbcIadmsSignalMapEntry.setStatus('current') hw_bras_sbc_iadms_signal_map_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 3, 1, 1), ip_address()) if mibBuilder.loadTexts: hwBrasSbcIadmsSignalMapAddr.setStatus('current') hw_bras_sbc_iadms_signal_map_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 3, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('snmp', 1)))) if mibBuilder.loadTexts: hwBrasSbcIadmsSignalMapProtocol.setStatus('current') hw_bras_sbc_iadms_signal_map_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 3, 1, 3), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcIadmsSignalMapNumber.setStatus('current') hw_bras_sbc_iadms_signal_map_addr_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 3, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('client', 1), ('server', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcIadmsSignalMapAddrType.setStatus('current') hw_bras_sbc_iadms_media_map_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 4)) if mibBuilder.loadTexts: hwBrasSbcIadmsMediaMapTable.setStatus('current') hw_bras_sbc_iadms_media_map_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 4, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIadmsMediaMapAddr'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIadmsMediaMapProtocol')) if mibBuilder.loadTexts: hwBrasSbcIadmsMediaMapEntry.setStatus('current') hw_bras_sbc_iadms_media_map_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 4, 1, 1), ip_address()) if mibBuilder.loadTexts: hwBrasSbcIadmsMediaMapAddr.setStatus('current') hw_bras_sbc_iadms_media_map_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 4, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('snmp', 1)))) if mibBuilder.loadTexts: hwBrasSbcIadmsMediaMapProtocol.setStatus('current') hw_bras_sbc_iadms_media_map_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 4, 1, 3), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcIadmsMediaMapNumber.setStatus('current') hw_bras_sbc_iadms_intercom_map_signal_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 5)) if mibBuilder.loadTexts: hwBrasSbcIadmsIntercomMapSignalTable.setStatus('current') hw_bras_sbc_iadms_intercom_map_signal_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 5, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIadmsIntercomMapSignalAddr'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIadmsIntercomMapSignalProtocol')) if mibBuilder.loadTexts: hwBrasSbcIadmsIntercomMapSignalEntry.setStatus('current') hw_bras_sbc_iadms_intercom_map_signal_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 5, 1, 1), ip_address()) if mibBuilder.loadTexts: hwBrasSbcIadmsIntercomMapSignalAddr.setStatus('current') hw_bras_sbc_iadms_intercom_map_signal_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 5, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('snmp', 1)))) if mibBuilder.loadTexts: hwBrasSbcIadmsIntercomMapSignalProtocol.setStatus('current') hw_bras_sbc_iadms_intercom_map_signal_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 5, 1, 3), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcIadmsIntercomMapSignalNumber.setStatus('current') hw_bras_sbc_iadms_intercom_map_media_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 6)) if mibBuilder.loadTexts: hwBrasSbcIadmsIntercomMapMediaTable.setStatus('current') hw_bras_sbc_iadms_intercom_map_media_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 6, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIadmsIntercomMapMediaAddr'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIadmsIntercomMapMediaProtocol')) if mibBuilder.loadTexts: hwBrasSbcIadmsIntercomMapMediaEntry.setStatus('current') hw_bras_sbc_iadms_intercom_map_media_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 6, 1, 1), ip_address()) if mibBuilder.loadTexts: hwBrasSbcIadmsIntercomMapMediaAddr.setStatus('current') hw_bras_sbc_iadms_intercom_map_media_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 6, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('snmp', 1)))) if mibBuilder.loadTexts: hwBrasSbcIadmsIntercomMapMediaProtocol.setStatus('current') hw_bras_sbc_iadms_intercom_map_media_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 6, 1, 3), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcIadmsIntercomMapMediaNumber.setStatus('current') hw_bras_sbc_iadms_stat_signal_packet_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 7)) if mibBuilder.loadTexts: hwBrasSbcIadmsStatSignalPacketTable.setStatus('current') hw_bras_sbc_iadms_stat_signal_packet_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 7, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIadmsStatSignalPacketIndex')) if mibBuilder.loadTexts: hwBrasSbcIadmsStatSignalPacketEntry.setStatus('current') hw_bras_sbc_iadms_stat_signal_packet_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 7, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('iadms', 1)))) if mibBuilder.loadTexts: hwBrasSbcIadmsStatSignalPacketIndex.setStatus('current') hw_bras_sbc_iadms_stat_signal_packet_in_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 7, 1, 2), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcIadmsStatSignalPacketInNumber.setStatus('current') hw_bras_sbc_iadms_stat_signal_packet_in_octet = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 7, 1, 3), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcIadmsStatSignalPacketInOctet.setStatus('current') hw_bras_sbc_iadms_stat_signal_packet_out_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 7, 1, 4), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcIadmsStatSignalPacketOutNumber.setStatus('current') hw_bras_sbc_iadms_stat_signal_packet_out_octet = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 7, 1, 5), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcIadmsStatSignalPacketOutOctet.setStatus('current') hw_bras_sbc_iadms_stat_signal_packet_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 4, 2, 7, 1, 6), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcIadmsStatSignalPacketRowStatus.setStatus('current') hw_bras_sbc_h323 = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5)) hw_bras_sbc_h323_leaves = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 1)) hw_bras_sbc_h323_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 1, 1), hw_bras_enabled_status().clone('enabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcH323Enable.setStatus('current') hw_bras_sbc_h323_syslog_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 1, 2), hw_bras_enabled_status().clone('enabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcH323SyslogEnable.setStatus('current') hw_bras_sbc_h323_callsession_timer = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(3, 24)).clone(24)).setUnits('hours').setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcH323CallsessionTimer.setStatus('current') hw_bras_sbc_h323_q931_wellknown_port = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 1, 4), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 49999)).clone(1720)).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcH323Q931WellknownPort.setStatus('current') hw_bras_sbc_h323_pdh_count_limit = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 1, 5), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 100)).clone(6)).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcH323PDHCountLimit.setStatus('current') hw_bras_sbc_h323_tables = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2)) hw_bras_sbc_h323_wellknown_port_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 1)) if mibBuilder.loadTexts: hwBrasSbcH323WellknownPortTable.setStatus('current') hw_bras_sbc_h323_wellknown_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 1, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH323WellknownPortIndex'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH323WellknownPortProtocol'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH323WellknownPortAddr')) if mibBuilder.loadTexts: hwBrasSbcH323WellknownPortEntry.setStatus('current') hw_bras_sbc_h323_wellknown_port_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('clientaddr', 1), ('softxaddr', 2)))) if mibBuilder.loadTexts: hwBrasSbcH323WellknownPortIndex.setStatus('current') hw_bras_sbc_h323_wellknown_port_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ras', 1), ('q931', 2)))) if mibBuilder.loadTexts: hwBrasSbcH323WellknownPortProtocol.setStatus('current') hw_bras_sbc_h323_wellknown_port_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 1, 1, 3), ip_address()) if mibBuilder.loadTexts: hwBrasSbcH323WellknownPortAddr.setStatus('current') hw_bras_sbc_h323_wellknown_port_port = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 1, 1, 4), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcH323WellknownPortPort.setStatus('current') hw_bras_sbc_h323_wellknown_port_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 1, 1, 5), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcH323WellknownPortRowStatus.setStatus('current') hw_bras_sbc_h323_signal_map_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 2)) if mibBuilder.loadTexts: hwBrasSbcH323SignalMapTable.setStatus('current') hw_bras_sbc_h323_signal_map_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 2, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH323SignalMapAddr'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH323SignalMapProtocol')) if mibBuilder.loadTexts: hwBrasSbcH323SignalMapEntry.setStatus('current') hw_bras_sbc_h323_signal_map_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 2, 1, 1), ip_address()) if mibBuilder.loadTexts: hwBrasSbcH323SignalMapAddr.setStatus('current') hw_bras_sbc_h323_signal_map_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('ras', 1), ('q931', 2), ('h245', 3)))) if mibBuilder.loadTexts: hwBrasSbcH323SignalMapProtocol.setStatus('current') hw_bras_sbc_h323_signal_map_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 2, 1, 3), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcH323SignalMapNumber.setStatus('current') hw_bras_sbc_h323_signal_map_addr_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('client', 1), ('server', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcH323SignalMapAddrType.setStatus('current') hw_bras_sbc_h323_media_map_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 3)) if mibBuilder.loadTexts: hwBrasSbcH323MediaMapTable.setStatus('current') hw_bras_sbc_h323_media_map_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 3, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH323MediaMapAddr'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH323MediaMapProtocol')) if mibBuilder.loadTexts: hwBrasSbcH323MediaMapEntry.setStatus('current') hw_bras_sbc_h323_media_map_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 3, 1, 1), ip_address()) if mibBuilder.loadTexts: hwBrasSbcH323MediaMapAddr.setStatus('current') hw_bras_sbc_h323_media_map_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 3, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('h323', 1)))) if mibBuilder.loadTexts: hwBrasSbcH323MediaMapProtocol.setStatus('current') hw_bras_sbc_h323_media_map_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 3, 1, 3), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcH323MediaMapNumber.setStatus('current') hw_bras_sbc_h323_intercom_map_signal_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 4)) if mibBuilder.loadTexts: hwBrasSbcH323IntercomMapSignalTable.setStatus('current') hw_bras_sbc_h323_intercom_map_signal_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 4, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH323IntercomMapSignalAddr'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH323IntercomMapSignalProtocol')) if mibBuilder.loadTexts: hwBrasSbcH323IntercomMapSignalEntry.setStatus('current') hw_bras_sbc_h323_intercom_map_signal_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 4, 1, 1), ip_address()) if mibBuilder.loadTexts: hwBrasSbcH323IntercomMapSignalAddr.setStatus('current') hw_bras_sbc_h323_intercom_map_signal_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 4, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('ras', 1), ('q931', 2), ('h245', 3)))) if mibBuilder.loadTexts: hwBrasSbcH323IntercomMapSignalProtocol.setStatus('current') hw_bras_sbc_h323_intercom_map_signal_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 4, 1, 3), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcH323IntercomMapSignalNumber.setStatus('current') hw_bras_sbc_h323_intercom_map_media_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 5)) if mibBuilder.loadTexts: hwBrasSbcH323IntercomMapMediaTable.setStatus('current') hw_bras_sbc_h323_intercom_map_media_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 5, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH323IntercomMapMediaAddr'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH323IntercomMapMediaProtocol')) if mibBuilder.loadTexts: hwBrasSbcH323IntercomMapMediaEntry.setStatus('current') hw_bras_sbc_h323_intercom_map_media_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 5, 1, 1), ip_address()) if mibBuilder.loadTexts: hwBrasSbcH323IntercomMapMediaAddr.setStatus('current') hw_bras_sbc_h323_intercom_map_media_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 5, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('h323', 1)))) if mibBuilder.loadTexts: hwBrasSbcH323IntercomMapMediaProtocol.setStatus('current') hw_bras_sbc_h323_intercom_map_media_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 5, 1, 3), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcH323IntercomMapMediaNumber.setStatus('current') hw_bras_sbc_h323_stat_signal_packet_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 6)) if mibBuilder.loadTexts: hwBrasSbcH323StatSignalPacketTable.setStatus('current') hw_bras_sbc_h323_stat_signal_packet_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 6, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH323StatSignalPacketIndex')) if mibBuilder.loadTexts: hwBrasSbcH323StatSignalPacketEntry.setStatus('current') hw_bras_sbc_h323_stat_signal_packet_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 6, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('h323', 1)))) if mibBuilder.loadTexts: hwBrasSbcH323StatSignalPacketIndex.setStatus('current') hw_bras_sbc_h323_stat_signal_packet_in_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 6, 1, 2), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcH323StatSignalPacketInNumber.setStatus('current') hw_bras_sbc_h323_stat_signal_packet_in_octet = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 6, 1, 3), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcH323StatSignalPacketInOctet.setStatus('current') hw_bras_sbc_h323_stat_signal_packet_out_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 6, 1, 4), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcH323StatSignalPacketOutNumber.setStatus('current') hw_bras_sbc_h323_stat_signal_packet_out_octet = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 6, 1, 5), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcH323StatSignalPacketOutOctet.setStatus('current') hw_bras_sbc_h323_stat_signal_packet_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 5, 2, 6, 1, 6), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcH323StatSignalPacketRowStatus.setStatus('current') hw_bras_sbc_ido = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6)) hw_bras_sbc_ido_leaves = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 1)) hw_bras_sbc_ido_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 1, 1), hw_bras_enabled_status().clone('enabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcIdoEnable.setStatus('current') hw_bras_sbc_ido_syslog_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 1, 2), hw_bras_enabled_status().clone('enabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcIdoSyslogEnable.setStatus('current') hw_bras_sbc_ido_tables = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2)) hw_bras_sbc_ido_wellknown_port_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 1)) if mibBuilder.loadTexts: hwBrasSbcIdoWellknownPortTable.setStatus('current') hw_bras_sbc_ido_wellknown_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 1, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIdoWellknownPortIndex'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIdoWellknownPortProtocol'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIdoWellknownPortAddr')) if mibBuilder.loadTexts: hwBrasSbcIdoWellknownPortEntry.setStatus('current') hw_bras_sbc_ido_wellknown_port_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('clientaddr', 1), ('softxaddr', 2)))) if mibBuilder.loadTexts: hwBrasSbcIdoWellknownPortIndex.setStatus('current') hw_bras_sbc_ido_wellknown_port_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('ido', 1)))) if mibBuilder.loadTexts: hwBrasSbcIdoWellknownPortProtocol.setStatus('current') hw_bras_sbc_ido_wellknown_port_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 1, 1, 3), ip_address()) if mibBuilder.loadTexts: hwBrasSbcIdoWellknownPortAddr.setStatus('current') hw_bras_sbc_ido_wellknown_port_port = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 1, 1, 4), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcIdoWellknownPortPort.setStatus('current') hw_bras_sbc_ido_wellknown_port_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 1, 1, 5), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcIdoWellknownPortRowStatus.setStatus('current') hw_bras_sbc_ido_signal_map_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 2)) if mibBuilder.loadTexts: hwBrasSbcIdoSignalMapTable.setStatus('current') hw_bras_sbc_ido_signal_map_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 2, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIdoSignalMapAddr'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIdoSignalMapProtocol')) if mibBuilder.loadTexts: hwBrasSbcIdoSignalMapEntry.setStatus('current') hw_bras_sbc_ido_signal_map_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 2, 1, 1), ip_address()) if mibBuilder.loadTexts: hwBrasSbcIdoSignalMapAddr.setStatus('current') hw_bras_sbc_ido_signal_map_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('ido', 1)))) if mibBuilder.loadTexts: hwBrasSbcIdoSignalMapProtocol.setStatus('current') hw_bras_sbc_ido_signal_map_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 2, 1, 3), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcIdoSignalMapNumber.setStatus('current') hw_bras_sbc_ido_signal_map_addr_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('client', 1), ('server', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcIdoSignalMapAddrType.setStatus('current') hw_bras_sbc_ido_intercom_map_signal_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 3)) if mibBuilder.loadTexts: hwBrasSbcIdoIntercomMapSignalTable.setStatus('current') hw_bras_sbc_ido_intercom_map_signal_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 3, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIdoIntercomMapSignalAddr'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIdoIntercomMapSignalProtocol')) if mibBuilder.loadTexts: hwBrasSbcIdoIntercomMapSignalEntry.setStatus('current') hw_bras_sbc_ido_intercom_map_signal_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 3, 1, 1), ip_address()) if mibBuilder.loadTexts: hwBrasSbcIdoIntercomMapSignalAddr.setStatus('current') hw_bras_sbc_ido_intercom_map_signal_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 3, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('ido', 1)))) if mibBuilder.loadTexts: hwBrasSbcIdoIntercomMapSignalProtocol.setStatus('current') hw_bras_sbc_ido_intercom_map_signal_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 3, 1, 3), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcIdoIntercomMapSignalNumber.setStatus('current') hw_bras_sbc_ido_stat_signal_packet_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 4)) if mibBuilder.loadTexts: hwBrasSbcIdoStatSignalPacketTable.setStatus('current') hw_bras_sbc_ido_stat_signal_packet_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 4, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIdoStatSignalPacketIndex')) if mibBuilder.loadTexts: hwBrasSbcIdoStatSignalPacketEntry.setStatus('current') hw_bras_sbc_ido_stat_signal_packet_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 4, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('ido', 1)))) if mibBuilder.loadTexts: hwBrasSbcIdoStatSignalPacketIndex.setStatus('current') hw_bras_sbc_ido_stat_signal_packet_in_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 4, 1, 2), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcIdoStatSignalPacketInNumber.setStatus('current') hw_bras_sbc_ido_stat_signal_packet_in_octet = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 4, 1, 3), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcIdoStatSignalPacketInOctet.setStatus('current') hw_bras_sbc_ido_stat_signal_packet_out_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 4, 1, 4), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcIdoStatSignalPacketOutNumber.setStatus('current') hw_bras_sbc_ido_stat_signal_packet_out_octet = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 4, 1, 5), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcIdoStatSignalPacketOutOctet.setStatus('current') hw_bras_sbc_ido_stat_signal_packet_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 6, 2, 4, 1, 6), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcIdoStatSignalPacketRowStatus.setStatus('current') hw_bras_sbc_h248 = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7)) hw_bras_sbc_h248_leaves = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 1)) hw_bras_sbc_h248_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 1, 1), hw_bras_enabled_status().clone('enabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcH248Enable.setStatus('current') hw_bras_sbc_h248_syslog_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 1, 2), hw_bras_enabled_status().clone('enabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcH248SyslogEnable.setStatus('current') hw_bras_sbc_h248_ccb_timer = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(10, 14400))).setUnits('minutes').setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcH248CcbTimer.setStatus('current') hw_bras_sbc_h248_user_age_timer = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 1, 4), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 3600))).setUnits('seconds').setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcH248UserAgeTimer.setStatus('current') hw_bras_sbc_h248_pdh_count_limit = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 1, 5), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 100)).clone(6)).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcH248PDHCountLimit.setStatus('current') hw_bras_sbc_h248_tables = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2)) hw_bras_sbc_h248_wellknown_port_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 1)) if mibBuilder.loadTexts: hwBrasSbcH248WellknownPortTable.setStatus('current') hw_bras_sbc_h248_wellknown_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 1, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH248WellknownPortIndex'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH248WellknownPortProtocol'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH248WellknownPortAddr')) if mibBuilder.loadTexts: hwBrasSbcH248WellknownPortEntry.setStatus('current') hw_bras_sbc_h248_wellknown_port_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('clientaddr', 1), ('softxaddr', 2)))) if mibBuilder.loadTexts: hwBrasSbcH248WellknownPortIndex.setStatus('current') hw_bras_sbc_h248_wellknown_port_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('h248', 1)))) if mibBuilder.loadTexts: hwBrasSbcH248WellknownPortProtocol.setStatus('current') hw_bras_sbc_h248_wellknown_port_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 1, 1, 3), ip_address()) if mibBuilder.loadTexts: hwBrasSbcH248WellknownPortAddr.setStatus('current') hw_bras_sbc_h248_wellknown_port_port = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 1, 1, 4), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcH248WellknownPortPort.setStatus('current') hw_bras_sbc_h248_wellknown_port_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 1, 1, 5), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcH248WellknownPortRowStatus.setStatus('current') hw_bras_sbc_h248_signal_map_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 2)) if mibBuilder.loadTexts: hwBrasSbcH248SignalMapTable.setStatus('current') hw_bras_sbc_h248_signal_map_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 2, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH248SignalMapAddr'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH248SignalMapProtocol')) if mibBuilder.loadTexts: hwBrasSbcH248SignalMapEntry.setStatus('current') hw_bras_sbc_h248_signal_map_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 2, 1, 1), ip_address()) if mibBuilder.loadTexts: hwBrasSbcH248SignalMapAddr.setStatus('current') hw_bras_sbc_h248_signal_map_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('h248', 1)))) if mibBuilder.loadTexts: hwBrasSbcH248SignalMapProtocol.setStatus('current') hw_bras_sbc_h248_signal_map_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 2, 1, 3), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcH248SignalMapNumber.setStatus('current') hw_bras_sbc_h248_signal_map_addr_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('client', 1), ('server', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcH248SignalMapAddrType.setStatus('current') hw_bras_sbc_h248_media_map_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 3)) if mibBuilder.loadTexts: hwBrasSbcH248MediaMapTable.setStatus('current') hw_bras_sbc_h248_media_map_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 3, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH248MediaMapAddr'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH248MediaMapProtocol')) if mibBuilder.loadTexts: hwBrasSbcH248MediaMapEntry.setStatus('current') hw_bras_sbc_h248_media_map_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 3, 1, 1), ip_address()) if mibBuilder.loadTexts: hwBrasSbcH248MediaMapAddr.setStatus('current') hw_bras_sbc_h248_media_map_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 3, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('h248', 1)))) if mibBuilder.loadTexts: hwBrasSbcH248MediaMapProtocol.setStatus('current') hw_bras_sbc_h248_media_map_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 3, 1, 3), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcH248MediaMapNumber.setStatus('current') hw_bras_sbc_h248_intercom_map_signal_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 4)) if mibBuilder.loadTexts: hwBrasSbcH248IntercomMapSignalTable.setStatus('current') hw_bras_sbc_h248_intercom_map_signal_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 4, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH248IntercomMapSignalAddr'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH248IntercomMapSignalProtocol')) if mibBuilder.loadTexts: hwBrasSbcH248IntercomMapSignalEntry.setStatus('current') hw_bras_sbc_h248_intercom_map_signal_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 4, 1, 1), ip_address()) if mibBuilder.loadTexts: hwBrasSbcH248IntercomMapSignalAddr.setStatus('current') hw_bras_sbc_h248_intercom_map_signal_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 4, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('h248', 1)))) if mibBuilder.loadTexts: hwBrasSbcH248IntercomMapSignalProtocol.setStatus('current') hw_bras_sbc_h248_intercom_map_signal_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 4, 1, 3), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcH248IntercomMapSignalNumber.setStatus('current') hw_bras_sbc_h248_intercom_map_media_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 5)) if mibBuilder.loadTexts: hwBrasSbcH248IntercomMapMediaTable.setStatus('current') hw_bras_sbc_h248_intercom_map_media_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 5, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH248IntercomMapMediaAddr'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH248IntercomMapMediaProtocol')) if mibBuilder.loadTexts: hwBrasSbcH248IntercomMapMediaEntry.setStatus('current') hw_bras_sbc_h248_intercom_map_media_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 5, 1, 1), ip_address()) if mibBuilder.loadTexts: hwBrasSbcH248IntercomMapMediaAddr.setStatus('current') hw_bras_sbc_h248_intercom_map_media_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 5, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('h248', 1)))) if mibBuilder.loadTexts: hwBrasSbcH248IntercomMapMediaProtocol.setStatus('current') hw_bras_sbc_h248_intercom_map_media_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 5, 1, 3), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcH248IntercomMapMediaNumber.setStatus('current') hw_bras_sbc_h248_stat_signal_packet_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 6)) if mibBuilder.loadTexts: hwBrasSbcH248StatSignalPacketTable.setStatus('current') hw_bras_sbc_h248_stat_signal_packet_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 6, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH248StatSignalPacketIndex')) if mibBuilder.loadTexts: hwBrasSbcH248StatSignalPacketEntry.setStatus('current') hw_bras_sbc_h248_stat_signal_packet_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 6, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('h248', 1)))) if mibBuilder.loadTexts: hwBrasSbcH248StatSignalPacketIndex.setStatus('current') hw_bras_sbc_h248_stat_signal_packet_in_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 6, 1, 2), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcH248StatSignalPacketInNumber.setStatus('current') hw_bras_sbc_h248_stat_signal_packet_in_octet = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 6, 1, 3), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcH248StatSignalPacketInOctet.setStatus('current') hw_bras_sbc_h248_stat_signal_packet_out_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 6, 1, 4), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcH248StatSignalPacketOutNumber.setStatus('current') hw_bras_sbc_h248_stat_signal_packet_out_octet = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 6, 1, 5), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcH248StatSignalPacketOutOctet.setStatus('current') hw_bras_sbc_h248_stat_signal_packet_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 7, 2, 6, 1, 6), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcH248StatSignalPacketRowStatus.setStatus('current') hw_bras_sbc_upath = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8)) hw_bras_sbc_upath_leaves = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 2)) hw_bras_sbc_upath_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 2, 1), hw_bras_enabled_status().clone('enabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcUpathEnable.setStatus('current') hw_bras_sbc_upath_syslog_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 2, 2), hw_bras_enabled_status().clone('enabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcUpathSyslogEnable.setStatus('current') hw_bras_sbc_upath_callsession_timer = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 2, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 24)).clone(12)).setUnits('hours').setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcUpathCallsessionTimer.setStatus('current') hw_bras_sbc_upath_heartbeat_timer = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 2, 4), unsigned32().subtype(subtypeSpec=value_range_constraint(10, 30)).clone(10)).setUnits('seconds').setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcUpathHeartbeatTimer.setStatus('current') hw_bras_sbc_upath_tables = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3)) hw_bras_sbc_upath_wellknown_port_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 1)) if mibBuilder.loadTexts: hwBrasSbcUpathWellknownPortTable.setStatus('current') hw_bras_sbc_upath_wellknown_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 1, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUpathWellknownPortIndex'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUpathWellknownPortProtocol'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUpathWellknownPortAddr')) if mibBuilder.loadTexts: hwBrasSbcUpathWellknownPortEntry.setStatus('current') hw_bras_sbc_upath_wellknown_port_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('clientaddr', 1), ('softxaddr', 2)))) if mibBuilder.loadTexts: hwBrasSbcUpathWellknownPortIndex.setStatus('current') hw_bras_sbc_upath_wellknown_port_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('upath', 1)))) if mibBuilder.loadTexts: hwBrasSbcUpathWellknownPortProtocol.setStatus('current') hw_bras_sbc_upath_wellknown_port_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 1, 1, 3), ip_address()) if mibBuilder.loadTexts: hwBrasSbcUpathWellknownPortAddr.setStatus('current') hw_bras_sbc_upath_wellknown_port_port = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 1, 1, 4), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcUpathWellknownPortPort.setStatus('current') hw_bras_sbc_upath_wellknown_port_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 1, 1, 5), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hwBrasSbcUpathWellknownPortRowStatus.setStatus('current') hw_bras_sbc_upath_signal_map_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 2)) if mibBuilder.loadTexts: hwBrasSbcUpathSignalMapTable.setStatus('current') hw_bras_sbc_upath_signal_map_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 2, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUpathSignalMapAddr'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUpathSignalMapProtocol')) if mibBuilder.loadTexts: hwBrasSbcUpathSignalMapEntry.setStatus('current') hw_bras_sbc_upath_signal_map_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 2, 1, 1), ip_address()) if mibBuilder.loadTexts: hwBrasSbcUpathSignalMapAddr.setStatus('current') hw_bras_sbc_upath_signal_map_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('upath', 1)))) if mibBuilder.loadTexts: hwBrasSbcUpathSignalMapProtocol.setStatus('current') hw_bras_sbc_upath_signal_map_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 2, 1, 3), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcUpathSignalMapNumber.setStatus('current') hw_bras_sbc_upath_signal_map_addr_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('client', 1), ('server', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcUpathSignalMapAddrType.setStatus('current') hw_bras_sbc_upath_media_map_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 3)) if mibBuilder.loadTexts: hwBrasSbcUpathMediaMapTable.setStatus('current') hw_bras_sbc_upath_media_map_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 3, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUpathMediaMapAddr'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUpathMediaMapProtocol')) if mibBuilder.loadTexts: hwBrasSbcUpathMediaMapEntry.setStatus('current') hw_bras_sbc_upath_media_map_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 3, 1, 1), ip_address()) if mibBuilder.loadTexts: hwBrasSbcUpathMediaMapAddr.setStatus('current') hw_bras_sbc_upath_media_map_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 3, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('upath', 1)))) if mibBuilder.loadTexts: hwBrasSbcUpathMediaMapProtocol.setStatus('current') hw_bras_sbc_upath_media_map_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 3, 1, 3), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcUpathMediaMapNumber.setStatus('current') hw_bras_sbc_upath_intercom_map_signal_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 4)) if mibBuilder.loadTexts: hwBrasSbcUpathIntercomMapSignalTable.setStatus('current') hw_bras_sbc_upath_intercom_map_signal_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 4, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUpathIntercomMapSignalAddr'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUpathIntercomMapSignalProtocol')) if mibBuilder.loadTexts: hwBrasSbcUpathIntercomMapSignalEntry.setStatus('current') hw_bras_sbc_upath_intercom_map_signal_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 4, 1, 1), ip_address()) if mibBuilder.loadTexts: hwBrasSbcUpathIntercomMapSignalAddr.setStatus('current') hw_bras_sbc_upath_intercom_map_signal_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 4, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('upath', 1)))) if mibBuilder.loadTexts: hwBrasSbcUpathIntercomMapSignalProtocol.setStatus('current') hw_bras_sbc_upath_intercom_map_signal_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 4, 1, 3), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcUpathIntercomMapSignalNumber.setStatus('current') hw_bras_sbc_upath_intercom_map_media_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 5)) if mibBuilder.loadTexts: hwBrasSbcUpathIntercomMapMediaTable.setStatus('current') hw_bras_sbc_upath_intercom_map_media_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 5, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUpathIntercomMapMediaAddr'), (0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUpathIntercomMapMediaProtocol')) if mibBuilder.loadTexts: hwBrasSbcUpathIntercomMapMediaEntry.setStatus('current') hw_bras_sbc_upath_intercom_map_media_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 5, 1, 1), ip_address()) if mibBuilder.loadTexts: hwBrasSbcUpathIntercomMapMediaAddr.setStatus('current') hw_bras_sbc_upath_intercom_map_media_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 5, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('upath', 1)))) if mibBuilder.loadTexts: hwBrasSbcUpathIntercomMapMediaProtocol.setStatus('current') hw_bras_sbc_upath_intercom_map_media_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 5, 1, 3), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcUpathIntercomMapMediaNumber.setStatus('current') hw_bras_sbc_upath_stat_signal_packet_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 6)) if mibBuilder.loadTexts: hwBrasSbcUpathStatSignalPacketTable.setStatus('current') hw_bras_sbc_upath_stat_signal_packet_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 6, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUpathStatSignalPacketIndex')) if mibBuilder.loadTexts: hwBrasSbcUpathStatSignalPacketEntry.setStatus('current') hw_bras_sbc_upath_stat_signal_packet_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 6, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('upath', 1)))) if mibBuilder.loadTexts: hwBrasSbcUpathStatSignalPacketIndex.setStatus('current') hw_bras_sbc_upath_stat_signal_packet_in_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 6, 1, 2), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcUpathStatSignalPacketInNumber.setStatus('current') hw_bras_sbc_upath_stat_signal_packet_in_octet = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 6, 1, 3), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcUpathStatSignalPacketInOctet.setStatus('current') hw_bras_sbc_upath_stat_signal_packet_out_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 6, 1, 4), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcUpathStatSignalPacketOutNumber.setStatus('current') hw_bras_sbc_upath_stat_signal_packet_out_octet = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 6, 1, 5), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: hwBrasSbcUpathStatSignalPacketOutOctet.setStatus('current') hw_bras_sbc_upath_stat_signal_packet_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 8, 3, 6, 1, 6), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcUpathStatSignalPacketRowStatus.setStatus('current') hw_bras_sbc_om = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 21)) hw_bras_sbc_om_leaves = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 21, 1)) hw_bras_sbc_restart_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 21, 1, 1), hw_bras_enabled_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcRestartEnable.setStatus('current') hw_bras_sbc_restart_button = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 21, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 101))).clone(namedValues=named_values(('notready', 1), ('restart', 101)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcRestartButton.setStatus('current') hw_bras_sbc_patch_load_status = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 21, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('unknown', 1), ('loaded', 2))).clone('unknown')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcPatchLoadStatus.setStatus('current') hw_bras_sbc_localization_status = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 21, 1, 4), hw_bras_enabled_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: hwBrasSbcLocalizationStatus.setStatus('current') hw_bras_sbc_om_tables = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 1, 21, 2)) hw_bras_sbc_trap_bind = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2)) hw_bras_sbc_trap_bind_leaves = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 1)) hw_bras_sbc_trap_bind_tables = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2)) hw_bras_sbc_trap_bind_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 1)) if mibBuilder.loadTexts: hwBrasSbcTrapBindTable.setStatus('current') hw_bras_sbc_trap_bind_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 1, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindIndex')) if mibBuilder.loadTexts: hwBrasSbcTrapBindEntry.setStatus('current') hw_bras_sbc_trap_bind_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('trapbind', 1)))) if mibBuilder.loadTexts: hwBrasSbcTrapBindIndex.setStatus('current') hw_bras_sbc_trap_bind_id = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 1, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(100, 299))).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: hwBrasSbcTrapBindID.setStatus('current') hw_bras_sbc_trap_bind_time = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 1, 1, 3), date_and_time()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: hwBrasSbcTrapBindTime.setStatus('current') hw_bras_sbc_trap_bind_flu_id = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 1, 1, 4), unsigned32()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: hwBrasSbcTrapBindFluID.setStatus('current') hw_bras_sbc_trap_bind_reason = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 1, 1, 5), unsigned32().subtype(subtypeSpec=value_range_constraint(100, 299))).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: hwBrasSbcTrapBindReason.setStatus('current') hw_bras_sbc_trap_bind_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 1, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('notify', 0), ('alarm', 1), ('resume', 2), ('sync', 3)))).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: hwBrasSbcTrapBindType.setStatus('current') hw_bras_sbc_trap_info_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 2)) if mibBuilder.loadTexts: hwBrasSbcTrapInfoTable.setStatus('current') hw_bras_sbc_trap_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 2, 1)).setIndexNames((0, 'HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapInfoIndex')) if mibBuilder.loadTexts: hwBrasSbcTrapInfoEntry.setStatus('current') hw_bras_sbc_trap_info_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 2, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('trap', 1)))) if mibBuilder.loadTexts: hwBrasSbcTrapInfoIndex.setStatus('current') hw_bras_sbc_trap_info_cpu = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 2, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: hwBrasSbcTrapInfoCpu.setStatus('current') hw_bras_sbc_trap_info_hrp = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('action', 1)))).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: hwBrasSbcTrapInfoHrp.setStatus('current') hw_bras_sbc_trap_info_signaling_flood = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 2, 1, 4), unsigned32()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: hwBrasSbcTrapInfoSignalingFlood.setStatus('current') hw_bras_sbc_trap_info_cac = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 2, 1, 5), unsigned32()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: hwBrasSbcTrapInfoCac.setStatus('current') hw_bras_sbc_trap_info_statistic = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 2, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('action', 1)))).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: hwBrasSbcTrapInfoStatistic.setStatus('current') hw_bras_sbc_trap_info_port_statistic = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 2, 1, 7), unsigned32()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: hwBrasSbcTrapInfoPortStatistic.setStatus('current') hw_bras_sbc_trap_info_old_ssip = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 2, 1, 8), ip_address()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: hwBrasSbcTrapInfoOldSSIP.setStatus('current') hw_bras_sbc_trap_info_ims_con_id = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 2, 1, 9), unsigned32()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: hwBrasSbcTrapInfoImsConID.setStatus('current') hw_bras_sbc_trap_info_ims_ccb_id = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 2, 2, 2, 1, 10), unsigned32()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: hwBrasSbcTrapInfoImsCcbID.setStatus('current') hw_bras_sbc_comformance = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 3)) hw_bras_sbc_groups = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 3, 1)) hw_bras_sbc_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 3, 1, 1)) for _hw_bras_sbc_group_obj in [[('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSignalAddrMapRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcPortrangeBegin'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcPortrangeEnd'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcPortrangeRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSipEnable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSipWellknownPortPort'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSoftVersion'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcCpuUsage'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIadmsWellknownPortPort'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIadmsWellknownPortRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH323WellknownPortPort'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH323WellknownPortRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIdoWellknownPortPort'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIdoWellknownPortRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH248WellknownPortPort'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH248WellknownPortRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIadmsMibRegRegister'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIadmsMibRegRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSipWellknownPortRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSipSyslogEnable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSipAnonymity'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSipCheckheartEnable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSipCallsessionTimer'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMgcpAuepTimer'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMgcpCcbTimer'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMgcpTxTimer'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMgcpWellknownPortPort'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMgcpWellknownPortRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIadmsEnable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIadmsRegRefreshEnable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMgcpSyslogEnable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIadmsSyslogEnable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcStatisticDesc'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcStatisticValue'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcStatisticTime'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH248Enable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH248CcbTimer'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH248UserAgeTimer'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH323Enable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH323CallsessionTimer'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH248SyslogEnable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH323SyslogEnable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUpathEnable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUpathSyslogEnable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUpathCallsessionTimer'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUpathHeartbeatTimer'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIdoEnable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIdoSyslogEnable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH323Q931WellknownPort'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIntercomPrefixDestAddr'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIntercomPrefixSrcAddr'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIntercomPrefixRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcStatisticEnable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcStatisticSyslogEnable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcAppMode'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMediaDetectValidityEnable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMediaDetectSsrcEnable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMediaDetectPacketLength'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcInstanceName'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcInstanceRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMapGroupInstanceName'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMapGroupSessionLimit'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGMdCliAddrVPNName'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGMdCliAddrIf1'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGMdCliAddrSlotID1'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGMdCliAddrIf2'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGMdCliAddrSlotID2'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGMdCliAddrIf3'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGMdCliAddrSlotID3'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGMdCliAddrIf4'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGMdCliAddrSlotID4'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGMdServAddrVPNName'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGMdServAddrIf1'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGMdServAddrSlotID1'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGMdServAddrIf2'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGMdServAddrSlotID2'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGMdServAddrIf3'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGMdServAddrSlotID3'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGMdServAddrIf4'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGMdServAddrSlotID4'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcBackupGroupType'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcBackupGroupInstanceName'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcBackupGroupRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcCurrentSlotID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSlotCfgState'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSlotInforRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsMgLogEnable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsStatisticsEnable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTimerMediaAging'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsMGInstanceName'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcNatSessionAgingTime'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcNatGroupIndex'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcNatVpnNameIndex'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcNatInstanceName'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcNatCfgRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwNatAddrGrpBeginningIpAddr'), ('HUAWEI-BRAS-SBC-MIB', 'hwNatAddrGrpEndingIpAddr'), ('HUAWEI-BRAS-SBC-MIB', 'hwNatAddrGrpRefCount'), ('HUAWEI-BRAS-SBC-MIB', 'hwNatAddrGrpVpnName'), ('HUAWEI-BRAS-SBC-MIB', 'hwNatAddrGrpRowstatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcBWLimitType'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcBWLimitValue'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSessionCarDegreeBandWidth'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSessionCarDegreeDscp'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSessionCarDegreeRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSessionCarRuleName'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSessionCarRuleDegreeID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSessionCarRuleRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSessionCarEnable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSessionCarRuleDegreeBandWidth'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSessionCarRuleDegreeDscp'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSipMediaMapNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMgcpMediaMapNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH323MediaMapNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIadmsMediaMapNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUpathMediaMapNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH248MediaMapNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMediaUsersType'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMediaUsersCallerID1'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMediaUsersCallerID2'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMediaUsersCallerID3'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMediaUsersCallerID4'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMediaUsersCalleeID1'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMediaUsersCalleeID2'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMediaUsersCalleeID3'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMediaUsersCalleeID4'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMediaUsersRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMediaPassEnable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMediaPassRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUsergroupRuleType'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUsergroupRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMediaPassSyslogEnable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIadmsTimer'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMediaAddrMapServerAddr'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMediaAddrMapWeight'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMediaAddrMapRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcRoamlimitRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcRoamlimitEnable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcRoamlimitDefault'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcRoamlimitSyslogEnable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMediaPassAclNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcRtpSpecialAddrRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcRtpSpecialAddrAddr'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSipSignalMapNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSipIntercomMapSignalNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMgcpIntercomMapSignalNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMgcpIntercomMapMediaNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIadmsIntercomMapSignalNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIadmsIntercomMapMediaNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH323IntercomMapSignalNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH323IntercomMapMediaNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIdoIntercomMapSignalNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH248IntercomMapSignalNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH248IntercomMapMediaNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUpathIntercomMapSignalNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUpathIntercomMapMediaNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcRoamlimitExtendEnable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSipIntercomMapMediaNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSipSignalMapAddrType'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMgcpSignalMapNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMgcpSignalMapAddrType'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIadmsSignalMapNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIadmsSignalMapAddrType'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH323SignalMapNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH323SignalMapAddrType'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIdoSignalMapNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIdoSignalMapAddrType'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH248SignalMapNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH248SignalMapAddrType'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUpathSignalMapNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcRoamlimitAclNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUpathSignalMapAddrType'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUpathWellknownPortPort'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUpathStatSignalPacketInNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUpathStatSignalPacketInOctet'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUpathStatSignalPacketOutNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUpathStatSignalPacketOutOctet'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUpathStatSignalPacketRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH248StatSignalPacketInNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH248StatSignalPacketInOctet'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH248StatSignalPacketOutNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH248StatSignalPacketOutOctet'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH248StatSignalPacketRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIdoStatSignalPacketInNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIdoStatSignalPacketInOctet'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIdoStatSignalPacketOutNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIdoStatSignalPacketOutOctet'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIdoStatSignalPacketRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH323StatSignalPacketInNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH323StatSignalPacketInOctet'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH323StatSignalPacketOutNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH323StatSignalPacketOutOctet'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH323StatSignalPacketRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIadmsStatSignalPacketInNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIadmsStatSignalPacketInOctet'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIadmsStatSignalPacketOutNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIadmsStatSignalPacketOutOctet'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIadmsStatSignalPacketRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMgcpStatSignalPacketInNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMgcpStatSignalPacketInOctet'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMgcpStatSignalPacketOutNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMgcpStatSignalPacketOutOctet'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMgcpStatSignalPacketRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSipStatSignalPacketInNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSipStatSignalPacketInOctet'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSipStatSignalPacketOutNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSipStatSignalPacketOutOctet'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSipStatSignalPacketRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcStatMediaPacketNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcStatMediaPacketOctet'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcStatMediaPacketRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcCacRegRateThreshold'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcCacRegRatePercent'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcCacRegRateRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcCacRegTotalThreshold'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcCacRegTotalPercent'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcCacRegTotalRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcCacCallRateThreshold'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcCacCallRatePercent'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcCacCallRateRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcCacCallTotalThreshold'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcCacCallTotalPercent'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcCacCallTotalRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcDefendUserConnectRateThreshold'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcDefendUserConnectRatePercent'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcDefendUserConnectRateRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcDefendConnectRateThreshold'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcDefendConnectRatePercent'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcDefendConnectRateRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcDefendEnable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcDefendMode'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcDefendActionLogEnable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcCacEnable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUpathWellknownPortRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUsergroupRuleUserName'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUsergroupRuleRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUdpTunnelPortRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUdpTunnelIfPortRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUdpTunnelEnable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUdpTunnelType'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUdpTunnelSctpAddr'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUdpTunnelTunnelTimer'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUdpTunnelTransportTimer'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUdpTunnelPoolRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMgcpEnable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUdpTunnelPoolStartIP'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUdpTunnelPoolEndIP'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIntMediaPassEnable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSignalAddrMapSoftAddr'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSignalAddrMapIadmsAddr'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcRestartEnable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcRestartButton'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcUmsVersion'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMapGroupsType'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMapGroupsStatus')], [('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMapGroupsRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGCliAddrVPN'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGCliAddrIP'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGCliAddrRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGServAddrVPN'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGServAddrRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGSofxAddrVPN'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGSofxAddrRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGIadmsAddrVPN'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGIadmsAddrRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGProtocolRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGPrefixID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGPrefixRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGMdCliAddrVPN'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGMdCliAddrRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGMdServAddrVPN'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGMdServAddrRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGMatchAcl'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGMatchRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcHrpSynchronization'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGIadmsAddrIP1'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGIadmsAddrIP2'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGIadmsAddrIP3'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGIadmsAddrIP4'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGSofxAddrIP1'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGSofxAddrIP2'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGSofxAddrIP3'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGSofxAddrIP4'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGMdServAddrIP1'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGMdServAddrIP2'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGMdServAddrIP3'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGMdServAddrIP4'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGMdCliAddrIP1'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGMdCliAddrIP2'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGMdCliAddrIP3'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGMdCliAddrIP4'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGServAddrIP1'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGServAddrIP2'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGServAddrIP3'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGServAddrIP4'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGProtocolSip'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGProtocolMgcp'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGProtocolH323'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGProtocolIadms'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGProtocolUpath'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGProtocolH248'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcPatchLoadStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsActiveStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsActiveRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsBandIfIndex'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsBandIfName'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsBandIfType'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsBandValue'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsBandRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsConnectPepID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsConnectCliType'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsConnectServIP'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsConnectServPort'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsConnectRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsQosEnable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsMediaProxyEnable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsQosLogEnable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsMediaProxyLogEnable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcCacActionLogStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsConnectCliIP'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH248PDHCountLimit'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcH323PDHCountLimit'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMgcpPDHCountLimit'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSipPDHCountLimit'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSipRegReduceStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSipRegReduceTimer'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcDHSIPDetectStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcDHSIPDetectTimer'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcDHSIPDetectSourcePort'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcDHSIPDetectFailCount'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSoftswitchPortPort'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSoftswitchPortRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIadmsPortPort'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIadmsPortRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcClientPortPort01'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcClientPortPort02'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcClientPortPort03'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcClientPortPort04'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcClientPortPort05'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcClientPortPort06'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcClientPortPort07'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcClientPortPort08'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcClientPortPort09'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcClientPortPort10'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcClientPortPort11'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcClientPortPort12'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcClientPortPort13'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcClientPortPort14'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcClientPortPort15'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcClientPortPort16'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcClientPortRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIntercomStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcQRStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcQRBandWidth'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIPCarBWValue'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIPCarBWRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcDynamicStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSignalingCarStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIPCarStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsMGDomainMapIndex'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsMGDomainRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsMGIPVersion'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsMGIPAddr'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsMGIPInterface'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsMGIPPort'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsMGIPRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsMGDescription'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsMGTableStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsMGProtocol'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsMGMidString'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsMGRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsMGStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsMGConnectTimer'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsMGAgingTimer'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsMGCallSessionTimer'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSctpStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIdlecutRtcpTimer'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIdlecutRtpTimer'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMediaDetectStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMediaOnewayStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMDStatisticMinDrop'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMDStatisticMaxDrop'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMDStatisticFragDrop'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMDStatisticFlowDrop'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMDStatisticRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMDLengthMin'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMDLengthMax'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMDLengthRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMDStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcDefendExtStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsConnectCliPort'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGPortNumber'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcMGPortRowStatus'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIntercomEnable'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcLocalizationStatus')]]: if getattr(mibBuilder, 'version', 0) < (4, 4, 2): hw_bras_sbc_group = hwBrasSbcGroup.setObjects(*_hwBrasSbcGroup_obj) else: hw_bras_sbc_group = hwBrasSbcGroup.setObjects(*_hwBrasSbcGroup_obj, **dict(append=True)) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): hw_bras_sbc_group = hwBrasSbcGroup.setStatus('current') hw_bras_sbc_trap_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 3, 1, 2)).setObjects(('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindTime'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindFluID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindReason'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindType'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapInfoCpu'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapInfoHrp'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapInfoSignalingFlood'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapInfoCac'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapInfoStatistic'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapInfoPortStatistic'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapInfoImsConID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapInfoImsCcbID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapInfoOldSSIP'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcDHSIPDetectFailCount')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): hw_bras_sbc_trap_group = hwBrasSbcTrapGroup.setStatus('current') hw_bras_sbc_capabilities = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 3, 2)) hw_bras_sbc_notification = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4)) hw_bras_sbc_cpu = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 1)).setObjects(('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapInfoCpu'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindTime'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindFluID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindReason'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindType')) if mibBuilder.loadTexts: hwBrasSbcCpu.setStatus('current') hw_bras_sbc_cpu_normal = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 2)).setObjects(('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapInfoCpu'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindTime'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindFluID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindReason'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindType')) if mibBuilder.loadTexts: hwBrasSbcCpuNormal.setStatus('current') hw_bras_sbc_hrp = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 3)).setObjects(('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapInfoHrp'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindTime'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindFluID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindReason'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindType')) if mibBuilder.loadTexts: hwBrasSbcHrp.setStatus('current') hw_bras_sbc_signaling_flood = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 4)).setObjects(('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapInfoSignalingFlood'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindTime'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindFluID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindReason'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindType')) if mibBuilder.loadTexts: hwBrasSbcSignalingFlood.setStatus('current') hw_bras_sbc_signaling_flood_normal = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 5)).setObjects(('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapInfoSignalingFlood'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindTime'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindFluID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindReason'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindType')) if mibBuilder.loadTexts: hwBrasSbcSignalingFloodNormal.setStatus('current') hw_bras_sbc_cac = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 6)).setObjects(('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapInfoCac'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindTime'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindFluID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindReason'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindType')) if mibBuilder.loadTexts: hwBrasSbcCac.setStatus('current') hw_bras_sbc_cac_normal = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 7)).setObjects(('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapInfoCac'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindTime'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindFluID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindReason'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindType')) if mibBuilder.loadTexts: hwBrasSbcCacNormal.setStatus('current') hw_bras_sbc_statistic = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 8)).setObjects(('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapInfoStatistic'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindTime'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindFluID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindReason'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindType')) if mibBuilder.loadTexts: hwBrasSbcStatistic.setStatus('current') hw_bras_sbc_port_statistic = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 9)).setObjects(('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapInfoPortStatistic'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindTime'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindFluID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindReason'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindType')) if mibBuilder.loadTexts: hwBrasSbcPortStatistic.setStatus('current') hw_bras_sbc_port_statistic_normal = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 10)).setObjects(('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapInfoPortStatistic'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindTime'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindFluID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindReason'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindType')) if mibBuilder.loadTexts: hwBrasSbcPortStatisticNormal.setStatus('current') hw_bras_sbc_dh_switch = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 11)).setObjects(('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcDHSIPDetectFailCount'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapInfoOldSSIP'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindTime'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindFluID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindReason'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindType')) if mibBuilder.loadTexts: hwBrasSbcDHSwitch.setStatus('current') hw_bras_sbc_dh_switch_normal = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 12)).setObjects(('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapInfoOldSSIP'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindTime'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindFluID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindReason'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindType')) if mibBuilder.loadTexts: hwBrasSbcDHSwitchNormal.setStatus('current') hw_bras_sbc_ims_rpt_fail = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 13)).setObjects(('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapInfoImsConID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindTime'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindFluID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindReason'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindType')) if mibBuilder.loadTexts: hwBrasSbcImsRptFail.setStatus('current') hw_bras_sbc_ims_rpt_drq = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 14)).setObjects(('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapInfoImsConID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindTime'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindFluID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindReason'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindType')) if mibBuilder.loadTexts: hwBrasSbcImsRptDrq.setStatus('current') hw_bras_sbc_ims_time_out = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 15)).setObjects(('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapInfoImsCcbID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindTime'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindFluID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindReason'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindType')) if mibBuilder.loadTexts: hwBrasSbcImsTimeOut.setStatus('current') hw_bras_sbc_ims_sess_create = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 16)).setObjects(('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapInfoImsCcbID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindTime'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindFluID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindReason'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindType')) if mibBuilder.loadTexts: hwBrasSbcImsSessCreate.setStatus('current') hw_bras_sbc_ims_sess_delete = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 17)).setObjects(('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapInfoImsCcbID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindTime'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindFluID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindReason'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindType')) if mibBuilder.loadTexts: hwBrasSbcImsSessDelete.setStatus('current') hw_bras_sbc_cops_link_up = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 18)).setObjects(('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapInfoImsConID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindTime'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindFluID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindReason'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindType')) if mibBuilder.loadTexts: hwBrasSbcCopsLinkUp.setStatus('current') hw_bras_sbc_cops_link_down = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 19)).setObjects(('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapInfoImsConID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindTime'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindFluID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindReason'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindType')) if mibBuilder.loadTexts: hwBrasSbcCopsLinkDown.setStatus('current') hw_bras_sbc_ia_link_up = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 20)).setObjects(('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapInfoImsConID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindTime'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindFluID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindReason'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindType')) if mibBuilder.loadTexts: hwBrasSbcIaLinkUp.setStatus('current') hw_bras_sbc_ia_link_down = notification_type((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 4, 21)).setObjects(('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapInfoImsConID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindTime'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindFluID'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindReason'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcTrapBindType')) if mibBuilder.loadTexts: hwBrasSbcIaLinkDown.setStatus('current') hw_bras_sbc_notification_groups = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 5)) hw_bras_sbc_notification_group = notification_group((1, 3, 6, 1, 4, 1, 2011, 5, 25, 40, 25, 2, 5, 1)).setObjects(('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcCpu'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcCpuNormal'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcHrp'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSignalingFlood'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcSignalingFloodNormal'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcCac'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcCacNormal'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcStatistic'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcPortStatistic'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcPortStatisticNormal'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcDHSwitch'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcDHSwitchNormal'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsRptFail'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsRptDrq'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsTimeOut'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsSessCreate'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcImsSessDelete'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcCopsLinkUp'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcCopsLinkDown'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIaLinkUp'), ('HUAWEI-BRAS-SBC-MIB', 'hwBrasSbcIaLinkDown')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): hw_bras_sbc_notification_group = hwBrasSbcNotificationGroup.setStatus('current') mibBuilder.exportSymbols('HUAWEI-BRAS-SBC-MIB', hwBrasSbcMgcpMediaMapProtocol=hwBrasSbcMgcpMediaMapProtocol, hwBrasSbcIdoWellknownPortRowStatus=hwBrasSbcIdoWellknownPortRowStatus, hwBrasSbcIdoLeaves=hwBrasSbcIdoLeaves, hwBrasSbcMapGroupsType=hwBrasSbcMapGroupsType, hwBrasSbcUdpTunnelPortPort=hwBrasSbcUdpTunnelPortPort, hwBrasSbcMGSofxAddrRowStatus=hwBrasSbcMGSofxAddrRowStatus, hwBrasSbcH248MediaMapProtocol=hwBrasSbcH248MediaMapProtocol, hwBrasSbcIadmsMibRegRegister=hwBrasSbcIadmsMibRegRegister, hwBrasSbcSessionCarDegreeID=hwBrasSbcSessionCarDegreeID, hwBrasSbcClientPortPort03=hwBrasSbcClientPortPort03, hwBrasSbcCopsLinkUp=hwBrasSbcCopsLinkUp, hwBrasSbcStatisticOffset=hwBrasSbcStatisticOffset, hwBrasSbcCacCallRatePercent=hwBrasSbcCacCallRatePercent, hwBrasSbcUsergroupRowStatus=hwBrasSbcUsergroupRowStatus, hwBrasSbcUdpTunnelTunnelTimer=hwBrasSbcUdpTunnelTunnelTimer, hwBrasSbcSipIntercomMapSignalTable=hwBrasSbcSipIntercomMapSignalTable, hwBrasSbcMgcpLeaves=hwBrasSbcMgcpLeaves, hwBrasSbcMGMdServAddrIf1=hwBrasSbcMGMdServAddrIf1, hwBrasSbcImsConnectTable=hwBrasSbcImsConnectTable, hwBrasSbcClientPortPort02=hwBrasSbcClientPortPort02, hwBrasSbcMDLengthRowStatus=hwBrasSbcMDLengthRowStatus, hwBrasSbcIntercomPrefixSrcAddr=hwBrasSbcIntercomPrefixSrcAddr, hwBrasSbcViewTables=hwBrasSbcViewTables, hwBrasSbcIdlecutRtcpTimer=hwBrasSbcIdlecutRtcpTimer, hwBrasSbcPortrangeTable=hwBrasSbcPortrangeTable, hwBrasSbcMediaAddrMapRowStatus=hwBrasSbcMediaAddrMapRowStatus, hwBrasSbcClientPortRowStatus=hwBrasSbcClientPortRowStatus, hwBrasSbcMGSofxAddrIP1=hwBrasSbcMGSofxAddrIP1, hwBrasSbcIadmsSignalMapTable=hwBrasSbcIadmsSignalMapTable, hwBrasSbcSoftswitchPortEntry=hwBrasSbcSoftswitchPortEntry, hwBrasSbcUdpTunnelPoolStartIP=hwBrasSbcUdpTunnelPoolStartIP, hwBrasSbcH248IntercomMapSignalEntry=hwBrasSbcH248IntercomMapSignalEntry, hwBrasSbcUpathIntercomMapSignalNumber=hwBrasSbcUpathIntercomMapSignalNumber, hwBrasSbcIadmsSignalMapNumber=hwBrasSbcIadmsSignalMapNumber, hwBrasSbcMgcpSignalMapEntry=hwBrasSbcMgcpSignalMapEntry, hwBrasSbcH248WellknownPortTable=hwBrasSbcH248WellknownPortTable, hwBrasSbcImsMGMidString=hwBrasSbcImsMGMidString, hwBrasSbcIadmsTimer=hwBrasSbcIadmsTimer, hwBrasSbcRoamlimitAclNumber=hwBrasSbcRoamlimitAclNumber, hwBrasSbcSessionCarEnable=hwBrasSbcSessionCarEnable, hwBrasSbcH248MediaMapTable=hwBrasSbcH248MediaMapTable, hwBrasSbcSoftswitchPortRowStatus=hwBrasSbcSoftswitchPortRowStatus, hwBrasSbcBWLimitType=hwBrasSbcBWLimitType, hwBrasSbcClientPortPort01=hwBrasSbcClientPortPort01, hwBrasSbcMGIadmsAddrVPN=hwBrasSbcMGIadmsAddrVPN, hwBrasSbcImsMGIPType=hwBrasSbcImsMGIPType, hwBrasSbcSessionCarRuleRowStatus=hwBrasSbcSessionCarRuleRowStatus, hwBrasSbcMgcpWellknownPortEntry=hwBrasSbcMgcpWellknownPortEntry, hwBrasSbcDHLeaves=hwBrasSbcDHLeaves, hwBrasSbcSessionCarTables=hwBrasSbcSessionCarTables, hwBrasSbcSessionCarRuleEntry=hwBrasSbcSessionCarRuleEntry, hwBrasSbcMDStatus=hwBrasSbcMDStatus, hwBrasSbcClientPortPort11=hwBrasSbcClientPortPort11, hwBrasSbcUdpTunnelPortEntry=hwBrasSbcUdpTunnelPortEntry, hwBrasSbcImsBandIfName=hwBrasSbcImsBandIfName, hwBrasSbcH248StatSignalPacketIndex=hwBrasSbcH248StatSignalPacketIndex, hwBrasSbcImsMGIPPort=hwBrasSbcImsMGIPPort, hwBrasSbcUsergroupRuleTable=hwBrasSbcUsergroupRuleTable, hwBrasSbcMGPrefixIndex=hwBrasSbcMGPrefixIndex, hwBrasSbcRestartButton=hwBrasSbcRestartButton, hwBrasSbcSipWellknownPortProtocol=hwBrasSbcSipWellknownPortProtocol, hwBrasSbcMGProtocolRowStatus=hwBrasSbcMGProtocolRowStatus, hwBrasSbcGeneral=hwBrasSbcGeneral, hwBrasSbcCacCallRateEntry=hwBrasSbcCacCallRateEntry, hwBrasSbcH323CallsessionTimer=hwBrasSbcH323CallsessionTimer, hwBrasSbcUpathWellknownPortRowStatus=hwBrasSbcUpathWellknownPortRowStatus, hwBrasSbcStatisticValue=hwBrasSbcStatisticValue, hwBrasSbcIPCarBWVpn=hwBrasSbcIPCarBWVpn, hwBrasSbcIaLinkUp=hwBrasSbcIaLinkUp, hwBrasSbcNotificationGroups=hwBrasSbcNotificationGroups, hwBrasSbcOmLeaves=hwBrasSbcOmLeaves, hwBrasSbcClientPortPort08=hwBrasSbcClientPortPort08, hwBrasSbcMGMdCliAddrIP4=hwBrasSbcMGMdCliAddrIP4, hwBrasSbcH248IntercomMapSignalTable=hwBrasSbcH248IntercomMapSignalTable, hwBrasSbcCacCallTotalPercent=hwBrasSbcCacCallTotalPercent, hwBrasSbcIdoStatSignalPacketOutNumber=hwBrasSbcIdoStatSignalPacketOutNumber, hwBrasSbcH323WellknownPortTable=hwBrasSbcH323WellknownPortTable, hwBrasSbcMGServAddrVPN=hwBrasSbcMGServAddrVPN, hwBrasSbcIntercomPrefixRowStatus=hwBrasSbcIntercomPrefixRowStatus, hwBrasSbcMGCliAddrTable=hwBrasSbcMGCliAddrTable, hwBrasSbcMgcpSignalMapAddrType=hwBrasSbcMgcpSignalMapAddrType, hwBrasSbcMGPrefixID=hwBrasSbcMGPrefixID, hwBrasSbcIadmsSignalMapEntry=hwBrasSbcIadmsSignalMapEntry, hwBrasSbcAdmModuleTable=hwBrasSbcAdmModuleTable, hwBrasSbcMapGroupSessionLimit=hwBrasSbcMapGroupSessionLimit, hwBrasSbcIms=hwBrasSbcIms, hwBrasSbcH248IntercomMapSignalProtocol=hwBrasSbcH248IntercomMapSignalProtocol, hwBrasSbcIadmsWellknownPortPort=hwBrasSbcIadmsWellknownPortPort, hwBrasSbcCpuUsage=hwBrasSbcCpuUsage, hwBrasSbcPortrangeIndex=hwBrasSbcPortrangeIndex, hwBrasSbcImsStatisticsEnable=hwBrasSbcImsStatisticsEnable, hwBrasSbcH248WellknownPortProtocol=hwBrasSbcH248WellknownPortProtocol, hwBrasSbcIntercomPrefixIndex=hwBrasSbcIntercomPrefixIndex, hwBrasSbcImsMgLogEnable=hwBrasSbcImsMgLogEnable, hwBrasSbcIadmsMibRegRowStatus=hwBrasSbcIadmsMibRegRowStatus, hwBrasSbcIadmsStatSignalPacketOutNumber=hwBrasSbcIadmsStatSignalPacketOutNumber, hwBrasSbcIdoWellknownPortIndex=hwBrasSbcIdoWellknownPortIndex, hwBrasSbcIadmsWellknownPortIndex=hwBrasSbcIadmsWellknownPortIndex, hwBrasSbcImsSessDelete=hwBrasSbcImsSessDelete, hwBrasSbcSipIntercomMapSignalAddr=hwBrasSbcSipIntercomMapSignalAddr, hwBrasSbcClientPortPort09=hwBrasSbcClientPortPort09, hwBrasSbcSecurityLeaves=hwBrasSbcSecurityLeaves, hwBrasSbcSoftswitchPortIP=hwBrasSbcSoftswitchPortIP, hwBrasSbcImsConnectPepID=hwBrasSbcImsConnectPepID, hwBrasSbcMGMdCliAddrEntry=hwBrasSbcMGMdCliAddrEntry, hwBrasSbcUmsVersion=hwBrasSbcUmsVersion, hwBrasSbcUpathIntercomMapMediaProtocol=hwBrasSbcUpathIntercomMapMediaProtocol, hwBrasSbcImsMGAgingTimer=hwBrasSbcImsMGAgingTimer, hwBrasSbcIntMediaPassEnable=hwBrasSbcIntMediaPassEnable, hwBrasSbcH323StatSignalPacketEntry=hwBrasSbcH323StatSignalPacketEntry, hwBrasSbcImsBandEntry=hwBrasSbcImsBandEntry, hwBrasSbcUpathWellknownPortTable=hwBrasSbcUpathWellknownPortTable, hwBrasSbcBaseTables=hwBrasSbcBaseTables, hwBrasSbcMGServAddrIP2=hwBrasSbcMGServAddrIP2, hwBrasSbcMGMdCliAddrTable=hwBrasSbcMGMdCliAddrTable, hwBrasSbcSecurityTables=hwBrasSbcSecurityTables, hwBrasSbcSessionCarRuleDegreeID=hwBrasSbcSessionCarRuleDegreeID, hwBrasSbcMGIadmsAddrIP4=hwBrasSbcMGIadmsAddrIP4, hwBrasSbcMDStatisticRowStatus=hwBrasSbcMDStatisticRowStatus, hwBrasSbcIadmsStatSignalPacketRowStatus=hwBrasSbcIadmsStatSignalPacketRowStatus, hwBrasSbcTrapInfoSignalingFlood=hwBrasSbcTrapInfoSignalingFlood, hwBrasSbcMGMdCliAddrSlotID2=hwBrasSbcMGMdCliAddrSlotID2, hwBrasSbcMgcpStatSignalPacketInOctet=hwBrasSbcMgcpStatSignalPacketInOctet, hwBrasSbcH323StatSignalPacketOutNumber=hwBrasSbcH323StatSignalPacketOutNumber, hwBrasSbcUsergroupRuleEntry=hwBrasSbcUsergroupRuleEntry, hwBrasSbcH323WellknownPortEntry=hwBrasSbcH323WellknownPortEntry, hwBrasSbcUdpTunnelLeaves=hwBrasSbcUdpTunnelLeaves, hwBrasSbcImsConnectEntry=hwBrasSbcImsConnectEntry, hwBrasSbcSipIntercomMapSignalEntry=hwBrasSbcSipIntercomMapSignalEntry, hwBrasSbcTrapBindTable=hwBrasSbcTrapBindTable, hwBrasSbcMGMatchIndex=hwBrasSbcMGMatchIndex, hwBrasSbcMGSofxAddrVPN=hwBrasSbcMGSofxAddrVPN, hwBrasSbcClientPortPort10=hwBrasSbcClientPortPort10, hwBrasSbcMGMdCliAddrSlotID1=hwBrasSbcMGMdCliAddrSlotID1, hwBrasSbcTrapBindTime=hwBrasSbcTrapBindTime, hwBrasSbcIadmsStatSignalPacketIndex=hwBrasSbcIadmsStatSignalPacketIndex, hwBrasSbcSessionCarLeaves=hwBrasSbcSessionCarLeaves, hwBrasSbcImsConnectServPort=hwBrasSbcImsConnectServPort, hwBrasSbcMDLengthIndex=hwBrasSbcMDLengthIndex, hwBrasSbcH323WellknownPortPort=hwBrasSbcH323WellknownPortPort, hwBrasSbcClientPortPort15=hwBrasSbcClientPortPort15, hwBrasSbcIadmsStatSignalPacketInNumber=hwBrasSbcIadmsStatSignalPacketInNumber, hwBrasSbcIadmsWellknownPortRowStatus=hwBrasSbcIadmsWellknownPortRowStatus, hwBrasSbcCpu=hwBrasSbcCpu, hwBrasSbcImsRptDrq=hwBrasSbcImsRptDrq, hwBrasSbcIadmsMediaMapProtocol=hwBrasSbcIadmsMediaMapProtocol, hwBrasSbcMGMdServAddrIf4=hwBrasSbcMGMdServAddrIf4, hwBrasSbcImsMGIPAddr=hwBrasSbcImsMGIPAddr, hwBrasSbcMediaUsersEntry=hwBrasSbcMediaUsersEntry, hwBrasSbcSessionCarDegreeEntry=hwBrasSbcSessionCarDegreeEntry, hwBrasSbcSipStatSignalPacketRowStatus=hwBrasSbcSipStatSignalPacketRowStatus, hwBrasSbcIadmsSignalMapAddrType=hwBrasSbcIadmsSignalMapAddrType, hwBrasSbcH323StatSignalPacketIndex=hwBrasSbcH323StatSignalPacketIndex, hwBrasSbcMediaAddrMapTable=hwBrasSbcMediaAddrMapTable, hwBrasSbcMGMdCliAddrIP2=hwBrasSbcMGMdCliAddrIP2, hwBrasSbcIdoStatSignalPacketRowStatus=hwBrasSbcIdoStatSignalPacketRowStatus, hwBrasSbcImsBandIfType=hwBrasSbcImsBandIfType, hwBrasSbcMGMdServAddrIndex=hwBrasSbcMGMdServAddrIndex, hwBrasSbcMgcp=hwBrasSbcMgcp, hwBrasSbcSignalingFloodNormal=hwBrasSbcSignalingFloodNormal, hwBrasSbcMgcpIntercomMapMediaTable=hwBrasSbcMgcpIntercomMapMediaTable, hwBrasSbcMGServAddrIP3=hwBrasSbcMGServAddrIP3, hwBrasSbcSecurity=hwBrasSbcSecurity, hwBrasSbcMGMatchTable=hwBrasSbcMGMatchTable, hwNatAddrGrpIndex=hwNatAddrGrpIndex, hwBrasSbcIdoEnable=hwBrasSbcIdoEnable, hwBrasSbcIadmsLeaves=hwBrasSbcIadmsLeaves, hwBrasSbcImsQosEnable=hwBrasSbcImsQosEnable, hwBrasSbcLocalizationStatus=hwBrasSbcLocalizationStatus, hwBrasSbcUpathStatSignalPacketInOctet=hwBrasSbcUpathStatSignalPacketInOctet, hwBrasSbcRoamlimitIndex=hwBrasSbcRoamlimitIndex, hwBrasSbcTrapInfoCpu=hwBrasSbcTrapInfoCpu, hwBrasSbcQoSReport=hwBrasSbcQoSReport, hwBrasSbcSipSignalMapEntry=hwBrasSbcSipSignalMapEntry, hwBrasSbcSipStatSignalPacketInNumber=hwBrasSbcSipStatSignalPacketInNumber, hwBrasSbcH248MediaMapEntry=hwBrasSbcH248MediaMapEntry, hwNatAddrGrpRefCount=hwNatAddrGrpRefCount, hwBrasSbcTrapBindType=hwBrasSbcTrapBindType, hwBrasSbcDHSIPDetectSourcePort=hwBrasSbcDHSIPDetectSourcePort, hwBrasSbcUpathWellknownPortProtocol=hwBrasSbcUpathWellknownPortProtocol, hwBrasSbcDefendUserConnectRateRowStatus=hwBrasSbcDefendUserConnectRateRowStatus, hwBrasSbcMGSofxAddrTable=hwBrasSbcMGSofxAddrTable, hwBrasSbcDefendUserConnectRatePercent=hwBrasSbcDefendUserConnectRatePercent, hwBrasSbcClientPortPort06=hwBrasSbcClientPortPort06, hwBrasSbcRoamlimitTable=hwBrasSbcRoamlimitTable, hwBrasSbcStatisticTime=hwBrasSbcStatisticTime, hwBrasSbcClientPortPort14=hwBrasSbcClientPortPort14, hwBrasSbcIadmsMediaMapNumber=hwBrasSbcIadmsMediaMapNumber, hwBrasSbcClientPortEntry=hwBrasSbcClientPortEntry, hwBrasSbcMGServAddrIndex=hwBrasSbcMGServAddrIndex, hwBrasSbcUdpTunnelTransportTimer=hwBrasSbcUdpTunnelTransportTimer, hwBrasSbcNatCfgEntry=hwBrasSbcNatCfgEntry, hwBrasSbcStatisticDesc=hwBrasSbcStatisticDesc, hwBrasSbcSoftswitchPortPort=hwBrasSbcSoftswitchPortPort, hwBrasSbcIdoIntercomMapSignalProtocol=hwBrasSbcIdoIntercomMapSignalProtocol, hwBrasSbcUpathLeaves=hwBrasSbcUpathLeaves, hwBrasSbcMapGroupsTable=hwBrasSbcMapGroupsTable, hwBrasSbcMGIadmsAddrIP2=hwBrasSbcMGIadmsAddrIP2, hwBrasSbcSipRegReduceTimer=hwBrasSbcSipRegReduceTimer, hwBrasSbcMediaDetectPacketLength=hwBrasSbcMediaDetectPacketLength, hwBrasSbcMediaUsersCallerID2=hwBrasSbcMediaUsersCallerID2, hwBrasSbcUsergroupRuleIndex=hwBrasSbcUsergroupRuleIndex, hwBrasSbcRtpSpecialAddrTable=hwBrasSbcRtpSpecialAddrTable, hwBrasSbcCacRegRateProtocol=hwBrasSbcCacRegRateProtocol, hwBrasSbcSipWellknownPortTable=hwBrasSbcSipWellknownPortTable, hwBrasSbcIadmsSyslogEnable=hwBrasSbcIadmsSyslogEnable, hwBrasSbcIadmsIntercomMapSignalProtocol=hwBrasSbcIadmsIntercomMapSignalProtocol, hwBrasSbcH248SignalMapProtocol=hwBrasSbcH248SignalMapProtocol, hwBrasSbcMGServAddrTable=hwBrasSbcMGServAddrTable, hwBrasSbcUdpTunnelPoolEndIP=hwBrasSbcUdpTunnelPoolEndIP, hwBrasSbcSipIntercomMapMediaNumber=hwBrasSbcSipIntercomMapMediaNumber, hwBrasSbcMGSofxAddrIP2=hwBrasSbcMGSofxAddrIP2, hwBrasSbcMgcpIntercomMapMediaNumber=hwBrasSbcMgcpIntercomMapMediaNumber, hwBrasSbcStatMediaPacketTable=hwBrasSbcStatMediaPacketTable, hwBrasSbcSignalingFlood=hwBrasSbcSignalingFlood, hwBrasSbcH323PDHCountLimit=hwBrasSbcH323PDHCountLimit, hwBrasSbcMGMdCliAddrSlotID3=hwBrasSbcMGMdCliAddrSlotID3, hwBrasSbcDefendActionLogEnable=hwBrasSbcDefendActionLogEnable, hwBrasSbcBackupGroupEntry=hwBrasSbcBackupGroupEntry, hwBrasSbcH323WellknownPortIndex=hwBrasSbcH323WellknownPortIndex, hwBrasSbcSoftswitchPortVPN=hwBrasSbcSoftswitchPortVPN, hwBrasSbcClientPortTable=hwBrasSbcClientPortTable, hwBrasSbcH248StatSignalPacketInNumber=hwBrasSbcH248StatSignalPacketInNumber, hwBrasSbcTrapBindReason=hwBrasSbcTrapBindReason, hwBrasSbcImsSessCreate=hwBrasSbcImsSessCreate, hwBrasSbcPortrangeBegin=hwBrasSbcPortrangeBegin, hwBrasSbcMgcpStatSignalPacketOutOctet=hwBrasSbcMgcpStatSignalPacketOutOctet, hwBrasSbcH323SignalMapAddr=hwBrasSbcH323SignalMapAddr, hwBrasSbcIaLinkDown=hwBrasSbcIaLinkDown, hwBrasSbcMediaPassIndex=hwBrasSbcMediaPassIndex, hwBrasSbcUsergroupRuleUserName=hwBrasSbcUsergroupRuleUserName, hwBrasSbcMGMdServAddrIP4=hwBrasSbcMGMdServAddrIP4, hwBrasSbcMgcpPDHCountLimit=hwBrasSbcMgcpPDHCountLimit, hwBrasSbcSipLeaves=hwBrasSbcSipLeaves, hwBrasSbcTrapInfoTable=hwBrasSbcTrapInfoTable, hwBrasSbcUdpTunnelTables=hwBrasSbcUdpTunnelTables, hwBrasSbcSctpStatus=hwBrasSbcSctpStatus, hwBrasSbcImsMGDescription=hwBrasSbcImsMGDescription, hwBrasSbcH323MediaMapEntry=hwBrasSbcH323MediaMapEntry, hwBrasSbcClientPortIP=hwBrasSbcClientPortIP, hwBrasSbcMGMdCliAddrIf4=hwBrasSbcMGMdCliAddrIf4, hwBrasSbcSipIntercomMapMediaEntry=hwBrasSbcSipIntercomMapMediaEntry, hwBrasSbcIadmsIntercomMapSignalTable=hwBrasSbcIadmsIntercomMapSignalTable, hwBrasSbcH248WellknownPortRowStatus=hwBrasSbcH248WellknownPortRowStatus, hwBrasSbcNotificationGroup=hwBrasSbcNotificationGroup, hwBrasSbcCacCallTotalTable=hwBrasSbcCacCallTotalTable, hwBrasSbcSipWellknownPortIndex=hwBrasSbcSipWellknownPortIndex, hwBrasSbcSipMediaMapAddr=hwBrasSbcSipMediaMapAddr, hwBrasSbcH323MediaMapAddr=hwBrasSbcH323MediaMapAddr, hwBrasSbcUpathStatSignalPacketTable=hwBrasSbcUpathStatSignalPacketTable, hwBrasSbcUdpTunnel=hwBrasSbcUdpTunnel, hwBrasSbcMGPortRowStatus=hwBrasSbcMGPortRowStatus, hwBrasSbcDefendUserConnectRateThreshold=hwBrasSbcDefendUserConnectRateThreshold, hwBrasSbcImsConnectCliIP=hwBrasSbcImsConnectCliIP) mibBuilder.exportSymbols('HUAWEI-BRAS-SBC-MIB', hwBrasSbcMediaDefendTables=hwBrasSbcMediaDefendTables, hwBrasSbcH323IntercomMapSignalEntry=hwBrasSbcH323IntercomMapSignalEntry, hwBrasSbcMGProtocolEntry=hwBrasSbcMGProtocolEntry, hwBrasSbcH248IntercomMapSignalAddr=hwBrasSbcH248IntercomMapSignalAddr, hwBrasSbcComformance=hwBrasSbcComformance, hwBrasSbcMgcpSignalMapNumber=hwBrasSbcMgcpSignalMapNumber, hwBrasSbcImsQosLogEnable=hwBrasSbcImsQosLogEnable, hwBrasSbcImsMGCallSessionTimer=hwBrasSbcImsMGCallSessionTimer, hwBrasSbcMgcpIntercomMapSignalAddr=hwBrasSbcMgcpIntercomMapSignalAddr, hwBrasSbcSipIntercomMapSignalProtocol=hwBrasSbcSipIntercomMapSignalProtocol, hwBrasSbcMediaDetectStatus=hwBrasSbcMediaDetectStatus, hwBrasSbcIntercomPrefixTable=hwBrasSbcIntercomPrefixTable, hwBrasSbcSipAnonymity=hwBrasSbcSipAnonymity, hwBrasSbcSignalingCarStatus=hwBrasSbcSignalingCarStatus, hwBrasSbcMGSofxAddrIndex=hwBrasSbcMGSofxAddrIndex, hwBrasSbcMDStatisticFlowDrop=hwBrasSbcMDStatisticFlowDrop, hwBrasSbcIadmsWellknownPortTable=hwBrasSbcIadmsWellknownPortTable, hwBrasSbcCacCallTotalThreshold=hwBrasSbcCacCallTotalThreshold, hwBrasSbcImsMGIPSN=hwBrasSbcImsMGIPSN, hwBrasSbcSipStatSignalPacketOutNumber=hwBrasSbcSipStatSignalPacketOutNumber, hwBrasSbcCacCallRateThreshold=hwBrasSbcCacCallRateThreshold, hwBrasSbcIPCarBWRowStatus=hwBrasSbcIPCarBWRowStatus, hwBrasSbcSipMediaMapProtocol=hwBrasSbcSipMediaMapProtocol, hwBrasSbcRoamlimitEntry=hwBrasSbcRoamlimitEntry, hwBrasSbcMgcpCcbTimer=hwBrasSbcMgcpCcbTimer, hwBrasSbcImsConnectIndex=hwBrasSbcImsConnectIndex, hwBrasSbcQRLeaves=hwBrasSbcQRLeaves, hwBrasSbcMgcpIntercomMapSignalProtocol=hwBrasSbcMgcpIntercomMapSignalProtocol, hwBrasSbcUdpTunnelIfPortAddr=hwBrasSbcUdpTunnelIfPortAddr, hwBrasSbcMGPortNumber=hwBrasSbcMGPortNumber, hwBrasSbcRoamlimitSyslogEnable=hwBrasSbcRoamlimitSyslogEnable, hwBrasSbcH248IntercomMapMediaTable=hwBrasSbcH248IntercomMapMediaTable, hwBrasSbcUpathSignalMapEntry=hwBrasSbcUpathSignalMapEntry, hwBrasSbcMDLengthMin=hwBrasSbcMDLengthMin, hwBrasSbcSignalingNatTables=hwBrasSbcSignalingNatTables, hwBrasSbcMgcpStatSignalPacketOutNumber=hwBrasSbcMgcpStatSignalPacketOutNumber, hwBrasSbcStatMediaPacketIndex=hwBrasSbcStatMediaPacketIndex, hwBrasSbcH248Leaves=hwBrasSbcH248Leaves, hwBrasSbcTrapBind=hwBrasSbcTrapBind, hwBrasSbcImsBandRowStatus=hwBrasSbcImsBandRowStatus, hwBrasSbcIdoWellknownPortAddr=hwBrasSbcIdoWellknownPortAddr, hwBrasSbcIadmsPortEntry=hwBrasSbcIadmsPortEntry, hwBrasSbcIadmsMediaMapEntry=hwBrasSbcIadmsMediaMapEntry, HWBrasPermitStatus=HWBrasPermitStatus, hwBrasSbcMGMdCliAddrRowStatus=hwBrasSbcMGMdCliAddrRowStatus, hwBrasSbcDHSIPDetectFailCount=hwBrasSbcDHSIPDetectFailCount, hwBrasSbcSignalAddrMapSoftAddr=hwBrasSbcSignalAddrMapSoftAddr, hwBrasSbcImsMGProtocol=hwBrasSbcImsMGProtocol, hwBrasSbcH323SignalMapEntry=hwBrasSbcH323SignalMapEntry, hwBrasSbcBackupGroupID=hwBrasSbcBackupGroupID, hwBrasSbcMgcpStatSignalPacketRowStatus=hwBrasSbcMgcpStatSignalPacketRowStatus, hwBrasSbcMGProtocolSip=hwBrasSbcMGProtocolSip, hwBrasSbcIdoStatSignalPacketOutOctet=hwBrasSbcIdoStatSignalPacketOutOctet, hwBrasSbcSlotInforRowStatus=hwBrasSbcSlotInforRowStatus, hwBrasSbcH323IntercomMapSignalAddr=hwBrasSbcH323IntercomMapSignalAddr, hwBrasSbcIdoIntercomMapSignalEntry=hwBrasSbcIdoIntercomMapSignalEntry, hwBrasSbcMediaPassEnable=hwBrasSbcMediaPassEnable, hwNatAddrGrpEndingIpAddr=hwNatAddrGrpEndingIpAddr, hwBrasSbcDefendConnectRateEntry=hwBrasSbcDefendConnectRateEntry, hwBrasSbcH248IntercomMapMediaProtocol=hwBrasSbcH248IntercomMapMediaProtocol, hwBrasSbcIntercomStatus=hwBrasSbcIntercomStatus, hwBrasSbcMGCliAddrRowStatus=hwBrasSbcMGCliAddrRowStatus, hwBrasSbcImsActiveTable=hwBrasSbcImsActiveTable, hwBrasSbcImsMGDomainEntry=hwBrasSbcImsMGDomainEntry, hwBrasSbcSipStatSignalPacketEntry=hwBrasSbcSipStatSignalPacketEntry, hwBrasSbcMgcpWellknownPortPort=hwBrasSbcMgcpWellknownPortPort, hwBrasSbcDefendConnectRateThreshold=hwBrasSbcDefendConnectRateThreshold, hwBrasSbcH323Q931WellknownPort=hwBrasSbcH323Q931WellknownPort, hwBrasSbcUpathHeartbeatTimer=hwBrasSbcUpathHeartbeatTimer, hwBrasSbcH248SignalMapNumber=hwBrasSbcH248SignalMapNumber, hwBrasSbcH323SyslogEnable=hwBrasSbcH323SyslogEnable, hwBrasSbcTimerMediaAging=hwBrasSbcTimerMediaAging, hwBrasSbcH323IntercomMapSignalProtocol=hwBrasSbcH323IntercomMapSignalProtocol, hwBrasSbcH248WellknownPortPort=hwBrasSbcH248WellknownPortPort, hwBrasSbcH248IntercomMapMediaAddr=hwBrasSbcH248IntercomMapMediaAddr, hwBrasSbcSignalAddrMapServerAddr=hwBrasSbcSignalAddrMapServerAddr, hwBrasSbcH323MediaMapNumber=hwBrasSbcH323MediaMapNumber, hwBrasSbcNatAddressGroupTable=hwBrasSbcNatAddressGroupTable, hwBrasSbcTrapInfoImsConID=hwBrasSbcTrapInfoImsConID, hwBrasSbcMGCliAddrIP=hwBrasSbcMGCliAddrIP, hwBrasSbcH248SignalMapAddrType=hwBrasSbcH248SignalMapAddrType, hwBrasSbcMGIadmsAddrIndex=hwBrasSbcMGIadmsAddrIndex, hwBrasSbcTrapInfoIndex=hwBrasSbcTrapInfoIndex, hwBrasSbcMDStatisticMaxDrop=hwBrasSbcMDStatisticMaxDrop, hwBrasSbcAppMode=hwBrasSbcAppMode, hwBrasSbcSignalingNatLeaves=hwBrasSbcSignalingNatLeaves, hwBrasSbcImsMGTable=hwBrasSbcImsMGTable, hwBrasSbcBackupGroupTable=hwBrasSbcBackupGroupTable, hwBrasSbcMDLengthEntry=hwBrasSbcMDLengthEntry, hwBrasSbcRestartEnable=hwBrasSbcRestartEnable, hwBrasSbcPatchLoadStatus=hwBrasSbcPatchLoadStatus, hwBrasSbcMediaPassRowStatus=hwBrasSbcMediaPassRowStatus, hwBrasSbcIadmsRegRefreshEnable=hwBrasSbcIadmsRegRefreshEnable, hwBrasSbcMgcpMediaMapAddr=hwBrasSbcMgcpMediaMapAddr, hwBrasSbcSlotInforTable=hwBrasSbcSlotInforTable, hwBrasSbcUdpTunnelIfPortEntry=hwBrasSbcUdpTunnelIfPortEntry, hwBrasSbcIadmsStatSignalPacketEntry=hwBrasSbcIadmsStatSignalPacketEntry, PYSNMP_MODULE_ID=hwBrasSbcMgmt, hwBrasSbcSessionCarDegreeBandWidth=hwBrasSbcSessionCarDegreeBandWidth, hwBrasSbcUpathTables=hwBrasSbcUpathTables, hwBrasSbcIadmsStatSignalPacketOutOctet=hwBrasSbcIadmsStatSignalPacketOutOctet, hwBrasSbcSipWellknownPortAddr=hwBrasSbcSipWellknownPortAddr, hwBrasSbcMgcpWellknownPortTable=hwBrasSbcMgcpWellknownPortTable, hwNatAddrGrpRowstatus=hwNatAddrGrpRowstatus, hwBrasSbcIadmsStatSignalPacketInOctet=hwBrasSbcIadmsStatSignalPacketInOctet, hwBrasSbcUpath=hwBrasSbcUpath, hwBrasSbcSipWellknownPortRowStatus=hwBrasSbcSipWellknownPortRowStatus, hwBrasSbcClientPortPort12=hwBrasSbcClientPortPort12, hwBrasSbcDefendUserConnectRateProtocol=hwBrasSbcDefendUserConnectRateProtocol, hwBrasSbcMGMdCliAddrVPNName=hwBrasSbcMGMdCliAddrVPNName, hwBrasSbcIntercomPrefixDestAddr=hwBrasSbcIntercomPrefixDestAddr, hwBrasSbcSoftswitchPortProtocol=hwBrasSbcSoftswitchPortProtocol, hwBrasSbcMediaAddrMapServerAddr=hwBrasSbcMediaAddrMapServerAddr, hwBrasSbcMgcpIntercomMapSignalEntry=hwBrasSbcMgcpIntercomMapSignalEntry, hwBrasSbcH248MediaMapAddr=hwBrasSbcH248MediaMapAddr, hwBrasSbcOm=hwBrasSbcOm, hwBrasSbcIdlecutRtpTimer=hwBrasSbcIdlecutRtpTimer, hwBrasSbcUpathCallsessionTimer=hwBrasSbcUpathCallsessionTimer, hwBrasSbcHrp=hwBrasSbcHrp, hwBrasSbcQRStatus=hwBrasSbcQRStatus, hwBrasSbcUpathSignalMapProtocol=hwBrasSbcUpathSignalMapProtocol, hwBrasSbcH248WellknownPortIndex=hwBrasSbcH248WellknownPortIndex, hwBrasSbcMGPortEntry=hwBrasSbcMGPortEntry, hwBrasSbcMapGroup=hwBrasSbcMapGroup, hwBrasSbcDefendUserConnectRateEntry=hwBrasSbcDefendUserConnectRateEntry, hwBrasSbcImsMGIPRowStatus=hwBrasSbcImsMGIPRowStatus, hwBrasSbcUpathSignalMapNumber=hwBrasSbcUpathSignalMapNumber, hwBrasSbcH323WellknownPortRowStatus=hwBrasSbcH323WellknownPortRowStatus, hwBrasSbcSessionCarRuleName=hwBrasSbcSessionCarRuleName, hwBrasSbcUdpTunnelIfPortPort=hwBrasSbcUdpTunnelIfPortPort, hwBrasSbcIPCarBWAddress=hwBrasSbcIPCarBWAddress, hwBrasSbcH248=hwBrasSbcH248, hwBrasSbcUpathStatSignalPacketIndex=hwBrasSbcUpathStatSignalPacketIndex, hwBrasSbcCacRegRateEntry=hwBrasSbcCacRegRateEntry, hwBrasSbcViewLeaves=hwBrasSbcViewLeaves, hwBrasSbcH323StatSignalPacketRowStatus=hwBrasSbcH323StatSignalPacketRowStatus, hwBrasSbcIdoStatSignalPacketInNumber=hwBrasSbcIdoStatSignalPacketInNumber, hwBrasSbcMediaUsersTable=hwBrasSbcMediaUsersTable, hwBrasSbcH323SignalMapProtocol=hwBrasSbcH323SignalMapProtocol, hwBrasSbcH248SignalMapEntry=hwBrasSbcH248SignalMapEntry, hwBrasSbcSignalAddrMapEntry=hwBrasSbcSignalAddrMapEntry, hwBrasSbcUpathSignalMapAddrType=hwBrasSbcUpathSignalMapAddrType, hwBrasSbcUpathMediaMapTable=hwBrasSbcUpathMediaMapTable, hwBrasSbcH248PDHCountLimit=hwBrasSbcH248PDHCountLimit, hwBrasSbcNotification=hwBrasSbcNotification, hwBrasSbcCac=hwBrasSbcCac, hwBrasSbcCurrentSlotID=hwBrasSbcCurrentSlotID, hwBrasSbcBandwidthLimit=hwBrasSbcBandwidthLimit, hwBrasSbcUpathStatSignalPacketOutOctet=hwBrasSbcUpathStatSignalPacketOutOctet, hwBrasSbcIdoSignalMapTable=hwBrasSbcIdoSignalMapTable, hwBrasSbcUdpTunnelType=hwBrasSbcUdpTunnelType, hwBrasSbcMediaAddrMapWeight=hwBrasSbcMediaAddrMapWeight, hwBrasSbcMGMdCliAddrIf3=hwBrasSbcMGMdCliAddrIf3, hwBrasSbcH323IntercomMapMediaAddr=hwBrasSbcH323IntercomMapMediaAddr, hwBrasSbcH248IntercomMapMediaEntry=hwBrasSbcH248IntercomMapMediaEntry, hwBrasSbcUpathIntercomMapMediaAddr=hwBrasSbcUpathIntercomMapMediaAddr, hwNatAddrGrpBeginningIpAddr=hwNatAddrGrpBeginningIpAddr, hwBrasSbcNatVpnNameIndex=hwBrasSbcNatVpnNameIndex, hwBrasSbcMgcpMediaMapTable=hwBrasSbcMgcpMediaMapTable, hwBrasSbcImsMediaProxyEnable=hwBrasSbcImsMediaProxyEnable, hwBrasSbcImsActiveRowStatus=hwBrasSbcImsActiveRowStatus, hwBrasSbcCacRegTotalPercent=hwBrasSbcCacRegTotalPercent, hwBrasSbcH323SignalMapAddrType=hwBrasSbcH323SignalMapAddrType, hwBrasSbcMGIadmsAddrIP1=hwBrasSbcMGIadmsAddrIP1, HWBrasSbcBaseProtocol=HWBrasSbcBaseProtocol, hwBrasSbcUsergroupTable=hwBrasSbcUsergroupTable, hwBrasSbcMGServAddrEntry=hwBrasSbcMGServAddrEntry, hwBrasSbcMgcpWellknownPortAddr=hwBrasSbcMgcpWellknownPortAddr, hwBrasSbcClientPortPort04=hwBrasSbcClientPortPort04, hwBrasSbcSipSignalMapAddrType=hwBrasSbcSipSignalMapAddrType, hwBrasSbcIdoWellknownPortPort=hwBrasSbcIdoWellknownPortPort, hwBrasSbcImsMGDomainType=hwBrasSbcImsMGDomainType, hwBrasSbcMgcpStatSignalPacketInNumber=hwBrasSbcMgcpStatSignalPacketInNumber, hwBrasSbcMediaPassTable=hwBrasSbcMediaPassTable, hwBrasSbcSessionCarRuleID=hwBrasSbcSessionCarRuleID, hwBrasSbcImsMGIPEntry=hwBrasSbcImsMGIPEntry, hwBrasSbcBaseLeaves=hwBrasSbcBaseLeaves, hwBrasSbcMediaUsersCalleeID3=hwBrasSbcMediaUsersCalleeID3, hwBrasSbcIdoWellknownPortProtocol=hwBrasSbcIdoWellknownPortProtocol, hwBrasSbcMgcpEnable=hwBrasSbcMgcpEnable, hwBrasSbcSipCheckheartEnable=hwBrasSbcSipCheckheartEnable, hwBrasSbcMediaDetectSsrcEnable=hwBrasSbcMediaDetectSsrcEnable, hwBrasSbcMediaUsersType=hwBrasSbcMediaUsersType, HwBrasAppMode=HwBrasAppMode, hwBrasSbcCacRegTotalEntry=hwBrasSbcCacRegTotalEntry, hwBrasSbcMDStatisticFragDrop=hwBrasSbcMDStatisticFragDrop, hwBrasSbcIdoSyslogEnable=hwBrasSbcIdoSyslogEnable, hwBrasSbcOmTables=hwBrasSbcOmTables, hwBrasSbcH323IntercomMapMediaEntry=hwBrasSbcH323IntercomMapMediaEntry, hwBrasSbcIntercomPrefixEntry=hwBrasSbcIntercomPrefixEntry, hwBrasSbcMGIadmsAddrIP3=hwBrasSbcMGIadmsAddrIP3, hwBrasSbcSipIntercomMapMediaTable=hwBrasSbcSipIntercomMapMediaTable, hwBrasSbcTrapBindTables=hwBrasSbcTrapBindTables, hwBrasSbcUpathIntercomMapMediaEntry=hwBrasSbcUpathIntercomMapMediaEntry, hwBrasSbcIadmsPortPort=hwBrasSbcIadmsPortPort, hwBrasSbcCacCallTotalEntry=hwBrasSbcCacCallTotalEntry, hwBrasSbcSignalAddrMapIadmsAddr=hwBrasSbcSignalAddrMapIadmsAddr, hwBrasSbcUdpTunnelSctpAddr=hwBrasSbcUdpTunnelSctpAddr, hwBrasSbcMGProtocolTable=hwBrasSbcMGProtocolTable, hwBrasSbcSipEnable=hwBrasSbcSipEnable, hwBrasSbcSipCallsessionTimer=hwBrasSbcSipCallsessionTimer, hwBrasSbcMGPortIndex=hwBrasSbcMGPortIndex, hwBrasSbcImsConnectServIP=hwBrasSbcImsConnectServIP, hwBrasSbcIadms=hwBrasSbcIadms, hwBrasSbcIadmsMediaMapTable=hwBrasSbcIadmsMediaMapTable, HwBrasBWLimitType=HwBrasBWLimitType, hwBrasSbcMGServAddrRowStatus=hwBrasSbcMGServAddrRowStatus, hwBrasSbcHrpSynchronization=hwBrasSbcHrpSynchronization, hwBrasSbcH323IntercomMapSignalNumber=hwBrasSbcH323IntercomMapSignalNumber, hwBrasSbcMapGroupsIndex=hwBrasSbcMapGroupsIndex, hwBrasSbcMediaUsersCallerID1=hwBrasSbcMediaUsersCallerID1, hwBrasSbcSip=hwBrasSbcSip, hwBrasSbcIadmsPortProtocol=hwBrasSbcIadmsPortProtocol, hwBrasSbcTrapInfoStatistic=hwBrasSbcTrapInfoStatistic, hwBrasSbcH323IntercomMapSignalTable=hwBrasSbcH323IntercomMapSignalTable, hwBrasSbcMGProtocolMgcp=hwBrasSbcMGProtocolMgcp, hwBrasSbcIadmsTables=hwBrasSbcIadmsTables, hwBrasSbcH323Enable=hwBrasSbcH323Enable, hwBrasSbcModule=hwBrasSbcModule, hwBrasSbcUpathIntercomMapSignalAddr=hwBrasSbcUpathIntercomMapSignalAddr, hwBrasSbcIdoSignalMapAddrType=hwBrasSbcIdoSignalMapAddrType, hwBrasSbcUpathStatSignalPacketEntry=hwBrasSbcUpathStatSignalPacketEntry, hwBrasSbcDefendMode=hwBrasSbcDefendMode, hwBrasSbcImsMGDomainRowStatus=hwBrasSbcImsMGDomainRowStatus, hwBrasSbcObjects=hwBrasSbcObjects, hwBrasSbcMgcpStatSignalPacketTable=hwBrasSbcMgcpStatSignalPacketTable, hwBrasSbcMediaPassAclNumber=hwBrasSbcMediaPassAclNumber, hwBrasSbcUpathSignalMapTable=hwBrasSbcUpathSignalMapTable, hwBrasSbcMediaOnewayStatus=hwBrasSbcMediaOnewayStatus, hwBrasSbcTrapInfoImsCcbID=hwBrasSbcTrapInfoImsCcbID, hwBrasSbcMediaAddrMapEntry=hwBrasSbcMediaAddrMapEntry, hwBrasSbcMGMdServAddrRowStatus=hwBrasSbcMGMdServAddrRowStatus, hwBrasSbcSipPDHCountLimit=hwBrasSbcSipPDHCountLimit, hwBrasSbcUdpTunnelPoolEntry=hwBrasSbcUdpTunnelPoolEntry, hwBrasSbcIdoSignalMapProtocol=hwBrasSbcIdoSignalMapProtocol, hwBrasSbcMediaUsersCallerID4=hwBrasSbcMediaUsersCallerID4, hwBrasSbcImsMGDomainMapIndex=hwBrasSbcImsMGDomainMapIndex, hwBrasSbcH248SignalMapAddr=hwBrasSbcH248SignalMapAddr, hwBrasSbcMgmt=hwBrasSbcMgmt, hwBrasSbcMDStatisticMinDrop=hwBrasSbcMDStatisticMinDrop, hwBrasSbcH323WellknownPortAddr=hwBrasSbcH323WellknownPortAddr, hwBrasSbcUpathStatSignalPacketInNumber=hwBrasSbcUpathStatSignalPacketInNumber, hwBrasSbcMGMdServAddrIf2=hwBrasSbcMGMdServAddrIf2, hwBrasSbcMGPrefixEntry=hwBrasSbcMGPrefixEntry, hwBrasSbcUpathMediaMapEntry=hwBrasSbcUpathMediaMapEntry, hwBrasSbcCacCallRateProtocol=hwBrasSbcCacCallRateProtocol, hwBrasSbcIadmsWellknownPortEntry=hwBrasSbcIadmsWellknownPortEntry, hwBrasSbcAdvance=hwBrasSbcAdvance, hwBrasSbcH323=hwBrasSbcH323, hwBrasSbcUpathMediaMapNumber=hwBrasSbcUpathMediaMapNumber, hwBrasSbcMapGroupLeaves=hwBrasSbcMapGroupLeaves, hwBrasSbcSipSignalMapTable=hwBrasSbcSipSignalMapTable, hwBrasSbcUsergroupRuleRowStatus=hwBrasSbcUsergroupRuleRowStatus, hwBrasSbcMgcpWellknownPortIndex=hwBrasSbcMgcpWellknownPortIndex) mibBuilder.exportSymbols('HUAWEI-BRAS-SBC-MIB', hwBrasSbcUsergroupIndex=hwBrasSbcUsergroupIndex, hwBrasSbcCacRegTotalThreshold=hwBrasSbcCacRegTotalThreshold, hwBrasSbcSipStatSignalPacketInOctet=hwBrasSbcSipStatSignalPacketInOctet, hwBrasSbcDHSIPDetectTimer=hwBrasSbcDHSIPDetectTimer, hwBrasSbcSipMediaMapEntry=hwBrasSbcSipMediaMapEntry, hwBrasSbcMGMdCliAddrVPN=hwBrasSbcMGMdCliAddrVPN, hwBrasSbcIadmsWellknownPortProtocol=hwBrasSbcIadmsWellknownPortProtocol, hwBrasSbcSignalAddrMapTable=hwBrasSbcSignalAddrMapTable, hwBrasSbcCacCallTotalProtocol=hwBrasSbcCacCallTotalProtocol, hwBrasSbcSipMediaMapTable=hwBrasSbcSipMediaMapTable, hwBrasSbcCacEnable=hwBrasSbcCacEnable, hwBrasSbcMgcpTxTimer=hwBrasSbcMgcpTxTimer, hwBrasSbcImsMGStatus=hwBrasSbcImsMGStatus, hwBrasSbcImsMGIPTable=hwBrasSbcImsMGIPTable, hwBrasSbcBackupGroupType=hwBrasSbcBackupGroupType, hwBrasSbcDefendConnectRateRowStatus=hwBrasSbcDefendConnectRateRowStatus, hwBrasSbcH323StatSignalPacketInNumber=hwBrasSbcH323StatSignalPacketInNumber, hwBrasSbcH248CcbTimer=hwBrasSbcH248CcbTimer, hwBrasSbcH248StatSignalPacketOutNumber=hwBrasSbcH248StatSignalPacketOutNumber, hwBrasSbcH323Tables=hwBrasSbcH323Tables, hwBrasSbcBackupGroupInstanceName=hwBrasSbcBackupGroupInstanceName, hwBrasSbcMapGroupTables=hwBrasSbcMapGroupTables, hwBrasSbcImsActiveConnectId=hwBrasSbcImsActiveConnectId, hwBrasSbcRtpSpecialAddrRowStatus=hwBrasSbcRtpSpecialAddrRowStatus, hwBrasSbcMapGroupsStatus=hwBrasSbcMapGroupsStatus, hwBrasSbcMDStatisticTable=hwBrasSbcMDStatisticTable, hwBrasSbcH323StatSignalPacketInOctet=hwBrasSbcH323StatSignalPacketInOctet, hwBrasSbcMapGroupsEntry=hwBrasSbcMapGroupsEntry, hwBrasSbcSipWellknownPortPort=hwBrasSbcSipWellknownPortPort, hwBrasSbcSipTables=hwBrasSbcSipTables, hwBrasSbcNatInstanceName=hwBrasSbcNatInstanceName, hwBrasSbcH248Tables=hwBrasSbcH248Tables, hwBrasSbcSlotIndex=hwBrasSbcSlotIndex, hwBrasSbcMGMdCliAddrIndex=hwBrasSbcMGMdCliAddrIndex, hwBrasSbcMGMdServAddrEntry=hwBrasSbcMGMdServAddrEntry, hwBrasSbcMgcpIntercomMapSignalTable=hwBrasSbcMgcpIntercomMapSignalTable, hwBrasSbcMgcpSyslogEnable=hwBrasSbcMgcpSyslogEnable, hwBrasSbcQRTables=hwBrasSbcQRTables, hwBrasSbcH248WellknownPortEntry=hwBrasSbcH248WellknownPortEntry, hwBrasSbcSlotInforEntry=hwBrasSbcSlotInforEntry, hwBrasSbcSipRegReduceStatus=hwBrasSbcSipRegReduceStatus, hwBrasSbcTrapBindFluID=hwBrasSbcTrapBindFluID, hwBrasSbcMGCliAddrVPN=hwBrasSbcMGCliAddrVPN, hwBrasSbcIdoStatSignalPacketEntry=hwBrasSbcIdoStatSignalPacketEntry, hwBrasSbcStatMediaPacketEntry=hwBrasSbcStatMediaPacketEntry, hwBrasSbcIadmsMibRegTable=hwBrasSbcIadmsMibRegTable, hwBrasSbcUpathSyslogEnable=hwBrasSbcUpathSyslogEnable, hwBrasSbcCacRegTotalRowStatus=hwBrasSbcCacRegTotalRowStatus, hwBrasSbcIdoTables=hwBrasSbcIdoTables, hwBrasSbcMGMdServAddrSlotID1=hwBrasSbcMGMdServAddrSlotID1, hwBrasSbcBWLimitValue=hwBrasSbcBWLimitValue, hwBrasSbcH248Enable=hwBrasSbcH248Enable, hwBrasSbcImsConnectCliPort=hwBrasSbcImsConnectCliPort, hwBrasSbcMGMdCliAddrIf2=hwBrasSbcMGMdCliAddrIf2, hwBrasSbcH248StatSignalPacketTable=hwBrasSbcH248StatSignalPacketTable, hwBrasSbcBWLimitLeaves=hwBrasSbcBWLimitLeaves, hwBrasSbcMediaUsersIndex=hwBrasSbcMediaUsersIndex, hwBrasSbcPortrangeEntry=hwBrasSbcPortrangeEntry, hwBrasSbcCacRegRatePercent=hwBrasSbcCacRegRatePercent, hwBrasSbcH248IntercomMapSignalNumber=hwBrasSbcH248IntercomMapSignalNumber, hwBrasSbcSipSyslogEnable=hwBrasSbcSipSyslogEnable, hwBrasSbcIPCarBWValue=hwBrasSbcIPCarBWValue, hwBrasSbcPortStatisticNormal=hwBrasSbcPortStatisticNormal, hwBrasSbcIntercom=hwBrasSbcIntercom, hwBrasSbcMgcpMediaMapNumber=hwBrasSbcMgcpMediaMapNumber, hwBrasSbcMediaUsersCallerID3=hwBrasSbcMediaUsersCallerID3, hwBrasSbcH323IntercomMapMediaTable=hwBrasSbcH323IntercomMapMediaTable, hwBrasSbcMGSofxAddrIP3=hwBrasSbcMGSofxAddrIP3, hwBrasSbcNatCfgRowStatus=hwBrasSbcNatCfgRowStatus, hwBrasSbcSessionCarRuleDegreeBandWidth=hwBrasSbcSessionCarRuleDegreeBandWidth, hwBrasSbcIdoSignalMapNumber=hwBrasSbcIdoSignalMapNumber, hwBrasSbcMGMdServAddrVPNName=hwBrasSbcMGMdServAddrVPNName, hwBrasSbcCopsLinkDown=hwBrasSbcCopsLinkDown, hwBrasSbcIadmsIntercomMapMediaProtocol=hwBrasSbcIadmsIntercomMapMediaProtocol, hwBrasSbcIdoWellknownPortEntry=hwBrasSbcIdoWellknownPortEntry, hwBrasSbcDHSwitch=hwBrasSbcDHSwitch, hwBrasSbcUsergroupRuleType=hwBrasSbcUsergroupRuleType, hwBrasSbcClientPortPort16=hwBrasSbcClientPortPort16, hwBrasSbcCpuNormal=hwBrasSbcCpuNormal, hwBrasSbcTrapInfoEntry=hwBrasSbcTrapInfoEntry, hwBrasSbcMgcpWellknownPortProtocol=hwBrasSbcMgcpWellknownPortProtocol, hwBrasSbcSipStatSignalPacketTable=hwBrasSbcSipStatSignalPacketTable, hwBrasSbcImsTables=hwBrasSbcImsTables, hwBrasSbcIadmsPortIP=hwBrasSbcIadmsPortIP, hwBrasSbcMGSofxAddrIP4=hwBrasSbcMGSofxAddrIP4, hwBrasSbcMediaPassEntry=hwBrasSbcMediaPassEntry, hwBrasSbcUsergroupEntry=hwBrasSbcUsergroupEntry, hwBrasSbcImsMediaProxyLogEnable=hwBrasSbcImsMediaProxyLogEnable, hwBrasSbcUpathWellknownPortPort=hwBrasSbcUpathWellknownPortPort, hwNatAddrGrpVpnName=hwNatAddrGrpVpnName, hwBrasSbcSipIntercomMapMediaAddr=hwBrasSbcSipIntercomMapMediaAddr, hwBrasSbcSipIntercomMapSignalNumber=hwBrasSbcSipIntercomMapSignalNumber, hwBrasSbcMediaUsersCalleeID2=hwBrasSbcMediaUsersCalleeID2, hwBrasSbcSipSignalMapProtocol=hwBrasSbcSipSignalMapProtocol, hwBrasSbcImsActiveEntry=hwBrasSbcImsActiveEntry, hwBrasSbcMapGroupInstanceName=hwBrasSbcMapGroupInstanceName, hwBrasSbcCacRegTotalProtocol=hwBrasSbcCacRegTotalProtocol, hwBrasSbcMGProtocolH323=hwBrasSbcMGProtocolH323, hwBrasSbcMgcpWellknownPortRowStatus=hwBrasSbcMgcpWellknownPortRowStatus, hwBrasSbcIadmsIntercomMapMediaNumber=hwBrasSbcIadmsIntercomMapMediaNumber, hwBrasSbcInstanceEntry=hwBrasSbcInstanceEntry, hwBrasSbcUpathSignalMapAddr=hwBrasSbcUpathSignalMapAddr, hwBrasSbcMgcpIntercomMapMediaProtocol=hwBrasSbcMgcpIntercomMapMediaProtocol, hwBrasSbcGroups=hwBrasSbcGroups, hwBrasSbcIntercomLeaves=hwBrasSbcIntercomLeaves, hwBrasSbcClientPortPort07=hwBrasSbcClientPortPort07, hwBrasSbcSignalingNat=hwBrasSbcSignalingNat, hwBrasSbcIadmsIntercomMapMediaTable=hwBrasSbcIadmsIntercomMapMediaTable, hwBrasSbcCacRegRateTable=hwBrasSbcCacRegRateTable, hwBrasSbcAdvanceLeaves=hwBrasSbcAdvanceLeaves, hwBrasSbcIadmsEnable=hwBrasSbcIadmsEnable, hwBrasSbcCacActionLogStatus=hwBrasSbcCacActionLogStatus, hwBrasSbcH248SyslogEnable=hwBrasSbcH248SyslogEnable, hwBrasSbcMGMatchAcl=hwBrasSbcMGMatchAcl, hwBrasSbcMGIadmsAddrRowStatus=hwBrasSbcMGIadmsAddrRowStatus, hwBrasSbcMGMatchRowStatus=hwBrasSbcMGMatchRowStatus, hwBrasSbcH323MediaMapProtocol=hwBrasSbcH323MediaMapProtocol, hwBrasSbcMGProtocolIndex=hwBrasSbcMGProtocolIndex, hwBrasSbcIdoStatSignalPacketInOctet=hwBrasSbcIdoStatSignalPacketInOctet, hwBrasSbcH248StatSignalPacketRowStatus=hwBrasSbcH248StatSignalPacketRowStatus, hwBrasSbcH248UserAgeTimer=hwBrasSbcH248UserAgeTimer, hwBrasSbcPortStatistic=hwBrasSbcPortStatistic, hwBrasSbcH323Leaves=hwBrasSbcH323Leaves, hwBrasSbcIPCarBandwidthTable=hwBrasSbcIPCarBandwidthTable, hwBrasSbcH323WellknownPortProtocol=hwBrasSbcH323WellknownPortProtocol, hwBrasSbcCapabilities=hwBrasSbcCapabilities, hwBrasSbcMediaAddrMapClientAddr=hwBrasSbcMediaAddrMapClientAddr, hwBrasSbcMGMdCliAddrSlotID4=hwBrasSbcMGMdCliAddrSlotID4, hwBrasSbcTrapBindLeaves=hwBrasSbcTrapBindLeaves, hwBrasSbcIadmsIntercomMapMediaAddr=hwBrasSbcIadmsIntercomMapMediaAddr, hwBrasSbcSessionCarDegreeRowStatus=hwBrasSbcSessionCarDegreeRowStatus, hwBrasSbcSipWellknownPortEntry=hwBrasSbcSipWellknownPortEntry, hwBrasSbcUdpTunnelPoolRowStatus=hwBrasSbcUdpTunnelPoolRowStatus, hwBrasSbcDualHoming=hwBrasSbcDualHoming, hwBrasSbcImsConnectCliType=hwBrasSbcImsConnectCliType, hwBrasSbcMgcpSignalMapProtocol=hwBrasSbcMgcpSignalMapProtocol, hwBrasSbcInstanceRowStatus=hwBrasSbcInstanceRowStatus, hwBrasSbcMGMdCliAddrIf1=hwBrasSbcMGMdCliAddrIf1, hwBrasSbcIadmsWellknownPortAddr=hwBrasSbcIadmsWellknownPortAddr, hwBrasSbcH248IntercomMapMediaNumber=hwBrasSbcH248IntercomMapMediaNumber, hwBrasSbcStatisticSyslogEnable=hwBrasSbcStatisticSyslogEnable, hwBrasSbcH323IntercomMapMediaProtocol=hwBrasSbcH323IntercomMapMediaProtocol, hwBrasSbcImsMGConnectTimer=hwBrasSbcImsMGConnectTimer, hwBrasSbcSipMediaMapNumber=hwBrasSbcSipMediaMapNumber, hwBrasSbcMGMatchEntry=hwBrasSbcMGMatchEntry, hwBrasSbcIdoSignalMapEntry=hwBrasSbcIdoSignalMapEntry, hwBrasSbcMGSofxAddrEntry=hwBrasSbcMGSofxAddrEntry, hwBrasSbcSignalAddrMapClientAddr=hwBrasSbcSignalAddrMapClientAddr, hwBrasSbcImsMGEntry=hwBrasSbcImsMGEntry, hwBrasSbcMDStatisticEntry=hwBrasSbcMDStatisticEntry, hwBrasSbcIntercomTables=hwBrasSbcIntercomTables, hwBrasSbcNatSessionAgingTime=hwBrasSbcNatSessionAgingTime, hwBrasSbcH323IntercomMapMediaNumber=hwBrasSbcH323IntercomMapMediaNumber, hwBrasSbcSessionCarDegreeDscp=hwBrasSbcSessionCarDegreeDscp, hwBrasSbcMediaPassSyslogEnable=hwBrasSbcMediaPassSyslogEnable, hwBrasSbcMGMdServAddrIP3=hwBrasSbcMGMdServAddrIP3, hwBrasSbcTrapInfoOldSSIP=hwBrasSbcTrapInfoOldSSIP, hwBrasSbcIadmsIntercomMapSignalAddr=hwBrasSbcIadmsIntercomMapSignalAddr, hwBrasSbcMGCliAddrEntry=hwBrasSbcMGCliAddrEntry, hwBrasSbcSlotCfgState=hwBrasSbcSlotCfgState, hwBrasSbcIntercomEnable=hwBrasSbcIntercomEnable, hwBrasSbcUdpTunnelPortRowStatus=hwBrasSbcUdpTunnelPortRowStatus, hwBrasSbcImsBandValue=hwBrasSbcImsBandValue, hwBrasSbcNatCfgTable=hwBrasSbcNatCfgTable, hwBrasSbcUdpTunnelPortTable=hwBrasSbcUdpTunnelPortTable, hwBrasSbcIadmsIntercomMapSignalNumber=hwBrasSbcIadmsIntercomMapSignalNumber, hwBrasSbcBackupGroupIndex=hwBrasSbcBackupGroupIndex, hwBrasSbcMGServAddrIP4=hwBrasSbcMGServAddrIP4, hwBrasSbcMGMdServAddrIP2=hwBrasSbcMGMdServAddrIP2, hwBrasSbcUdpTunnelPoolIndex=hwBrasSbcUdpTunnelPoolIndex, hwBrasSbcCacCallRateRowStatus=hwBrasSbcCacCallRateRowStatus, hwBrasSbcIadmsPortVPN=hwBrasSbcIadmsPortVPN, hwBrasSbcPortrangeRowStatus=hwBrasSbcPortrangeRowStatus, hwBrasSbcMediaUsersCalleeID4=hwBrasSbcMediaUsersCalleeID4, hwBrasSbcDHSwitchNormal=hwBrasSbcDHSwitchNormal, hwBrasSbcClientPortPort05=hwBrasSbcClientPortPort05, hwBrasSbcStatMediaPacketRowStatus=hwBrasSbcStatMediaPacketRowStatus, hwBrasSbcRoamlimitExtendEnable=hwBrasSbcRoamlimitExtendEnable, HWBrasEnabledStatus=HWBrasEnabledStatus, hwBrasSbcStatisticEnable=hwBrasSbcStatisticEnable, hwBrasSbcMediaUsersRowStatus=hwBrasSbcMediaUsersRowStatus, hwBrasSbcIadmsIntercomMapSignalEntry=hwBrasSbcIadmsIntercomMapSignalEntry, hwBrasSbcStatMediaPacketNumber=hwBrasSbcStatMediaPacketNumber, hwBrasSbcImsMGDomainTable=hwBrasSbcImsMGDomainTable, hwBrasSbcTrapBindID=hwBrasSbcTrapBindID, hwBrasSbcImsMGIPVersion=hwBrasSbcImsMGIPVersion, hwBrasSbcRtpSpecialAddrIndex=hwBrasSbcRtpSpecialAddrIndex, hwBrasSbcUpathWellknownPortEntry=hwBrasSbcUpathWellknownPortEntry, hwBrasSbcIdoIntercomMapSignalNumber=hwBrasSbcIdoIntercomMapSignalNumber, hwBrasSbcMgcpSignalMapTable=hwBrasSbcMgcpSignalMapTable, hwBrasSbcIadmsIntercomMapMediaEntry=hwBrasSbcIadmsIntercomMapMediaEntry, hwBrasSbcView=hwBrasSbcView, hwBrasSbcStatisticIndex=hwBrasSbcStatisticIndex, hwBrasSbcCacRegRateRowStatus=hwBrasSbcCacRegRateRowStatus, hwBrasSbcMGMdServAddrSlotID3=hwBrasSbcMGMdServAddrSlotID3, hwBrasSbcIdoStatSignalPacketTable=hwBrasSbcIdoStatSignalPacketTable, hwBrasSbcMGCliAddrIndex=hwBrasSbcMGCliAddrIndex, hwBrasSbcMgcpMediaMapEntry=hwBrasSbcMgcpMediaMapEntry, hwBrasSbcTrapBindEntry=hwBrasSbcTrapBindEntry, hwBrasSbcGroup=hwBrasSbcGroup, hwBrasSbcUdpTunnelPoolTable=hwBrasSbcUdpTunnelPoolTable, hwBrasSbcPortrangeEnd=hwBrasSbcPortrangeEnd, hwBrasSbcIPCarStatus=hwBrasSbcIPCarStatus, hwBrasSbcUpathIntercomMapSignalEntry=hwBrasSbcUpathIntercomMapSignalEntry, hwBrasSbcStatisticTable=hwBrasSbcStatisticTable, hwBrasSbcUpathMediaMapProtocol=hwBrasSbcUpathMediaMapProtocol, hwBrasSbcSipSignalMapNumber=hwBrasSbcSipSignalMapNumber, hwBrasSbcMGIadmsAddrTable=hwBrasSbcMGIadmsAddrTable, hwBrasSbcBackupGroupsTable=hwBrasSbcBackupGroupsTable, hwBrasSbcImsMGDomainName=hwBrasSbcImsMGDomainName, hwBrasSbcClientPortVPN=hwBrasSbcClientPortVPN, hwBrasSbcImsConnectRowStatus=hwBrasSbcImsConnectRowStatus, hwBrasSbcMDLengthMax=hwBrasSbcMDLengthMax, hwBrasSbcMgcpStatSignalPacketIndex=hwBrasSbcMgcpStatSignalPacketIndex, hwBrasSbcH323SignalMapTable=hwBrasSbcH323SignalMapTable, hwBrasSbcMgcpIntercomMapMediaAddr=hwBrasSbcMgcpIntercomMapMediaAddr, hwBrasSbcH248StatSignalPacketOutOctet=hwBrasSbcH248StatSignalPacketOutOctet, hwBrasSbcMediaDetectValidityEnable=hwBrasSbcMediaDetectValidityEnable, hwBrasSbcImsBandTable=hwBrasSbcImsBandTable, hwBrasSbcMgcpSignalMapAddr=hwBrasSbcMgcpSignalMapAddr, hwBrasSbcMGProtocolIadms=hwBrasSbcMGProtocolIadms, hwBrasSbcClientPortProtocol=hwBrasSbcClientPortProtocol, hwBrasSbcMGMdCliAddrIP1=hwBrasSbcMGMdCliAddrIP1, hwBrasSbcUdpTunnelIfPortTable=hwBrasSbcUdpTunnelIfPortTable, hwBrasSbcMGMdServAddrSlotID4=hwBrasSbcMGMdServAddrSlotID4, hwBrasSbcImsLeaves=hwBrasSbcImsLeaves, hwBrasSbcIdoIntercomMapSignalTable=hwBrasSbcIdoIntercomMapSignalTable, hwBrasSbcMGProtocolUpath=hwBrasSbcMGProtocolUpath, hwBrasSbcMGMdCliAddrIP3=hwBrasSbcMGMdCliAddrIP3, hwBrasSbcImsBandIfIndex=hwBrasSbcImsBandIfIndex, hwBrasSbcIadmsMibRegEntry=hwBrasSbcIadmsMibRegEntry, hwBrasSbcMGIadmsAddrEntry=hwBrasSbcMGIadmsAddrEntry, hwBrasSbcBackupGroupRowStatus=hwBrasSbcBackupGroupRowStatus, hwBrasSbcMediaDefend=hwBrasSbcMediaDefend, hwBrasSbcAdvanceTables=hwBrasSbcAdvanceTables, hwBrasSbcImsBandIndex=hwBrasSbcImsBandIndex, hwBrasSbcIdo=hwBrasSbcIdo, hwBrasSbcNatAddressGroupEntry=hwBrasSbcNatAddressGroupEntry, hwBrasSbcIadmsSignalMapAddr=hwBrasSbcIadmsSignalMapAddr, hwBrasSbcImsMGInstanceName=hwBrasSbcImsMGInstanceName, hwBrasSbcUpathEnable=hwBrasSbcUpathEnable, hwBrasSbcMDLengthTable=hwBrasSbcMDLengthTable, hwBrasSbcUpathIntercomMapMediaNumber=hwBrasSbcUpathIntercomMapMediaNumber, hwBrasSbcCacRegTotalTable=hwBrasSbcCacRegTotalTable, hwBrasSbcMGMdServAddrVPN=hwBrasSbcMGMdServAddrVPN, hwBrasSbcRtpSpecialAddrEntry=hwBrasSbcRtpSpecialAddrEntry, hwBrasSbcIdoStatSignalPacketIndex=hwBrasSbcIdoStatSignalPacketIndex, hwBrasSbcSoftVersion=hwBrasSbcSoftVersion, hwBrasSbcH323SignalMapNumber=hwBrasSbcH323SignalMapNumber, hwBrasSbcSipSignalMapAddr=hwBrasSbcSipSignalMapAddr, hwBrasSbcSessionCarDegreeTable=hwBrasSbcSessionCarDegreeTable, hwBrasSbcUdpTunnelEnable=hwBrasSbcUdpTunnelEnable, hwBrasSbcMDStatisticIndex=hwBrasSbcMDStatisticIndex, hwBrasSbcIadmsMediaMapAddr=hwBrasSbcIadmsMediaMapAddr) mibBuilder.exportSymbols('HUAWEI-BRAS-SBC-MIB', hwBrasSbcTrapInfoCac=hwBrasSbcTrapInfoCac, hwBrasSbcCacRegRateThreshold=hwBrasSbcCacRegRateThreshold, hwBrasSbcIadmsStatSignalPacketTable=hwBrasSbcIadmsStatSignalPacketTable, hwBrasSbcTrapGroup=hwBrasSbcTrapGroup, hwBrasSbcDynamicStatus=hwBrasSbcDynamicStatus, hwBrasSbcUpathIntercomMapSignalTable=hwBrasSbcUpathIntercomMapSignalTable, HWBrasSecurityProtocol=HWBrasSecurityProtocol, hwBrasSbcIdoSignalMapAddr=hwBrasSbcIdoSignalMapAddr, hwBrasSbcRtpSpecialAddrAddr=hwBrasSbcRtpSpecialAddrAddr, hwBrasSbcBase=hwBrasSbcBase, hwBrasSbcImsActiveStatus=hwBrasSbcImsActiveStatus, hwBrasSbcImsMGTableStatus=hwBrasSbcImsMGTableStatus, hwBrasSbcSipStatSignalPacketIndex=hwBrasSbcSipStatSignalPacketIndex, hwBrasSbcUpathIntercomMapMediaTable=hwBrasSbcUpathIntercomMapMediaTable, hwBrasSbcSessionCarRuleDegreeDscp=hwBrasSbcSessionCarRuleDegreeDscp, hwBrasSbcMediaUsersCalleeID1=hwBrasSbcMediaUsersCalleeID1, hwBrasSbcStatisticEntry=hwBrasSbcStatisticEntry, hwBrasSbcUpathMediaMapAddr=hwBrasSbcUpathMediaMapAddr, hwBrasSbcTrapBindIndex=hwBrasSbcTrapBindIndex, hwBrasSbcIadmsSignalMapProtocol=hwBrasSbcIadmsSignalMapProtocol, hwBrasSbcRoamlimitDefault=hwBrasSbcRoamlimitDefault, hwBrasSbcImsTimeOut=hwBrasSbcImsTimeOut, hwBrasSbcMediaDefendLeaves=hwBrasSbcMediaDefendLeaves, hwBrasSbcInstanceName=hwBrasSbcInstanceName, hwBrasSbcMgcpTables=hwBrasSbcMgcpTables, hwBrasSbcCacNormal=hwBrasSbcCacNormal, hwBrasSbcMgcpStatSignalPacketEntry=hwBrasSbcMgcpStatSignalPacketEntry, hwBrasSbcMGProtocolH248=hwBrasSbcMGProtocolH248, hwBrasSbcIPCarBandwidthEntry=hwBrasSbcIPCarBandwidthEntry, hwBrasSbcUpathStatSignalPacketRowStatus=hwBrasSbcUpathStatSignalPacketRowStatus, hwBrasSbcMGServAddrIP1=hwBrasSbcMGServAddrIP1, hwBrasSbcRoamlimitRowStatus=hwBrasSbcRoamlimitRowStatus, hwBrasSbcCacCallRateTable=hwBrasSbcCacCallRateTable, hwBrasSbcUdpTunnelIfPortRowStatus=hwBrasSbcUdpTunnelIfPortRowStatus, hwBrasSbcSipStatSignalPacketOutOctet=hwBrasSbcSipStatSignalPacketOutOctet, hwBrasSbcUpathIntercomMapSignalProtocol=hwBrasSbcUpathIntercomMapSignalProtocol, hwBrasSbcIadmsPortTable=hwBrasSbcIadmsPortTable, hwBrasSbcMGMdServAddrIP1=hwBrasSbcMGMdServAddrIP1, hwBrasSbcSessionCar=hwBrasSbcSessionCar, hwBrasSbcNatGroupIndex=hwBrasSbcNatGroupIndex, hwBrasSbcMGMdServAddrSlotID2=hwBrasSbcMGMdServAddrSlotID2, hwBrasSbcDHSIPDetectStatus=hwBrasSbcDHSIPDetectStatus, hwBrasSbcIadmsPortRowStatus=hwBrasSbcIadmsPortRowStatus, hwBrasSbcDefendUserConnectRateTable=hwBrasSbcDefendUserConnectRateTable, hwBrasSbcUdpTunnelPortProtocol=hwBrasSbcUdpTunnelPortProtocol, hwBrasSbcMgcpIntercomMapSignalNumber=hwBrasSbcMgcpIntercomMapSignalNumber, hwBrasSbcCacCallTotalRowStatus=hwBrasSbcCacCallTotalRowStatus, hwBrasSbcMgcpAuepTimer=hwBrasSbcMgcpAuepTimer, hwBrasSbcIdoIntercomMapSignalAddr=hwBrasSbcIdoIntercomMapSignalAddr, hwBrasSbcDefendEnable=hwBrasSbcDefendEnable, hwBrasSbcDefendConnectRateTable=hwBrasSbcDefendConnectRateTable, hwBrasSbcMGMdServAddrIf3=hwBrasSbcMGMdServAddrIf3, hwBrasSbcDefendConnectRatePercent=hwBrasSbcDefendConnectRatePercent, hwBrasSbcMgcpIntercomMapMediaEntry=hwBrasSbcMgcpIntercomMapMediaEntry, hwBrasSbcMapGroupsRowStatus=hwBrasSbcMapGroupsRowStatus, hwBrasSbcUpathWellknownPortIndex=hwBrasSbcUpathWellknownPortIndex, hwBrasSbcClientPortPort13=hwBrasSbcClientPortPort13, hwBrasSbcQRBandWidth=hwBrasSbcQRBandWidth, hwBrasSbcSignalAddrMapRowStatus=hwBrasSbcSignalAddrMapRowStatus, hwBrasSbcStatMediaPacketOctet=hwBrasSbcStatMediaPacketOctet, hwBrasSbcH248StatSignalPacketInOctet=hwBrasSbcH248StatSignalPacketInOctet, hwBrasSbcImsRptFail=hwBrasSbcImsRptFail, hwBrasSbcTrapInfoPortStatistic=hwBrasSbcTrapInfoPortStatistic, hwBrasSbcH248WellknownPortAddr=hwBrasSbcH248WellknownPortAddr, hwBrasSbcSipIntercomMapMediaProtocol=hwBrasSbcSipIntercomMapMediaProtocol, hwBrasSbcH323StatSignalPacketOutOctet=hwBrasSbcH323StatSignalPacketOutOctet, hwBrasSbcUpathStatSignalPacketOutNumber=hwBrasSbcUpathStatSignalPacketOutNumber, hwBrasSbcUpathWellknownPortAddr=hwBrasSbcUpathWellknownPortAddr, hwBrasSbcH248MediaMapNumber=hwBrasSbcH248MediaMapNumber, hwBrasSbcH323MediaMapTable=hwBrasSbcH323MediaMapTable, hwBrasSbcMGPrefixTable=hwBrasSbcMGPrefixTable, hwBrasSbcImsMGRowStatus=hwBrasSbcImsMGRowStatus, hwBrasSbcDefendConnectRateProtocol=hwBrasSbcDefendConnectRateProtocol, hwBrasSbcIadmsMibRegVersion=hwBrasSbcIadmsMibRegVersion, hwBrasSbcInstanceTable=hwBrasSbcInstanceTable, hwBrasSbcMGPortTable=hwBrasSbcMGPortTable, hwBrasSbcImsMGIndex=hwBrasSbcImsMGIndex, hwBrasSbcDefendExtStatus=hwBrasSbcDefendExtStatus, hwBrasSbcSoftswitchPortTable=hwBrasSbcSoftswitchPortTable, hwBrasSbcH248SignalMapTable=hwBrasSbcH248SignalMapTable, hwBrasSbcH323StatSignalPacketTable=hwBrasSbcH323StatSignalPacketTable, hwBrasSbcImsMGIPInterface=hwBrasSbcImsMGIPInterface, hwBrasSbcMGMdServAddrTable=hwBrasSbcMGMdServAddrTable, hwBrasSbcTrapInfoHrp=hwBrasSbcTrapInfoHrp, hwBrasSbcStatistic=hwBrasSbcStatistic, hwBrasSbcMGPrefixRowStatus=hwBrasSbcMGPrefixRowStatus, hwBrasSbcIdoWellknownPortTable=hwBrasSbcIdoWellknownPortTable, hwBrasSbcSessionCarRuleTable=hwBrasSbcSessionCarRuleTable, hwBrasSbcH248StatSignalPacketEntry=hwBrasSbcH248StatSignalPacketEntry, hwBrasSbcRoamlimitEnable=hwBrasSbcRoamlimitEnable)
description = 'Aircontrol PLC devices' group = 'optional' tango_base = 'tango://kompasshw.kompass.frm2:10000/kompass/aircontrol/plc_' devices = dict( spare_motor_x2 = device('nicos.devices.entangle.Motor', description = 'spare motor', tangodevice = tango_base + 'spare_mot_x2', fmtstr = '%.4f', visibility = (), ), shutter = device('nicos.devices.entangle.NamedDigitalOutput', description = 'neutron shutter', tangodevice = tango_base + 'shutter', mapping = dict(closed=0, open=1), ), key = device('nicos.devices.entangle.NamedDigitalOutput', description = 'supervisor mode key', tangodevice = tango_base + 'key', mapping = dict(normal=0, super_visor_mode=1), requires = dict(level='admin'), ), ) for key in ('analyser', 'detector', 'sampletable'): devices['airpad_' + key] = device('nicos.devices.entangle.NamedDigitalOutput', description = 'switches the airpads at %s' % key, tangodevice = tango_base + 'airpads_%s' % key, mapping = dict(on=1, off=0), ) devices['p_%s' % key] = device('nicos.devices.entangle.Sensor', description = 'supply pressure for %s airpads', tangodevice = tango_base + 'p_%s' % key, unit = 'bar', visibility = (), ) for key in ('ana', 'arm', 'det', 'st'): for idx in (1, 2, 3): devices['p_airpad_%s_%d' % (key, idx)] = device('nicos.devices.entangle.Sensor', description = 'actual pressure in airpad %d of %s' % (idx, key), tangodevice = tango_base + 'p_airpad_%s_%d' % (key, idx), unit = 'bar', visibility = (), ) for key in (1, 2, 3, 4): devices['aircontrol_t%d' % key] = device('nicos.devices.entangle.Sensor', description = 'aux temperatures sensor %d' % key, tangodevice = tango_base + 'temperature_%d' % key, unit = 'degC', ) #for key in range(1, 52+1): # devices['msb%d' % key] = device('nicos.devices.entangle.NamedDigitalOutput', # description = 'mono shielding block %d' % key, # tangodevice = tango_base + 'plc_msb%d' % key, # mapping = dict(up=1, down=0), # )
description = 'Aircontrol PLC devices' group = 'optional' tango_base = 'tango://kompasshw.kompass.frm2:10000/kompass/aircontrol/plc_' devices = dict(spare_motor_x2=device('nicos.devices.entangle.Motor', description='spare motor', tangodevice=tango_base + 'spare_mot_x2', fmtstr='%.4f', visibility=()), shutter=device('nicos.devices.entangle.NamedDigitalOutput', description='neutron shutter', tangodevice=tango_base + 'shutter', mapping=dict(closed=0, open=1)), key=device('nicos.devices.entangle.NamedDigitalOutput', description='supervisor mode key', tangodevice=tango_base + 'key', mapping=dict(normal=0, super_visor_mode=1), requires=dict(level='admin'))) for key in ('analyser', 'detector', 'sampletable'): devices['airpad_' + key] = device('nicos.devices.entangle.NamedDigitalOutput', description='switches the airpads at %s' % key, tangodevice=tango_base + 'airpads_%s' % key, mapping=dict(on=1, off=0)) devices['p_%s' % key] = device('nicos.devices.entangle.Sensor', description='supply pressure for %s airpads', tangodevice=tango_base + 'p_%s' % key, unit='bar', visibility=()) for key in ('ana', 'arm', 'det', 'st'): for idx in (1, 2, 3): devices['p_airpad_%s_%d' % (key, idx)] = device('nicos.devices.entangle.Sensor', description='actual pressure in airpad %d of %s' % (idx, key), tangodevice=tango_base + 'p_airpad_%s_%d' % (key, idx), unit='bar', visibility=()) for key in (1, 2, 3, 4): devices['aircontrol_t%d' % key] = device('nicos.devices.entangle.Sensor', description='aux temperatures sensor %d' % key, tangodevice=tango_base + 'temperature_%d' % key, unit='degC')
def make_prime_table(n): sieve = list(range(n + 1)) sieve[0] = -1 sieve[1] = -1 for i in range(4, n + 1, 2): sieve[i] = 2 for i in range(3, int(n ** 0.5) + 1, 2): if sieve[i] != i: continue for j in range(i * i, n + 1, i * 2): if sieve[j] == j: sieve[j] = i return sieve def prime_factorize(n): result = [] while n != 1: p = prime_table[n] e = 0 while n % p == 0: n //= p e += 1 result.append((p, e)) return result N, M, *A = map(int, open(0).read().split()) prime_table = make_prime_table(10 ** 5) s = set() for a in A: for p, _ in prime_factorize(a): s.add(p) result = [] for k in range(1, M + 1): if any(p in s for p, _ in prime_factorize(k)): continue result.append(k) print(len(result)) print(*result, sep='\n')
def make_prime_table(n): sieve = list(range(n + 1)) sieve[0] = -1 sieve[1] = -1 for i in range(4, n + 1, 2): sieve[i] = 2 for i in range(3, int(n ** 0.5) + 1, 2): if sieve[i] != i: continue for j in range(i * i, n + 1, i * 2): if sieve[j] == j: sieve[j] = i return sieve def prime_factorize(n): result = [] while n != 1: p = prime_table[n] e = 0 while n % p == 0: n //= p e += 1 result.append((p, e)) return result (n, m, *a) = map(int, open(0).read().split()) prime_table = make_prime_table(10 ** 5) s = set() for a in A: for (p, _) in prime_factorize(a): s.add(p) result = [] for k in range(1, M + 1): if any((p in s for (p, _) in prime_factorize(k))): continue result.append(k) print(len(result)) print(*result, sep='\n')
DATABASES = { 'default': { 'ENGINE': 'django.db.backends.postgresql_psycopg2', 'NAME': 'publics', 'USER': 'publics_read_only', 'PASSWORD': r'read-only', 'HOST': '5.153.9.51', 'PORT': '5432', } } INSTALLED_APPS = ( 'contracts', 'law', 'deputies' ) # Mandatory in Django, doesn't make a difference for our case. SECRET_KEY = 'not-secret'
databases = {'default': {'ENGINE': 'django.db.backends.postgresql_psycopg2', 'NAME': 'publics', 'USER': 'publics_read_only', 'PASSWORD': 'read-only', 'HOST': '5.153.9.51', 'PORT': '5432'}} installed_apps = ('contracts', 'law', 'deputies') secret_key = 'not-secret'
body_max_width = 15 body_max_height = 15 def validate_body_str_profile(body: str): body_lines = body.splitlines() width = len(body_lines[0]) height = len(body_lines) if width > body_max_width or height > body_max_height: raise ValueError("Body string is too big")
body_max_width = 15 body_max_height = 15 def validate_body_str_profile(body: str): body_lines = body.splitlines() width = len(body_lines[0]) height = len(body_lines) if width > body_max_width or height > body_max_height: raise value_error('Body string is too big')
# -*- coding: utf-8 -*- def userinfo( authority, otherwise='' ): """Extracts the user info (user:pass).""" end = authority.find('@') if -1 == end: return otherwise return authority[0:end] def location( authority ): """Extracts the location (host:port).""" end = authority.find('@') if -1 == end: return authority return authority[1+end:]
def userinfo(authority, otherwise=''): """Extracts the user info (user:pass).""" end = authority.find('@') if -1 == end: return otherwise return authority[0:end] def location(authority): """Extracts the location (host:port).""" end = authority.find('@') if -1 == end: return authority return authority[1 + end:]
class TrieNode: def __init__(self): self.children = {} self.isEnd = False class WordDictionary: def __init__(self): """ Initialize your data structure here. """ self.root = TrieNode() def addWord(self, word: str) -> None: """ Adds a word into the data structure. """ currNode = self.root for char in word: if char not in currNode.children: currNode.children[char] = TrieNode() currNode = currNode.children[char] currNode.isEnd = True def search(self, word: str) -> bool: """ Returns if the word is in the data structure. A word could contain the dot character '.' to represent any one letter. """ currNode = self.root stack = [(currNode, word)] while stack: currNode, word = stack.pop() if not word: if currNode.isEnd: return True elif word[0] in currNode.children: child = currNode.children[word[0]] stack.append((child, word[1:])) elif word[0] == '.': for child in currNode.children.values(): stack.append((child, word[1:])) return False # Your WordDictionary object will be instantiated and called as such: # obj = WordDictionary() # obj.addWord(word) # param_2 = obj.search(word)
class Trienode: def __init__(self): self.children = {} self.isEnd = False class Worddictionary: def __init__(self): """ Initialize your data structure here. """ self.root = trie_node() def add_word(self, word: str) -> None: """ Adds a word into the data structure. """ curr_node = self.root for char in word: if char not in currNode.children: currNode.children[char] = trie_node() curr_node = currNode.children[char] currNode.isEnd = True def search(self, word: str) -> bool: """ Returns if the word is in the data structure. A word could contain the dot character '.' to represent any one letter. """ curr_node = self.root stack = [(currNode, word)] while stack: (curr_node, word) = stack.pop() if not word: if currNode.isEnd: return True elif word[0] in currNode.children: child = currNode.children[word[0]] stack.append((child, word[1:])) elif word[0] == '.': for child in currNode.children.values(): stack.append((child, word[1:])) return False
n, x = map(int, input().split()) if (x > n // 2 and n % 2 == 0) or (x > (n + 1) // 2 and n % 2 == 1): x = n - x A = n - x B = x k = 0 m = -1 ans = n while m != 0: k = A // B m = A % B ans += B * k * 2 if m == 0: ans -= B A = B B = m print(ans)
(n, x) = map(int, input().split()) if x > n // 2 and n % 2 == 0 or (x > (n + 1) // 2 and n % 2 == 1): x = n - x a = n - x b = x k = 0 m = -1 ans = n while m != 0: k = A // B m = A % B ans += B * k * 2 if m == 0: ans -= B a = B b = m print(ans)
string_1 = input("String 1? ") string_2 = input("String 2? ") string_3 = input("String 3? ") print(string_1 + string_2 + string_3)
string_1 = input('String 1? ') string_2 = input('String 2? ') string_3 = input('String 3? ') print(string_1 + string_2 + string_3)
''' URL: https://leetcode.com/problems/slowest-key/ Difficulty: Easy Description: Slowest Key A newly designed keypad was tested, where a tester pressed a sequence of n keys, one at a time. You are given a string keysPressed of length n, where keysPressed[i] was the ith key pressed in the testing sequence, and a sorted list releaseTimes, where releaseTimes[i] was the time the ith key was released. Both arrays are 0-indexed. The 0th key was pressed at the time 0, and every subsequent key was pressed at the exact time the previous key was released. The tester wants to know the key of the keypress that had the longest duration. The ith keypress had a duration of releaseTimes[i] - releaseTimes[i - 1], and the 0th keypress had a duration of releaseTimes[0]. Note that the same key could have been pressed multiple times during the test, and these multiple presses of the same key may not have had the same duration. Return the key of the keypress that had the longest duration. If there are multiple such keypresses, return the lexicographically largest key of the keypresses. Example 1: Input: releaseTimes = [9,29,49,50], keysPressed = "cbcd" Output: "c" Explanation: The keypresses were as follows: Keypress for 'c' had a duration of 9 (pressed at time 0 and released at time 9). Keypress for 'b' had a duration of 29 - 9 = 20 (pressed at time 9 right after the release of the previous character and released at time 29). Keypress for 'c' had a duration of 49 - 29 = 20 (pressed at time 29 right after the release of the previous character and released at time 49). Keypress for 'd' had a duration of 50 - 49 = 1 (pressed at time 49 right after the release of the previous character and released at time 50). The longest of these was the keypress for 'b' and the second keypress for 'c', both with duration 20. 'c' is lexicographically larger than 'b', so the answer is 'c'. Example 2: Input: releaseTimes = [12,23,36,46,62], keysPressed = "spuda" Output: "a" Explanation: The keypresses were as follows: Keypress for 's' had a duration of 12. Keypress for 'p' had a duration of 23 - 12 = 11. Keypress for 'u' had a duration of 36 - 23 = 13. Keypress for 'd' had a duration of 46 - 36 = 10. Keypress for 'a' had a duration of 62 - 46 = 16. The longest of these was the keypress for 'a' with duration 16. Constraints: releaseTimes.length == n keysPressed.length == n 2 <= n <= 1000 1 <= releaseTimes[i] <= 109 releaseTimes[i] < releaseTimes[i+1] keysPressed contains only lowercase English letters. ''' class Solution: def slowestKey(self, releaseTimes, keysPressed): maxDur = releaseTimes[0] answers = set(keysPressed[0]) for i in range(1, len(releaseTimes)): if releaseTimes[i] - releaseTimes[i-1] > maxDur: answers = set(keysPressed[i]) maxDur = releaseTimes[i] - releaseTimes[i-1] elif releaseTimes[i] - releaseTimes[i-1] == maxDur: answers.add(keysPressed[i]) return max(answers)
""" URL: https://leetcode.com/problems/slowest-key/ Difficulty: Easy Description: Slowest Key A newly designed keypad was tested, where a tester pressed a sequence of n keys, one at a time. You are given a string keysPressed of length n, where keysPressed[i] was the ith key pressed in the testing sequence, and a sorted list releaseTimes, where releaseTimes[i] was the time the ith key was released. Both arrays are 0-indexed. The 0th key was pressed at the time 0, and every subsequent key was pressed at the exact time the previous key was released. The tester wants to know the key of the keypress that had the longest duration. The ith keypress had a duration of releaseTimes[i] - releaseTimes[i - 1], and the 0th keypress had a duration of releaseTimes[0]. Note that the same key could have been pressed multiple times during the test, and these multiple presses of the same key may not have had the same duration. Return the key of the keypress that had the longest duration. If there are multiple such keypresses, return the lexicographically largest key of the keypresses. Example 1: Input: releaseTimes = [9,29,49,50], keysPressed = "cbcd" Output: "c" Explanation: The keypresses were as follows: Keypress for 'c' had a duration of 9 (pressed at time 0 and released at time 9). Keypress for 'b' had a duration of 29 - 9 = 20 (pressed at time 9 right after the release of the previous character and released at time 29). Keypress for 'c' had a duration of 49 - 29 = 20 (pressed at time 29 right after the release of the previous character and released at time 49). Keypress for 'd' had a duration of 50 - 49 = 1 (pressed at time 49 right after the release of the previous character and released at time 50). The longest of these was the keypress for 'b' and the second keypress for 'c', both with duration 20. 'c' is lexicographically larger than 'b', so the answer is 'c'. Example 2: Input: releaseTimes = [12,23,36,46,62], keysPressed = "spuda" Output: "a" Explanation: The keypresses were as follows: Keypress for 's' had a duration of 12. Keypress for 'p' had a duration of 23 - 12 = 11. Keypress for 'u' had a duration of 36 - 23 = 13. Keypress for 'd' had a duration of 46 - 36 = 10. Keypress for 'a' had a duration of 62 - 46 = 16. The longest of these was the keypress for 'a' with duration 16. Constraints: releaseTimes.length == n keysPressed.length == n 2 <= n <= 1000 1 <= releaseTimes[i] <= 109 releaseTimes[i] < releaseTimes[i+1] keysPressed contains only lowercase English letters. """ class Solution: def slowest_key(self, releaseTimes, keysPressed): max_dur = releaseTimes[0] answers = set(keysPressed[0]) for i in range(1, len(releaseTimes)): if releaseTimes[i] - releaseTimes[i - 1] > maxDur: answers = set(keysPressed[i]) max_dur = releaseTimes[i] - releaseTimes[i - 1] elif releaseTimes[i] - releaseTimes[i - 1] == maxDur: answers.add(keysPressed[i]) return max(answers)
# Copyright 2015 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. class Shell(object): """Represents an abstract Mojo shell.""" def serve_local_directories(self, mappings, port, reuse_servers=False): """Serves the content of the local (host) directories, making it available to the shell under the url returned by the function. The server will run on a separate thread until the program terminates. The call returns immediately. Args: mappings: List of tuples (prefix, local_base_path_list) mapping URLs that start with |prefix| to one or more local directories enumerated in |local_base_path_list|. The prefixes should skip the leading slash. The first matching prefix and the first location that contains the requested file will be used each time. port: port at which the server will be available to the shell. On Android this can be different from the port on which the server runs on the host. reuse_servers: don't actually spawn the server. Instead assume that the server is already running on |port|, and only set up forwarding if needed. Returns: The url that the shell can use to access the server. """ raise NotImplementedError() def forward_host_port_to_shell(self, host_port): """Forwards a port on the host machine to the same port wherever the shell is running. This is a no-op if the shell is running locally. """ raise NotImplementedError() def run(self, arguments): """Runs the shell with given arguments until shell exits, passing the stdout mingled with stderr produced by the shell onto the stdout. Returns: Exit code retured by the shell or None if the exit code cannot be retrieved. """ raise NotImplementedError() def run_and_get_output(self, arguments, timeout=None): """Runs the shell with given arguments until shell exits and returns the output. Args: arguments: list of arguments for the shell timeout: maximum running time in seconds, after which the shell will be terminated Returns: A tuple of (return_code, output, did_time_out). |return_code| is the exit code returned by the shell or None if the exit code cannot be retrieved. |output| is the stdout mingled with the stderr produced by the shell. |did_time_out| is True iff the shell was terminated because it exceeded the |timeout| and False otherwise. """ raise NotImplementedError()
class Shell(object): """Represents an abstract Mojo shell.""" def serve_local_directories(self, mappings, port, reuse_servers=False): """Serves the content of the local (host) directories, making it available to the shell under the url returned by the function. The server will run on a separate thread until the program terminates. The call returns immediately. Args: mappings: List of tuples (prefix, local_base_path_list) mapping URLs that start with |prefix| to one or more local directories enumerated in |local_base_path_list|. The prefixes should skip the leading slash. The first matching prefix and the first location that contains the requested file will be used each time. port: port at which the server will be available to the shell. On Android this can be different from the port on which the server runs on the host. reuse_servers: don't actually spawn the server. Instead assume that the server is already running on |port|, and only set up forwarding if needed. Returns: The url that the shell can use to access the server. """ raise not_implemented_error() def forward_host_port_to_shell(self, host_port): """Forwards a port on the host machine to the same port wherever the shell is running. This is a no-op if the shell is running locally. """ raise not_implemented_error() def run(self, arguments): """Runs the shell with given arguments until shell exits, passing the stdout mingled with stderr produced by the shell onto the stdout. Returns: Exit code retured by the shell or None if the exit code cannot be retrieved. """ raise not_implemented_error() def run_and_get_output(self, arguments, timeout=None): """Runs the shell with given arguments until shell exits and returns the output. Args: arguments: list of arguments for the shell timeout: maximum running time in seconds, after which the shell will be terminated Returns: A tuple of (return_code, output, did_time_out). |return_code| is the exit code returned by the shell or None if the exit code cannot be retrieved. |output| is the stdout mingled with the stderr produced by the shell. |did_time_out| is True iff the shell was terminated because it exceeded the |timeout| and False otherwise. """ raise not_implemented_error()
# LeetCode #437 - Path Sum III # https://leetcode.com/problems/path-sum-iii/ # Prefix-sum hashing solution. Runs in linear time. # Definition for a binary tree node. # class TreeNode: # def __init__(self, val=0, left=None, right=None): # self.val = val # self.left = left # self.right = right class Solution: @staticmethod def pathSum(root: TreeNode, targetSum: int) -> int: history = collections.Counter((0,)) def dfs(node, acc): if not node: return 0 acc += node.val count = history[acc - targetSum] history[acc] += 1 count += dfs(node.left, acc) count += dfs(node.right, acc) history[acc] -= 1 return count return dfs(root, 0)
class Solution: @staticmethod def path_sum(root: TreeNode, targetSum: int) -> int: history = collections.Counter((0,)) def dfs(node, acc): if not node: return 0 acc += node.val count = history[acc - targetSum] history[acc] += 1 count += dfs(node.left, acc) count += dfs(node.right, acc) history[acc] -= 1 return count return dfs(root, 0)
class SearchToursData: def __init__(self, destination, tour_type, start_year, start_month, start_day, adults_num): self.destination = destination self.tour_type = tour_type self.start_year = start_year self.start_month = start_month self.start_day = start_day self.adults_num = adults_num
class Searchtoursdata: def __init__(self, destination, tour_type, start_year, start_month, start_day, adults_num): self.destination = destination self.tour_type = tour_type self.start_year = start_year self.start_month = start_month self.start_day = start_day self.adults_num = adults_num
def first_non_repeating_letter(string): lowercase_string = string.lower() result = [] for i in lowercase_string: if (lowercase_string.count(i) == 1): result.append(i) if (len(result) == 0): return "" else: if (string.find(result[0]) == -1 ): return result[0].upper() else: return result[0] def test_first_non_repeating_letter(): assert first_non_repeating_letter("stress") == 't' assert first_non_repeating_letter("") == '' assert first_non_repeating_letter("aabb") == '' assert first_non_repeating_letter("sTreSS") == 'T'
def first_non_repeating_letter(string): lowercase_string = string.lower() result = [] for i in lowercase_string: if lowercase_string.count(i) == 1: result.append(i) if len(result) == 0: return '' elif string.find(result[0]) == -1: return result[0].upper() else: return result[0] def test_first_non_repeating_letter(): assert first_non_repeating_letter('stress') == 't' assert first_non_repeating_letter('') == '' assert first_non_repeating_letter('aabb') == '' assert first_non_repeating_letter('sTreSS') == 'T'
datasets = ('source',) def synthesis(job): d = {} agg = 0 for dt, x in datasets.source.iterate('roundrobin', ('DATE_OF_INTEREST', 'CASE_COUNT')): agg += x d[dt] = agg return d
datasets = ('source',) def synthesis(job): d = {} agg = 0 for (dt, x) in datasets.source.iterate('roundrobin', ('DATE_OF_INTEREST', 'CASE_COUNT')): agg += x d[dt] = agg return d
''' Created on 16 ago 2017 @author: Hamza ''' class MyClass(object): ''' classdocs ''' def __init__(self, params): ''' Constructor '''
""" Created on 16 ago 2017 @author: Hamza """ class Myclass(object): """ classdocs """ def __init__(self, params): """ Constructor """
class Solution: def busyStudent(self, startTime: List[int], endTime: List[int], queryTime: int) -> int: working = 0 for i, stu in enumerate(startTime): if stu <= queryTime and endTime[i] >= queryTime: working += 1 return working
class Solution: def busy_student(self, startTime: List[int], endTime: List[int], queryTime: int) -> int: working = 0 for (i, stu) in enumerate(startTime): if stu <= queryTime and endTime[i] >= queryTime: working += 1 return working
#!/usr/bin/python # -*-coding:utf-8-*- """ @author: smartgang @contact: [email protected] @file: data_analyse_nba.py @time: 2017/12/5 11:02 """
""" @author: smartgang @contact: [email protected] @file: data_analyse_nba.py @time: 2017/12/5 11:02 """
class Solution: def makeEqual(self, words: List[str]) -> bool: n = len(words) words = ''.join(words) letterCounter = Counter(words) print(letterCounter ) for letter in letterCounter: if letterCounter[letter] % n !=0: return False return True
class Solution: def make_equal(self, words: List[str]) -> bool: n = len(words) words = ''.join(words) letter_counter = counter(words) print(letterCounter) for letter in letterCounter: if letterCounter[letter] % n != 0: return False return True
EARTH = 6371000 MOON = 1737100 MARS = 3389500 JUPITER = 69911000
earth = 6371000 moon = 1737100 mars = 3389500 jupiter = 69911000
#=============================================================================== # Created: 22 May 2019 # @author: AP (adapated from Jesse Wilson) # Description: Class to contain Anaplan connection details required for all API calls # Input: Authorization header string, workspace ID string, and model ID string # Output: None #=============================================================================== class AnaplanConnection(object): ''' classdocs ''' def __init__(self, authorization, workspaceGuid, modelGuid): ''' :param authorization: Authorization header string :param workspaceGuid: ID of the Anaplan workspace :param modelGuid: ID of the Anaplan model ''' self.authorization = authorization self.workspaceGuid = workspaceGuid self.modelGuid = modelGuid
class Anaplanconnection(object): """ classdocs """ def __init__(self, authorization, workspaceGuid, modelGuid): """ :param authorization: Authorization header string :param workspaceGuid: ID of the Anaplan workspace :param modelGuid: ID of the Anaplan model """ self.authorization = authorization self.workspaceGuid = workspaceGuid self.modelGuid = modelGuid
# Definition for a binary tree node. # class TreeNode: # def __init__(self, x): # self.val = x # self.left = None # self.right = None class Solution: def sumRootToLeaf(self, root: TreeNode) -> int: if root is None: return 0 sum = 0 def plusAllLeaves(node, parentPath): nonlocal sum currPath = parentPath + str(node.val) if node.left is None and node.right is None: sum += int(currPath, 2) return if node.left is not None: plusAllLeaves(node.left, currPath) if node.right is not None: plusAllLeaves(node.right, currPath) plusAllLeaves(root, '') return sum
class Solution: def sum_root_to_leaf(self, root: TreeNode) -> int: if root is None: return 0 sum = 0 def plus_all_leaves(node, parentPath): nonlocal sum curr_path = parentPath + str(node.val) if node.left is None and node.right is None: sum += int(currPath, 2) return if node.left is not None: plus_all_leaves(node.left, currPath) if node.right is not None: plus_all_leaves(node.right, currPath) plus_all_leaves(root, '') return sum
"""Utility module that defines the :class:`Singleton` class.""" class Singleton: """ Singleton class. The :class:`Singleton` class is used to force a unique instantiation. """ _instance = None def __new__(cls, *args) -> "Singleton": """Control single instance creation.""" if cls._instance is None: cls._instance = super().__new__(cls, *args) return cls._instance def __hash__(self) -> int: """Return hash(self).""" return id(self)
"""Utility module that defines the :class:`Singleton` class.""" class Singleton: """ Singleton class. The :class:`Singleton` class is used to force a unique instantiation. """ _instance = None def __new__(cls, *args) -> 'Singleton': """Control single instance creation.""" if cls._instance is None: cls._instance = super().__new__(cls, *args) return cls._instance def __hash__(self) -> int: """Return hash(self).""" return id(self)
DEFAULT_POSTGREST_CLIENT_HEADERS = { "Accept": "application/json", "Content-Type": "application/json", } DEFAULT_POSTGREST_CLIENT_TIMEOUT = 5
default_postgrest_client_headers = {'Accept': 'application/json', 'Content-Type': 'application/json'} default_postgrest_client_timeout = 5
# https://leetcode.com/problems/lowest-common-ancestor-of-a-binary-tree/ class TreeNode: def __init__(self, x, left=None, right=None): self.val = x self.left = left self.right = right class Solution: def lowestCommonAncestor(self, root: 'TreeNode', p: 'TreeNode', q: 'TreeNode') -> 'TreeNode': res = None def findLCA(node): if node is None: return 0 count = 0 if node == p or node == q: count += 1 count += findLCA(node.left) count += findLCA(node.right) if count == 2: nonlocal res if res is not None: return res = node return count findLCA(root) return res
class Treenode: def __init__(self, x, left=None, right=None): self.val = x self.left = left self.right = right class Solution: def lowest_common_ancestor(self, root: 'TreeNode', p: 'TreeNode', q: 'TreeNode') -> 'TreeNode': res = None def find_lca(node): if node is None: return 0 count = 0 if node == p or node == q: count += 1 count += find_lca(node.left) count += find_lca(node.right) if count == 2: nonlocal res if res is not None: return res = node return count find_lca(root) return res
# buildifier: disable=module-docstring def _provider_text(symbols): return """ WRAPPER = provider( doc = "Wrapper to hold imported methods", fields = [{}] ) """.format(", ".join(["\"%s\"" % symbol_ for symbol_ in symbols])) def _getter_text(): return """ def id_from_file(file_name): (before, middle, after) = file_name.partition(".") return before def get(file_name): id = id_from_file(file_name) return WRAPPER(**_MAPPING[id]) """ def _mapping_text(ids): data_ = [] for id in ids: data_.append("{id} = wrapper_{id}".format(id = id)) return "_MAPPING = dict(\n{data}\n)".format(data = ",\n".join(data_)) def _load_and_wrapper_text(id, file_path, symbols): load_list = ", ".join(["{id}_{symbol} = \"{symbol}\"".format(id = id, symbol = symbol_) for symbol_ in symbols]) load_statement = "load(\":{file}\", {list})".format(file = file_path, list = load_list) data = ", ".join(["{symbol} = {id}_{symbol}".format(id = id, symbol = symbol_) for symbol_ in symbols]) wrapper_statement = "wrapper_{id} = dict({data})".format(id = id, data = data) return struct( load_ = load_statement, wrapper = wrapper_statement, ) def id_from_file(file_name): (before, middle, after) = file_name.partition(".") return before def get_file_name(file_label): (before, separator, after) = file_label.partition(":") return id_from_file(after) def _copy_file(rctx, src): src_path = rctx.path(src) copy_path = src_path.basename rctx.template(copy_path, src_path) return copy_path _BUILD_FILE = """\ exports_files( [ "toolchain_data_defs.bzl", ], visibility = ["//visibility:public"], ) """ def _generate_overloads(rctx): symbols = rctx.attr.symbols ids = [] lines = ["# Generated overload mappings"] loads = [] wrappers = [] for file_ in rctx.attr.files: id = id_from_file(file_.name) ids.append(id) copy = _copy_file(rctx, file_) load_and_wrapper = _load_and_wrapper_text(id, copy, symbols) loads.append(load_and_wrapper.load_) wrappers.append(load_and_wrapper.wrapper) lines += loads lines += wrappers lines.append(_mapping_text(ids)) lines.append(_provider_text(symbols)) lines.append(_getter_text()) rctx.file("toolchain_data_defs.bzl", "\n".join(lines)) rctx.file("BUILD", _BUILD_FILE) generate_overloads = repository_rule( implementation = _generate_overloads, attrs = { "symbols": attr.string_list(), "files": attr.label_list(), }, )
def _provider_text(symbols): return '\nWRAPPER = provider(\n doc = "Wrapper to hold imported methods",\n fields = [{}]\n)\n'.format(', '.join(['"%s"' % symbol_ for symbol_ in symbols])) def _getter_text(): return '\ndef id_from_file(file_name):\n (before, middle, after) = file_name.partition(".")\n return before\n\ndef get(file_name):\n id = id_from_file(file_name)\n return WRAPPER(**_MAPPING[id])\n' def _mapping_text(ids): data_ = [] for id in ids: data_.append('{id} = wrapper_{id}'.format(id=id)) return '_MAPPING = dict(\n{data}\n)'.format(data=',\n'.join(data_)) def _load_and_wrapper_text(id, file_path, symbols): load_list = ', '.join(['{id}_{symbol} = "{symbol}"'.format(id=id, symbol=symbol_) for symbol_ in symbols]) load_statement = 'load(":{file}", {list})'.format(file=file_path, list=load_list) data = ', '.join(['{symbol} = {id}_{symbol}'.format(id=id, symbol=symbol_) for symbol_ in symbols]) wrapper_statement = 'wrapper_{id} = dict({data})'.format(id=id, data=data) return struct(load_=load_statement, wrapper=wrapper_statement) def id_from_file(file_name): (before, middle, after) = file_name.partition('.') return before def get_file_name(file_label): (before, separator, after) = file_label.partition(':') return id_from_file(after) def _copy_file(rctx, src): src_path = rctx.path(src) copy_path = src_path.basename rctx.template(copy_path, src_path) return copy_path _build_file = 'exports_files(\n [\n "toolchain_data_defs.bzl",\n ],\n visibility = ["//visibility:public"],\n)\n' def _generate_overloads(rctx): symbols = rctx.attr.symbols ids = [] lines = ['# Generated overload mappings'] loads = [] wrappers = [] for file_ in rctx.attr.files: id = id_from_file(file_.name) ids.append(id) copy = _copy_file(rctx, file_) load_and_wrapper = _load_and_wrapper_text(id, copy, symbols) loads.append(load_and_wrapper.load_) wrappers.append(load_and_wrapper.wrapper) lines += loads lines += wrappers lines.append(_mapping_text(ids)) lines.append(_provider_text(symbols)) lines.append(_getter_text()) rctx.file('toolchain_data_defs.bzl', '\n'.join(lines)) rctx.file('BUILD', _BUILD_FILE) generate_overloads = repository_rule(implementation=_generate_overloads, attrs={'symbols': attr.string_list(), 'files': attr.label_list()})
class Solution(object): def searchMatrix(self, matrix, target): if not matrix or target is None: return False rows, cols = len(matrix), len(matrix[0]) low, high = 0, rows* cols - 1 while low <= high: mid = (low + high) / 2 num = matrix[mid / cols][mid % cols] if num == target: return True elif num < target: low = mid + 1 else: high = mid - 1 matrix = [[1,3,5,7],[10,11,16,20],[23,30,34,50]] target = 3 res = Solution().searchMatrix(matrix, target) print(res)
class Solution(object): def search_matrix(self, matrix, target): if not matrix or target is None: return False (rows, cols) = (len(matrix), len(matrix[0])) (low, high) = (0, rows * cols - 1) while low <= high: mid = (low + high) / 2 num = matrix[mid / cols][mid % cols] if num == target: return True elif num < target: low = mid + 1 else: high = mid - 1 matrix = [[1, 3, 5, 7], [10, 11, 16, 20], [23, 30, 34, 50]] target = 3 res = solution().searchMatrix(matrix, target) print(res)
class SWTestCase: def __init__(self): pass @classmethod def configure(cls): pass def setUp(self): pass def tearDown(self): pass def run_all_test_case(self): for test in self.test_to_run: self.setUp() test() self.tearDown() test_to_run = []
class Swtestcase: def __init__(self): pass @classmethod def configure(cls): pass def set_up(self): pass def tear_down(self): pass def run_all_test_case(self): for test in self.test_to_run: self.setUp() test() self.tearDown() test_to_run = []